Instruction stringlengths 362 7.83k | output_code stringlengths 1 945 |
|---|---|
Predict the next line for this snippet: <|code_start|> assert query_html_doc('', 'false() = boolean(false())') == expected_result('true')
assert query_html_doc('', 'boolean(0 div 0)') == expected_result('false')
def test_boolean_function_converts_node_sets_according_to_w3c_rules():
assert query_html_doc('<div></div>', 'boolean(//div)') == expected_result('true')
assert query_html_doc('<div></div>', 'boolean(//p)') == expected_result('false')
def test_boolean_function_converts_strings_according_to_w3c_rules():
assert query_html_doc('', 'boolean("")') == expected_result('false')
assert query_html_doc('', 'boolean(" ")') == expected_result('true')
def test_ceiling_returns_expected_integer_values_baserd_on_xpath_3_examples():
assert query_html_doc('', 'ceiling(10.5)') == '11'
assert query_html_doc('', 'ceiling(-10.5)') == '-10'
def test_floor_returns_expected_integer_values_baserd_on_xpath_3_examples():
assert query_html_doc('', 'floor(10.5)') == '10'
assert query_html_doc('', 'floor(-10.5)') == '-11'
def test_id_function_returns_node_set_where_node_ids_match_any_names_in_whitespace_separated_list():
html_body = """
<p id="one">one</p>
<p id="two">two</p>
<p id="3">three</p>"""
assert query_html_doc(html_body, 'id("one")') == expected_result("""
<|code_end|>
with the help of current file imports:
import os
import sys
from ..common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may contain function names, class names, or code. Output only the next line. | <p id="one"> |
Predict the next line for this snippet: <|code_start|> </div>""")
def test_tag_node_test_selects_ancestors():
html_body = """
<div id="id">
<p></p>
</div>"""
actual = query_html_doc(html_body, '/html/body/div/p/ancestor::*')
assert actual == expected_result("""
<html>
<body>
<div id="id">
<p>
</p>
</div>
</body>
</html>
<body>
<div id="id">
<p>
</p>
</div>
</body>
<div id="id">
<p>
</p>
</div>""")
<|code_end|>
with the help of current file imports:
import os
import sys
from ..common_test_util import expected_result
from .hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may contain function names, class names, or code. Output only the next line. | def test_text_node_test_selects_disjoint_text_nodes(): |
Given snippet: <|code_start|> <p>text</p>
</div>"""
actual = query_html_doc(html_body, '/html/body/descendant::*')
assert actual == expected_result("""
<div>
<p>
text
</p>
</div>
<p>
text
</p>""")
def test_tag_node_test_selects_parent():
html_body = """
<section>
<div id="id">
<p></p>
</div>
</section>"""
actual = query_html_doc(html_body, '/html/body/section/div/p/parent::*')
assert actual == expected_result("""
<div id="id">
<p>
</p>
</div>""")
def test_tag_node_test_selects_ancestors():
<|code_end|>
, continue by predicting the next line. Consider current file imports:
import os
import sys
from ..common_test_util import expected_result
from .hquery_test_util import query_html_doc
and context:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
which might include code, classes, or functions. Output only the next line. | html_body = """ |
Given snippet: <|code_start|>
def test_hash_can_contain_key_values_that_are_other_computed_json_objects():
actual = json.loads(query_html_doc('', 'hash {a_hash: hash {foo: "bar"}, an_array: array {"one", 2}}'))
assert 'a_hash' in actual
assert 'an_array' in actual
assert isinstance(actual['a_hash'], dict)
assert isinstance(actual['an_array'], list)
assert 'foo' in actual['a_hash']
assert actual['a_hash']['foo'] == 'bar'
assert len(actual['an_array']) == 2
assert actual['an_array'][0] == 'one'
assert actual['an_array'][1] == 2
def test_element_value_in_hash_key_is_transformed_into_string_value_by_default():
html_body = '<p>you are <a href>here</a></p>'
actual = json.loads(query_html_doc(html_body, 'hash { placement: //p }')) == 'You are here'
def test_array_constructor_uses_string_value_of_elements_when_given_node_sets_as_contents():
html_body = """
<p>one</p>
<div>two</div>
<p>three</p>"""
actual = json.loads(query_html_doc(html_body, 'array { //p, //div }'))
assert len(actual) == 3
<|code_end|>
, continue by predicting the next line. Consider current file imports:
import json
from test.hquery.hquery_test_util import query_html_doc
and context:
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
which might include code, classes, or functions. Output only the next line. | assert actual[0] == 'one' |
Given the code snippet: <|code_start|>
class HqueryEvaluationError(RuntimeError):
@classmethod
def must_be_node_set(cls, obj):
if not is_node_set(obj):
raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.object_type import is_node_set, is_sequence
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/object_type.py
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def is_sequence(obj):
# return isinstance(obj, list)
. Output only the next line. | @classmethod |
Predict the next line for this snippet: <|code_start|>
class HqueryEvaluationError(RuntimeError):
@classmethod
def must_be_node_set(cls, obj):
if not is_node_set(obj):
raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
@classmethod
<|code_end|>
with the help of current file imports:
from hq.hquery.object_type import is_node_set, is_sequence
and context from other files:
# Path: hq/hquery/object_type.py
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def is_sequence(obj):
# return isinstance(obj, list)
, which may contain function names, class names, or code. Output only the next line. | def must_be_node_set_or_sequence(cls, obj): |
Using the snippet: <|code_start|>def test_flwor_with_multiple_return_clauses_is_a_syntax_error():
with raises(HquerySyntaxError):
query_html_doc('', 'let $x := 0 return $x return $x + 1')
def test_abbreviated_flowr_provides_expected_iteration_variable_in_value_clause():
html_body = """
<p>one</p>
<p>two</p>
<p>three</p>"""
assert query_html_doc(html_body, '//p -> $_/text()') == expected_result("""
one
two
three""")
def test_nested_abbreviated_flwors_evaluate_as_expected():
html_body = """
<div>
<p>one</p>
<p>two</p>
</div>
<div>
<p>three</p>
<p>four</p>
<p>five</p>
</div>"""
assert query_html_doc(html_body, '//div -> $_/p[odd()] -> $_/text()') == expected_result("""
<|code_end|>
, determine the next line of code. You have imports:
from hq.hquery.syntax_error import HquerySyntaxError
from pytest import raises
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context (class names, function names, or code) available:
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
. Output only the next line. | one |
Given snippet: <|code_start|> <p>one</p>
<p>two</p>
<p>three</p>"""
assert query_html_doc(html_body, 'for $x in //p return $x/text()') == expected_result("""
one
two
three""")
def test_flwor_variable_declaration_within_iteration():
query = 'for $x in (1 to 2) let $y := concat("Thing ", string($x)) return $y'
assert query_html_doc('', query) == expected_result("""
Thing 1
Thing 2""")
def test_rooted_location_paths_work_with_both_kinds_of_slash():
html_body = """
<section>
<div>
<div>foo</div>
</div>
</section>
<section>
<div>
<div>bar</div>
</div>
</section>"""
assert query_html_doc(html_body, 'for $x in //section return $x/div') == expected_result("""
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from hq.hquery.syntax_error import HquerySyntaxError
from pytest import raises
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context:
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
which might include code, classes, or functions. Output only the next line. | <div> |
Predict the next line for this snippet: <|code_start|> </section>"""
assert query_html_doc(html_body, 'for $x in //section return $x/div') == expected_result("""
<div>
<div>
foo
</div>
</div>
<div>
<div>
bar
</div>
</div>""")
assert query_html_doc(html_body, 'for $x in //section return $x//div') == expected_result("""
<div>
<div>
foo
</div>
</div>
<div>
foo
</div>
<div>
<div>
bar
</div>
</div>
<div>
bar
<|code_end|>
with the help of current file imports:
from hq.hquery.syntax_error import HquerySyntaxError
from pytest import raises
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may contain function names, class names, or code. Output only the next line. | </div>""") |
Here is a snippet: <|code_start|> <title>Introduction</title>
</chapter>
<chapter>not selected</chapter>
<chapter>
<title>Author's Note</title>
</chapter>
<chapter>
<title>Introduction</title>
<content>Hello, I'm chapter.</content>
</chapter>
</context>"""
assert query_context_node(html, 'chapter[title="Introduction"]') == expected_result("""
<chapter>
<title>
Introduction
</title>
</chapter>
<chapter>
<title>
Introduction
</title>
<content>
Hello, I'm chapter.
</content>
</chapter>""")
def test_selects_the_chapter_children_of_the_context_node_that_have_one_or_more_title_children():
html = """
<context>
<|code_end|>
. Write the next line using the current file imports:
from hq.soup_util import make_soup
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_context_node
and context from other files:
# Path: hq/soup_util.py
# def make_soup(source):
# soup = BeautifulSoup(source, 'html.parser')
# counter = [0]
#
# def visit_node(node):
# node.hq_doc_index = counter[0]
# counter[0] += 1
# if is_tag_node(node):
# attr_names = sorted(node.attrs.keys(), key=lambda name: name.lower())
# node.hq_attrs = [AttributeNode(name, node.attrs[name]) for name in attr_names]
# for attr in node.hq_attrs:
# visit_node(attr)
#
# preorder_traverse_node_tree(soup, visit_node, filter=is_any_node)
# verbose_print('Loaded HTML document containing {0} indexed nodes.'.format(counter[0]))
# return soup
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_context_node(node_or_source, hquery):
# if not is_any_node(node_or_source):
# node_or_source = root_tag_from_soup(make_soup(node_or_source))
# raw_result = HqueryProcessor(hquery).query(node_or_source)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result).strip())
, which may include functions, classes, or code. Output only the next line. | <chapter> |
Continue the code snippet: <|code_start|> assert query_context_node(html, '*') == expected_result("""
<element>
selected
</element>
<para>
also selected
</para>""")
def test_selects_all_text_node_children_of_the_context_node():
html = """
<context>
first
<element>second</element>
third
</context>"""
actual = query_context_node(html, 'text()')
assert 'first' in actual
assert 'second' not in actual
assert 'third' in actual
def test_selects_the_name_attribute_of_the_context_node():
html = '<context name="value">not value</context>'
assert query_context_node(html, '@name') == expected_result('name="value"')
def test_selects_all_the_attributes_of_the_context_node():
html = '<context first="first value" second="second value" third="third value"></context>'
assert query_context_node(html, '@*') == expected_result('''
<|code_end|>
. Use current file imports:
from hq.soup_util import make_soup
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_context_node
and context (classes, functions, or code) from other files:
# Path: hq/soup_util.py
# def make_soup(source):
# soup = BeautifulSoup(source, 'html.parser')
# counter = [0]
#
# def visit_node(node):
# node.hq_doc_index = counter[0]
# counter[0] += 1
# if is_tag_node(node):
# attr_names = sorted(node.attrs.keys(), key=lambda name: name.lower())
# node.hq_attrs = [AttributeNode(name, node.attrs[name]) for name in attr_names]
# for attr in node.hq_attrs:
# visit_node(attr)
#
# preorder_traverse_node_tree(soup, visit_node, filter=is_any_node)
# verbose_print('Loaded HTML document containing {0} indexed nodes.'.format(counter[0]))
# return soup
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_context_node(node_or_source, hquery):
# if not is_any_node(node_or_source):
# node_or_source = root_tag_from_soup(make_soup(node_or_source))
# raw_result = HqueryProcessor(hquery).query(node_or_source)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result).strip())
. Output only the next line. | first="first value" |
Next line prediction: <|code_start|> five point two
</section>""")
def test_selects_the_para_element_descendants_of_the_chapter_element_children_of_the_context_node():
html = """
<context>
<para>not selected</para>
<chapter>
<para>
<para>selected</para>
</para>
</chapter>
</context>"""
assert query_context_node(html, 'chapter//para') == expected_result("""
<para>
<para>
selected
</para>
</para>
<para>
selected
</para>""")
def test_selects_all_the_para_descendants_of_the_document_root_and_thus_selects_all_para_elements_in_the_same_document_as_the_context_node():
html = """
<root>
<para>
<para>selected</para>
<|code_end|>
. Use current file imports:
(from hq.soup_util import make_soup
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_context_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/soup_util.py
# def make_soup(source):
# soup = BeautifulSoup(source, 'html.parser')
# counter = [0]
#
# def visit_node(node):
# node.hq_doc_index = counter[0]
# counter[0] += 1
# if is_tag_node(node):
# attr_names = sorted(node.attrs.keys(), key=lambda name: name.lower())
# node.hq_attrs = [AttributeNode(name, node.attrs[name]) for name in attr_names]
# for attr in node.hq_attrs:
# visit_node(attr)
#
# preorder_traverse_node_tree(soup, visit_node, filter=is_any_node)
# verbose_print('Loaded HTML document containing {0} indexed nodes.'.format(counter[0]))
# return soup
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_context_node(node_or_source, hquery):
# if not is_any_node(node_or_source):
# node_or_source = root_tag_from_soup(make_soup(node_or_source))
# raw_result = HqueryProcessor(hquery).query(node_or_source)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result).strip())
. Output only the next line. | </para> |
Predict the next line for this snippet: <|code_start|>
def test_location_path_works_as_interpolated_string_expression():
assert query_html_doc("<div>world</div>", '`Hello, ${//div/text()}!`') == expected_result('Hello, world!')
def test_element_node_becomes_normalized_text_contents_in_interpolated_string():
html_body = """
<p>
foo bar
</p>"""
assert query_html_doc(html_body, '`-->${//p}<--`') == expected_result('-->foo bar<--')
def test_text_between_embedded_expressions_gets_picked_up():
html_body = """
<p>one</p>
<p>two</p>
<p>three</p>"""
assert query_html_doc(html_body, 'let $_ := 2 return `${//p[1]}, $_, ${//p[3]}`') == 'one, 2, three'
def test_join_filter_joins_string_values_from_node_set():
html_body = """
<p>one</p>
<|code_end|>
with the help of current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may contain function names, class names, or code. Output only the next line. | <p>two</p> |
Continue the code snippet: <|code_start|> assert query_html_doc(html_body, '`${tru:23:?://p}`') == expected_result('The quick brown fox?')
def test_truncate_filter_defaults_to_no_suffix():
html_body = '<p>short, sharp shock</p>'
assert query_html_doc(html_body, '`${tru:15:://p}`') == expected_result('short, sharp')
def test_regex_replace_filter_replaces_stuff_with_other_stuff():
html_body = '<span>May 25, 1979<span>'
assert query_html_doc(html_body, r'`${rr:(\w+) (\d+)(, \d+):\2th of \1\3:://span}`') == '25th of May, 1979'
def test_use_of_escapes_for_forbidden_characters_in_regex_replace_patterns():
assert query_html_doc('', r"""`it's ${rr:\w{3}:dog::"a cat's"} life`""") == "it's a dog's life"
assert query_html_doc('', r'`${rr:: ::: let $x := "re: " return concat($x, "search")}`') == 'research'
def test_regex_replace_filter_can_be_used_to_replace_unicode_characters():
assert query_html_doc('', u'`${rr: : :: "non-breaking\u00a0space"}`') == 'non-breaking space'
def test_filters_chain_left_to_right():
html_body = """
<p>one</p>
<p>two</p>
<p>three</p>"""
assert query_html_doc(html_body, '`${j:, :tru:12: ...://p} whatever!`') == 'one, two, ... whatever!'
<|code_end|>
. Use current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context (classes, functions, or code) from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
. Output only the next line. | def test_character_escape_is_not_prematurely_decoded_in_interpolated_string(): |
Next line prediction: <|code_start|> raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
def evaluate(self):
return JsonArray([self._make_array_item(item) for item in make_sequence(self.contents())])
<|code_end|>
. Use current file imports:
(import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def _make_array_item(self, value): |
Next line prediction: <|code_start|>
class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
<|code_end|>
. Use current file imports:
(import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def __repr__(self): |
Continue the code snippet: <|code_start|>class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
<|code_end|>
. Use current file imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and context (classes, functions, or code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def evaluate(self): |
Predict the next line after this snippet: <|code_start|>
class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
<|code_end|>
using the current file's imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and any relevant context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | contents.__class__.__name__)) |
Next line prediction: <|code_start|>class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
def evaluate(self):
return JsonArray([self._make_array_item(item) for item in make_sequence(self.contents())])
def _make_array_item(self, value):
if is_tag_node(value):
self._gab(lambda: 'appending text contents of element "{0}" to array'.format(debug_dump_anything(value)))
return string_value(value)
elif is_text_node(value) or is_string(value):
value = string_value(value)
self._gab(lambda: u'appending text "{0}" to array'.format(debug_dump_anything(value)))
return value
elif is_boolean(value) or is_number(value):
self._gab(lambda: 'appending {0} to array'.format(debug_dump_anything(value)))
return value.value
elif is_hash(value):
self._gab(lambda: u'appending JSON {0} to array'.format(debug_dump_anything(value)))
return value.contents
<|code_end|>
. Use current file imports:
(import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | else: |
Here is a snippet: <|code_start|> raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
def evaluate(self):
return JsonArray([self._make_array_item(item) for item in make_sequence(self.contents())])
<|code_end|>
. Write the next line using the current file imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
, which may include functions, classes, or code. Output only the next line. | def _make_array_item(self, value): |
Predict the next line after this snippet: <|code_start|>
class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
<|code_end|>
using the current file's imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and any relevant context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | self.contents = None |
Continue the code snippet: <|code_start|> raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
def evaluate(self):
return JsonArray([self._make_array_item(item) for item in make_sequence(self.contents())])
<|code_end|>
. Use current file imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and context (classes, functions, or code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def _make_array_item(self, value): |
Given the following code snippet before the placeholder: <|code_start|>
class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
<|code_end|>
, predict the next line using imports from the current file:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | return 'ARRAY {0}'.format(repr(self.contents)) |
Predict the next line after this snippet: <|code_start|>
class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
<|code_end|>
using the current file's imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and any relevant context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | return 'ARRAY {0}'.format(repr(self.contents)) |
Using the snippet: <|code_start|>class JsonArray:
def __init__(self, contents):
if not isinstance(contents, list):
raise HqueryEvaluationError('Attempted to construct a JSON array based on a(n) {0} object'.format(
contents.__class__.__name__))
self.contents = contents
def __repr__(self):
return 'ARRAY {0}'.format(repr(self.contents))
def __str__(self):
return json.dumps(self.contents)
class ComputedJsonArrayConstructor:
def __init__(self):
self.contents = None
def set_contents(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('computed JSON array constructor already has contents')
self.contents = expression_fn
<|code_end|>
, determine the next line of code. You have imports:
import json
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import string_value, is_string, debug_dump_anything, is_hash, \
is_boolean, is_number
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import is_tag_node, is_text_node
from hq.verbosity import verbose_print
and context (class names, function names, or code) available:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_string(obj):
# return is_a_string(obj)
#
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# def is_hash(obj):
# return obj.__class__.__name__ == 'JsonHash'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def evaluate(self): |
Given the following code snippet before the placeholder: <|code_start|>
def test_tolerates_latin_characters_in_element_contents(capsys, mocker):
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//div')
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u"""
<div>
T\xeate\xa0\xe0\xa0t\xeate
</div>""")
main()
actual, _ = capture_console_output(capsys)
assert actual == expected_result(u"""
<|code_end|>
, predict the next line using imports from the current file:
from hq.hq import main
from test.common_test_util import expected_result, wrap_html_body, simulate_args_dict, capture_console_output
and context including class names, function names, and sometimes code from other files:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
. Output only the next line. | <div> |
Based on the snippet: <|code_start|>
def test_tolerates_latin_characters_in_element_contents(capsys, mocker):
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//div')
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u"""
<|code_end|>
, predict the immediate next line with the help of imports:
from hq.hq import main
from test.common_test_util import expected_result, wrap_html_body, simulate_args_dict, capture_console_output
and context (classes, functions, sometimes code) from other files:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
. Output only the next line. | <div> |
Using the snippet: <|code_start|>
def test_tolerates_latin_characters_in_element_contents(capsys, mocker):
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//div')
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u"""
<div>
T\xeate\xa0\xe0\xa0t\xeate
</div>""")
main()
actual, _ = capture_console_output(capsys)
assert actual == expected_result(u"""
<div>
T\xeate\xa0\xe0\xa0t\xeate
</div>""")
def test_tolerates_latin_characters_in_attribute_contents(capsys, mocker):
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//div/@role')
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u"""
<div role="prim\xe4r">
</div>""")
main()
actual, _ = capture_console_output(capsys)
assert actual == expected_result(u'role="prim\xe4r"')
<|code_end|>
, determine the next line of code. You have imports:
from hq.hq import main
from test.common_test_util import expected_result, wrap_html_body, simulate_args_dict, capture_console_output
and context (class names, function names, or code) available:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
. Output only the next line. | def test_tolerates_latin_characters_in_comments(capsys, mocker): |
Predict the next line for this snippet: <|code_start|>
def test_tolerates_latin_characters_in_element_contents(capsys, mocker):
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//div')
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u"""
<|code_end|>
with the help of current file imports:
from hq.hq import main
from test.common_test_util import expected_result, wrap_html_body, simulate_args_dict, capture_console_output
and context from other files:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
, which may contain function names, class names, or code. Output only the next line. | <div> |
Based on the snippet: <|code_start|>
def convert_results_to_output_text(results, pretty=True, preserve_space=False):
if is_sequence(results):
return '\n'.join(value_object_to_text(object, pretty, preserve_space) for object in results)
else:
return value_object_to_text(results, pretty, preserve_space)
<|code_end|>
, predict the immediate next line with the help of imports:
from builtins import str
from .hquery.object_type import is_sequence
from .soup_util import is_text_node, is_attribute_node, is_comment_node, is_tag_node, derive_text_from_node, \
is_root_node
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/object_type.py
# def is_sequence(obj):
# return isinstance(obj, list)
#
# Path: hq/soup_util.py
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def derive_text_from_node(obj, preserve_space=False):
# if is_tag_node(obj) or is_root_node(obj):
# result = u''
# strings = list(obj.strings)
# cursor = 0
# for run in (strings if preserve_space else obj.stripped_strings):
# if preserve_space:
# add_space = False
# else:
# while cursor < len(strings):
# if run in strings[cursor]:
# break
# else:
# cursor += 1
# if cursor < len(strings):
# add_space = strings[cursor][0].isspace() or (cursor > 0 and strings[cursor - 1][-1].isspace())
# else:
# add_space = False
# result += u'{0}{1}'.format(' ' if add_space else '', run)
# elif is_attribute_node(obj):
# result = obj.value
# elif is_text_node(obj):
# result = str(obj)
# else:
# raise RuntimeError("don't know how to derive test from {0}".format(debug_dump_node(obj)))
#
# if not preserve_space:
# result = re.sub(u'\u00a0', ' ', result)
# result = re.sub(r'\s+', ' ', result).strip()
#
# return result
#
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
. Output only the next line. | def value_object_to_text(obj, pretty, preserve_space): |
Here is a snippet: <|code_start|>
def convert_results_to_output_text(results, pretty=True, preserve_space=False):
if is_sequence(results):
return '\n'.join(value_object_to_text(object, pretty, preserve_space) for object in results)
<|code_end|>
. Write the next line using the current file imports:
from builtins import str
from .hquery.object_type import is_sequence
from .soup_util import is_text_node, is_attribute_node, is_comment_node, is_tag_node, derive_text_from_node, \
is_root_node
and context from other files:
# Path: hq/hquery/object_type.py
# def is_sequence(obj):
# return isinstance(obj, list)
#
# Path: hq/soup_util.py
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def derive_text_from_node(obj, preserve_space=False):
# if is_tag_node(obj) or is_root_node(obj):
# result = u''
# strings = list(obj.strings)
# cursor = 0
# for run in (strings if preserve_space else obj.stripped_strings):
# if preserve_space:
# add_space = False
# else:
# while cursor < len(strings):
# if run in strings[cursor]:
# break
# else:
# cursor += 1
# if cursor < len(strings):
# add_space = strings[cursor][0].isspace() or (cursor > 0 and strings[cursor - 1][-1].isspace())
# else:
# add_space = False
# result += u'{0}{1}'.format(' ' if add_space else '', run)
# elif is_attribute_node(obj):
# result = obj.value
# elif is_text_node(obj):
# result = str(obj)
# else:
# raise RuntimeError("don't know how to derive test from {0}".format(debug_dump_node(obj)))
#
# if not preserve_space:
# result = re.sub(u'\u00a0', ' ', result)
# result = re.sub(r'\s+', ' ', result).strip()
#
# return result
#
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
, which may include functions, classes, or code. Output only the next line. | else: |
Here is a snippet: <|code_start|>
def convert_results_to_output_text(results, pretty=True, preserve_space=False):
if is_sequence(results):
return '\n'.join(value_object_to_text(object, pretty, preserve_space) for object in results)
else:
return value_object_to_text(results, pretty, preserve_space)
def value_object_to_text(obj, pretty, preserve_space):
if is_comment_node(obj):
return u'<!-- {0} -->'.format(str(obj).strip())
elif is_tag_node(obj) or is_root_node(obj):
return obj.prettify().rstrip(' \t\n') if pretty else str(obj)
elif is_attribute_node(obj):
return u'{0}="{1}"'.format(obj.name, derive_text_from_node(obj, preserve_space=preserve_space))
elif is_text_node(obj):
return derive_text_from_node(obj, preserve_space=preserve_space)
<|code_end|>
. Write the next line using the current file imports:
from builtins import str
from .hquery.object_type import is_sequence
from .soup_util import is_text_node, is_attribute_node, is_comment_node, is_tag_node, derive_text_from_node, \
is_root_node
and context from other files:
# Path: hq/hquery/object_type.py
# def is_sequence(obj):
# return isinstance(obj, list)
#
# Path: hq/soup_util.py
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def derive_text_from_node(obj, preserve_space=False):
# if is_tag_node(obj) or is_root_node(obj):
# result = u''
# strings = list(obj.strings)
# cursor = 0
# for run in (strings if preserve_space else obj.stripped_strings):
# if preserve_space:
# add_space = False
# else:
# while cursor < len(strings):
# if run in strings[cursor]:
# break
# else:
# cursor += 1
# if cursor < len(strings):
# add_space = strings[cursor][0].isspace() or (cursor > 0 and strings[cursor - 1][-1].isspace())
# else:
# add_space = False
# result += u'{0}{1}'.format(' ' if add_space else '', run)
# elif is_attribute_node(obj):
# result = obj.value
# elif is_text_node(obj):
# result = str(obj)
# else:
# raise RuntimeError("don't know how to derive test from {0}".format(debug_dump_node(obj)))
#
# if not preserve_space:
# result = re.sub(u'\u00a0', ' ', result)
# result = re.sub(r'\s+', ' ', result).strip()
#
# return result
#
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
, which may include functions, classes, or code. Output only the next line. | else: |
Here is a snippet: <|code_start|>
def convert_results_to_output_text(results, pretty=True, preserve_space=False):
if is_sequence(results):
return '\n'.join(value_object_to_text(object, pretty, preserve_space) for object in results)
else:
return value_object_to_text(results, pretty, preserve_space)
def value_object_to_text(obj, pretty, preserve_space):
if is_comment_node(obj):
return u'<!-- {0} -->'.format(str(obj).strip())
elif is_tag_node(obj) or is_root_node(obj):
return obj.prettify().rstrip(' \t\n') if pretty else str(obj)
elif is_attribute_node(obj):
return u'{0}="{1}"'.format(obj.name, derive_text_from_node(obj, preserve_space=preserve_space))
elif is_text_node(obj):
return derive_text_from_node(obj, preserve_space=preserve_space)
else:
<|code_end|>
. Write the next line using the current file imports:
from builtins import str
from .hquery.object_type import is_sequence
from .soup_util import is_text_node, is_attribute_node, is_comment_node, is_tag_node, derive_text_from_node, \
is_root_node
and context from other files:
# Path: hq/hquery/object_type.py
# def is_sequence(obj):
# return isinstance(obj, list)
#
# Path: hq/soup_util.py
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def derive_text_from_node(obj, preserve_space=False):
# if is_tag_node(obj) or is_root_node(obj):
# result = u''
# strings = list(obj.strings)
# cursor = 0
# for run in (strings if preserve_space else obj.stripped_strings):
# if preserve_space:
# add_space = False
# else:
# while cursor < len(strings):
# if run in strings[cursor]:
# break
# else:
# cursor += 1
# if cursor < len(strings):
# add_space = strings[cursor][0].isspace() or (cursor > 0 and strings[cursor - 1][-1].isspace())
# else:
# add_space = False
# result += u'{0}{1}'.format(' ' if add_space else '', run)
# elif is_attribute_node(obj):
# result = obj.value
# elif is_text_node(obj):
# result = str(obj)
# else:
# raise RuntimeError("don't know how to derive test from {0}".format(debug_dump_node(obj)))
#
# if not preserve_space:
# result = re.sub(u'\u00a0', ' ', result)
# result = re.sub(r'\s+', ' ', result).strip()
#
# return result
#
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
, which may include functions, classes, or code. Output only the next line. | return str(obj) |
Given the code snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | if self.contents is not None: |
Given the code snippet: <|code_start|> self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed attribute constructor'.format(value_desc)
)
return AttributeNode(self.name, result)
def _append_to_contents(self, so_far, more_content):
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | return '{0}{1}{2}'.format(so_far, ' ' if len(so_far) > 0 else '', more_content) |
Given the code snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | 'Cannot use {0} as a content object in a computed attribute constructor'.format(value_desc) |
Next line prediction: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
<|code_end|>
. Use current file imports:
(from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | result = '' |
Using the snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
<|code_end|>
, determine the next line of code. You have imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (class names, function names, or code) available:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | self.contents = None |
Next line prediction: <|code_start|> self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed attribute constructor'.format(value_desc)
)
return AttributeNode(self.name, result)
def _append_to_contents(self, so_far, more_content):
<|code_end|>
. Use current file imports:
(from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | return '{0}{1}{2}'.format(so_far, ' ' if len(so_far) > 0 else '', more_content) |
Given the code snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed attribute constructor'.format(value_desc)
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | ) |
Here is a snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
<|code_end|>
. Write the next line using the current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
, which may include functions, classes, or code. Output only the next line. | else: |
Based on the snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
<|code_end|>
, predict the immediate next line with the help of imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | result = self._append_to_contents(result, value.value) |
Predict the next line for this snippet: <|code_start|>
class ComputedHtmlAttributeConstructor:
def __init__(self, name):
self.name = name
self.contents = None
<|code_end|>
with the help of current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
, which may contain function names, class names, or code. Output only the next line. | def set_content(self, expression_fn): |
Based on the snippet: <|code_start|> self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed attribute constructor already has contents')
self.contents = expression_fn
def evaluate(self):
result = ''
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_string(value) or is_number(value) or is_boolean(value):
result = self._append_to_contents(result, str(value))
elif is_attribute_node(value):
result = self._append_to_contents(result, value.value)
elif is_tag_node(value):
result = self._append_to_contents(result, string_value(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed attribute constructor'.format(value_desc)
)
return AttributeNode(self.name, result)
def _append_to_contents(self, so_far, more_content):
<|code_end|>
, predict the immediate next line with the help of imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, is_number, is_boolean, object_type_name, string_value
from hq.hquery.sequences import make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, AttributeNode, is_attribute_node, is_tag_node
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
. Output only the next line. | return '{0}{1}{2}'.format(so_far, ' ' if len(so_far) > 0 else '', more_content) |
Based on the snippet: <|code_start|>from __future__ import print_function
indent_level = 0
def set_verbosity(verbose):
setattr(settings, 'VERBOSE', verbose)
def push_indent():
global indent_level
indent_level += 2
def pop_indent():
global indent_level
<|code_end|>
, predict the immediate next line with the help of imports:
import sys
from .config import settings
from .string_util import is_a_string
and context (classes, functions, sometimes code) from other files:
# Path: hq/config.py
# class settings:
# VERBOSE = False
#
# Path: hq/string_util.py
# def is_a_string(obj):
# class_name = obj.__class__.__name__
# return class_name.endswith('str') or class_name.endswith('unicode')
. Output only the next line. | indent_level -= 2 |
Given the code snippet: <|code_start|>from __future__ import print_function
indent_level = 0
def set_verbosity(verbose):
setattr(settings, 'VERBOSE', verbose)
def push_indent():
<|code_end|>
, generate the next line using the imports in this file:
import sys
from .config import settings
from .string_util import is_a_string
and context (functions, classes, or occasionally code) from other files:
# Path: hq/config.py
# class settings:
# VERBOSE = False
#
# Path: hq/string_util.py
# def is_a_string(obj):
# class_name = obj.__class__.__name__
# return class_name.endswith('str') or class_name.endswith('unicode')
. Output only the next line. | global indent_level |
Here is a snippet: <|code_start|>
def test_if_then_else_works_with_literal_conditions():
assert query_html_doc('', 'if (true()) then "foo" else "bar"') == 'foo'
assert query_html_doc('', 'if ("") then "foo" else "bar"') == 'bar'
assert query_html_doc('', 'if (0.001) then "foo" else "bar"') == 'foo'
def test_if_then_else_works_with_node_sets():
html_body = """
<p>eekaboo</p>"""
assert query_html_doc(html_body, 'if (//p) then //p else 1 to 3') == expected_result("""
<p>
<|code_end|>
. Write the next line using the current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may include functions, classes, or code. Output only the next line. | eekaboo |
Here is a snippet: <|code_start|>
def test_if_then_else_works_with_literal_conditions():
assert query_html_doc('', 'if (true()) then "foo" else "bar"') == 'foo'
assert query_html_doc('', 'if ("") then "foo" else "bar"') == 'bar'
assert query_html_doc('', 'if (0.001) then "foo" else "bar"') == 'foo'
def test_if_then_else_works_with_node_sets():
html_body = """
<p>eekaboo</p>"""
assert query_html_doc(html_body, 'if (//p) then //p else 1 to 3') == expected_result("""
<p>
eekaboo
</p>""")
assert query_html_doc(html_body, 'if (//div) then //p else 1 to 3') == expected_result("""
<|code_end|>
. Write the next line using the current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may include functions, classes, or code. Output only the next line. | 1 |
Next line prediction: <|code_start|> assert query_html_doc('', '(2+3)*3') == expected_result('15')
assert query_html_doc('', '3*(3+2)') == expected_result('15')
assert query_html_doc('', '2+3*3 != (2+3)*3') == expected_result('true')
def test_union_operator_combines_node_sets():
html_body = """
<div>one</div>
<div>two</div>
<p>three</p>"""
assert query_html_doc(html_body, '//div | //p') == expected_result("""
<div>
one
</div>
<div>
two
</div>
<p>
three
</p>""")
def test_union_operator_produces_node_set_sorted_in_document_order():
html_body = """
<div>one</div>
<p>two</p>
<div>three</div>"""
assert query_html_doc(html_body, '//p | //div') == expected_result("""
<div>
one
<|code_end|>
. Use current file imports:
(from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc)
and context including class names, function names, or small code snippets from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
. Output only the next line. | </div> |
Given snippet: <|code_start|>
def test_parentheses_boost_precedence():
assert query_html_doc('', '(2+3)*3') == expected_result('15')
assert query_html_doc('', '3*(3+2)') == expected_result('15')
assert query_html_doc('', '2+3*3 != (2+3)*3') == expected_result('true')
def test_union_operator_combines_node_sets():
html_body = """
<div>one</div>
<div>two</div>
<p>three</p>"""
assert query_html_doc(html_body, '//div | //p') == expected_result("""
<div>
one
</div>
<div>
two
</div>
<p>
three
</p>""")
def test_union_operator_produces_node_set_sorted_in_document_order():
html_body = """
<div>one</div>
<p>two</p>
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
which might include code, classes, or functions. Output only the next line. | <div>three</div>""" |
Predict the next line for this snippet: <|code_start|>exports = ('boolean', 'false', 'not_', 'true')
class boolean:
def __init__(self, obj):
if is_node_set(obj):
self.value = len(obj) > 0
elif is_number(obj):
f = float(obj)
self.value = bool(f) and not isnan(f)
else:
self.value = bool(obj)
def __bool__(self):
return self.value
def __nonzero__(self):
return self.__bool__()
def __str__(self):
return str(self.value).lower()
def __eq__(self, other):
return is_boolean(other) and self.value == other.value
def __repr__(self):
return 'boolean({0})'.format(self.value)
<|code_end|>
with the help of current file imports:
from math import isnan
from hq.hquery.object_type import is_node_set, is_number, is_boolean
and context from other files:
# Path: hq/hquery/object_type.py
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
, which may contain function names, class names, or code. Output only the next line. | def false(): |
Predict the next line for this snippet: <|code_start|>
exports = ('boolean', 'false', 'not_', 'true')
class boolean:
def __init__(self, obj):
if is_node_set(obj):
self.value = len(obj) > 0
elif is_number(obj):
f = float(obj)
self.value = bool(f) and not isnan(f)
<|code_end|>
with the help of current file imports:
from math import isnan
from hq.hquery.object_type import is_node_set, is_number, is_boolean
and context from other files:
# Path: hq/hquery/object_type.py
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
, which may contain function names, class names, or code. Output only the next line. | else: |
Based on the snippet: <|code_start|>exports = ('boolean', 'false', 'not_', 'true')
class boolean:
def __init__(self, obj):
if is_node_set(obj):
self.value = len(obj) > 0
elif is_number(obj):
f = float(obj)
self.value = bool(f) and not isnan(f)
else:
self.value = bool(obj)
def __bool__(self):
return self.value
def __nonzero__(self):
return self.__bool__()
def __str__(self):
return str(self.value).lower()
def __eq__(self, other):
return is_boolean(other) and self.value == other.value
def __repr__(self):
return 'boolean({0})'.format(self.value)
<|code_end|>
, predict the immediate next line with the help of imports:
from math import isnan
from hq.hquery.object_type import is_node_set, is_number, is_boolean
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/object_type.py
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
. Output only the next line. | def false(): |
Given the following code snippet before the placeholder: <|code_start|>
class ComputedHashKeyValueConstructor:
def __init__(self, key):
self.key = key
self.value_fn = None
def set_value(self, fn):
self.value_fn = fn
def evaluate(self):
verbose_print('Evaluating value expression for constructed hash key "{0}"'.format(self.key), indent_after=True)
value = self.value_fn()
msg = u'Finished evaluating; value of constructed hash key "{0}" is {1}'
verbose_print(lambda: msg.format(self.key, debug_dump_anything(value)), outdent_before=True)
<|code_end|>
, predict the next line using imports from the current file:
from hq.hquery.object_type import debug_dump_anything
from hq.verbosity import verbose_print
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | return HashKeyValue(self.key, value) |
Next line prediction: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
<|code_end|>
. Use current file imports:
(from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | result.append(self._clone_tag(value)) |
Based on the snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
result.append(self._clone_tag(value))
elif is_attribute_node(value):
result[value.name] = value.value
elif is_string(value) or is_number(value) or is_boolean(value):
result.append(str(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
<|code_end|>
, predict the immediate next line with the help of imports:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | 'Cannot use {0} as a content object in a computed element constructor'.format(value_desc) |
Given the code snippet: <|code_start|>
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
result.append(self._clone_tag(value))
elif is_attribute_node(value):
result[value.name] = value.value
elif is_string(value) or is_number(value) or is_boolean(value):
result.append(str(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed element constructor'.format(value_desc)
)
return make_node_set(result)
def _clone_tag(self, tag):
name = tag.name
<|code_end|>
, generate the next line using the imports in this file:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | soup = BeautifulSoup(str(tag), 'html.parser') |
Here is a snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
<|code_end|>
. Write the next line using the current file imports:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
, which may include functions, classes, or code. Output only the next line. | result = getattr(soup, self.name) |
Predict the next line after this snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
<|code_end|>
using the current file's imports:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and any relevant context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | result.append(self._clone_tag(value)) |
Given the following code snippet before the placeholder: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
result.append(self._clone_tag(value))
elif is_attribute_node(value):
result[value.name] = value.value
elif is_string(value) or is_number(value) or is_boolean(value):
result.append(str(value))
else:
value_desc = debug_dump_node(value) if is_any_node(value) else object_type_name(value)
raise HqueryEvaluationError(
'Cannot use {0} as a content object in a computed element constructor'.format(value_desc)
<|code_end|>
, predict the next line using imports from the current file:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | ) |
Given the code snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
<|code_end|>
, generate the next line using the imports in this file:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | def evaluate(self): |
Given snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
self.contents = expression_fn
def evaluate(self):
soup = BeautifulSoup('<{0}></{0}>'.format(self.name), 'html.parser')
result = getattr(soup, self.name)
for value in make_sequence(self.contents()) if self.contents is not None else []:
if is_tag_node(value):
result.append(self._clone_tag(value))
elif is_attribute_node(value):
<|code_end|>
, continue by predicting the next line. Consider current file imports:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
which might include code, classes, or functions. Output only the next line. | result[value.name] = value.value |
Based on the snippet: <|code_start|>
class ComputedHtmlElementConstructor:
def __init__(self, name):
self.name = name
self.contents = None
def set_content(self, expression_fn):
if self.contents is not None:
raise HquerySyntaxError('Computed element constructor already has contents')
<|code_end|>
, predict the immediate next line with the help of imports:
from bs4 import BeautifulSoup
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import is_string, object_type_name, is_number, is_boolean
from hq.hquery.sequences import make_node_set, make_sequence
from hq.hquery.syntax_error import HquerySyntaxError
from hq.soup_util import debug_dump_node, is_any_node, is_tag_node, is_attribute_node
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def is_string(obj):
# return is_a_string(obj)
#
# def object_type_name(obj):
# result = 'NULL OR UNKNOWN TYPE'
#
# if obj is not None:
# if isinstance(obj, int):
# index = obj
# else:
# index = object_type(obj)
# result = TYPE_NAMES[index]
#
# return result
#
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# Path: hq/hquery/syntax_error.py
# class HquerySyntaxError(ValueError):
# pass
#
# Path: hq/soup_util.py
# def debug_dump_node(obj):
# if is_root_node(obj):
# return 'ROOT DOCUMENT'
# elif is_tag_node(obj):
# return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
# elif is_attribute_node(obj):
# return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
# elif is_text_node(obj):
# return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
# elif is_comment_node(obj):
# return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
# else:
# return 'NODE type {0}'.format(obj.__class__.__name__)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
. Output only the next line. | self.contents = expression_fn |
Here is a snippet: <|code_start|>
class FunctionSupport:
all_functions = None
def call_function(self, name, *args):
self._load_all_functions()
py_name = name.replace('-', '_')
<|code_end|>
. Write the next line using the current file imports:
import os
import re
from inspect import isclass, isfunction
from pkgutil import walk_packages
from hq.verbosity import verbose_print
from hq.hquery.evaluation_error import HqueryEvaluationError
and context from other files:
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
#
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
, which may include functions, classes, or code. Output only the next line. | try: |
Based on the snippet: <|code_start|>
class FunctionSupport:
all_functions = None
def call_function(self, name, *args):
self._load_all_functions()
py_name = name.replace('-', '_')
try:
<|code_end|>
, predict the immediate next line with the help of imports:
import os
import re
from inspect import isclass, isfunction
from pkgutil import walk_packages
from hq.verbosity import verbose_print
from hq.hquery.evaluation_error import HqueryEvaluationError
and context (classes, functions, sometimes code) from other files:
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
#
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
. Output only the next line. | fn = self.all_functions[py_name] |
Next line prediction: <|code_start|>
exports = ('ceiling', 'floor', 'number', 'round_', 'sum')
class number:
def __init__(self, obj):
if isinstance(obj, number):
self.value = obj.value
elif is_boolean(obj):
<|code_end|>
. Use current file imports:
(import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | self.value = 1 if obj else 0 |
Next line prediction: <|code_start|> def __repr__(self):
return 'number({0})'.format(str(self.value))
@staticmethod
def _int_or_float(numeric_value):
if isinstance(numeric_value, int) or numeric_value % 1 != 0:
return numeric_value
else:
return int(numeric_value)
@staticmethod
def _value_of_other_operand(other):
return other.value if is_number(other) else other
def ceiling(value):
return number(math.ceil(value.value))
def floor(value):
return number(math.floor(value.value))
def round_(*args):
if len(args) == 0:
raise HqueryEvaluationError('round() function requires at least one argument')
value = args[0]
if math.isnan(value.value):
return value
else:
<|code_end|>
. Use current file imports:
(import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | return number(round(value.value, 0 if len(args) < 2 else args[1].value)) |
Given the following code snippet before the placeholder: <|code_start|>
exports = ('ceiling', 'floor', 'number', 'round_', 'sum')
class number:
def __init__(self, obj):
if isinstance(obj, number):
self.value = obj.value
elif is_boolean(obj):
self.value = 1 if obj else 0
elif is_node_set(obj) or is_any_node(obj):
self.value = self._int_or_float(float(string_value(obj)))
else:
try:
self.value = self._int_or_float(float(obj))
except ValueError:
self.value = float('nan')
def __float__(self):
return float(self.value)
def __int__(self):
return int(self.value)
def __str__(self):
result = str(self.value)
<|code_end|>
, predict the next line using imports from the current file:
import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | if result == 'nan': |
Next line prediction: <|code_start|> return float(self.value)
def __int__(self):
return int(self.value)
def __str__(self):
result = str(self.value)
if result == 'nan':
result = 'NaN'
return result
def __hash__(self):
return self.value.__hash__()
def __add__(self, other):
return number(self.value + self._value_of_other_operand(other))
def __sub__(self, other):
return number(self.value - self._value_of_other_operand(other))
def __neg__(self):
return number(-self.value)
def __mul__(self, other):
return number(self.value * self._value_of_other_operand(other))
def __div__(self, other):
return self.__truediv__(other)
def __truediv__(self, other):
<|code_end|>
. Use current file imports:
(import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | other = self._value_of_other_operand(other) |
Next line prediction: <|code_start|> return number(self.value / other)
def __mod__(self, other):
return number(self.value % self._value_of_other_operand(other))
def __eq__(self, other):
return self.value == self._value_of_other_operand(other)
def __ge__(self, other):
return self.value >= self._value_of_other_operand(other)
def __gt__(self, other):
return self.value > self._value_of_other_operand(other)
def __le__(self, other):
return self.value <= self._value_of_other_operand(other)
def __lt__(self, other):
return self.value < self._value_of_other_operand(other)
def __repr__(self):
return 'number({0})'.format(str(self.value))
@staticmethod
def _int_or_float(numeric_value):
if isinstance(numeric_value, int) or numeric_value % 1 != 0:
return numeric_value
else:
return int(numeric_value)
<|code_end|>
. Use current file imports:
(import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | @staticmethod |
Given the code snippet: <|code_start|>
exports = ('ceiling', 'floor', 'number', 'round_', 'sum')
class number:
def __init__(self, obj):
if isinstance(obj, number):
self.value = obj.value
elif is_boolean(obj):
self.value = 1 if obj else 0
elif is_node_set(obj) or is_any_node(obj):
self.value = self._int_or_float(float(string_value(obj)))
else:
try:
self.value = self._int_or_float(float(obj))
except ValueError:
self.value = float('nan')
def __float__(self):
<|code_end|>
, generate the next line using the imports in this file:
import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | return float(self.value) |
Next line prediction: <|code_start|> return int(numeric_value)
@staticmethod
def _value_of_other_operand(other):
return other.value if is_number(other) else other
def ceiling(value):
return number(math.ceil(value.value))
def floor(value):
return number(math.floor(value.value))
def round_(*args):
if len(args) == 0:
raise HqueryEvaluationError('round() function requires at least one argument')
value = args[0]
if math.isnan(value.value):
return value
else:
return number(round(value.value, 0 if len(args) < 2 else args[1].value))
def sum(*args):
if len(args) >= 1:
sequence = make_sequence(args[0])
else:
sequence = make_sequence([])
<|code_end|>
. Use current file imports:
(import math
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.soup_util import is_any_node
from hq.hquery.object_type import is_number, is_node_set, string_value, is_boolean
from hq.hquery.sequences import make_sequence)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# Path: hq/hquery/object_type.py
# def is_number(obj):
# return obj.__class__.__name__ == 'number'
#
# def is_node_set(obj):
# return isinstance(obj, list) and all(is_any_node(x) for x in obj)
#
# def string_value(obj):
# if is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj):
# return derive_text_from_node(obj, peek_context().preserve_space)
# elif is_number(obj) or is_boolean(obj):
# return str(obj)
# elif is_node_set(obj):
# return string_value(obj[0]) if len(obj) > 0 else ''
# elif is_sequence(obj):
# return ''.join(string_value(item) for item in obj)
# elif is_string(obj):
# return obj
# else:
# raise NotImplementedError('string_value not implemented for type "{0}"'.format(obj.__class__.__name__))
#
# def is_boolean(obj):
# return obj.__class__.__name__ == 'boolean'
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
. Output only the next line. | if len(args) >= 2: |
Here is a snippet: <|code_start|>
def test_preserve_space_flag_turns_off_space_normalization(capsys, mocker):
hquery = '`${//p}`'
content_with_spaces = ' PyCharm rocks! '
mocker.patch('sys.stdin.read').return_value = wrap_html_body('<p>{0}</p>'.format(content_with_spaces))
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression=hquery, preserve='s')
main()
actual, _ = capture_console_output(capsys, strip=False)
assert actual == content_with_spaces
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression=hquery, preserve='')
main()
actual, _ = capture_console_output(capsys, strip=False)
assert actual == 'PyCharm rocks!'
def test_preserve_space_flag_causes_non_breaking_spaces_to_be_how_shall_we_say_preserved(capsys, mocker):
mocker.patch('sys.stdin.read').return_value = wrap_html_body(u'<p>non\u00a0breaking spaces?</p>')
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//p/text()', preserve='s')
main()
actual, _ = capture_console_output(capsys)
assert actual == u'non\u00a0breaking\u00a0spaces?'
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(expression='//p/text()', preserve='')
main()
actual, _ = capture_console_output(capsys)
<|code_end|>
. Write the next line using the current file imports:
import re
from mock import mock_open
from unittest.mock import mock_open
from hq.hq import main
from test.common_test_util import simulate_args_dict, wrap_html_body, capture_console_output
and context from other files:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
, which may include functions, classes, or code. Output only the next line. | assert actual == u'non breaking spaces?' |
Given the code snippet: <|code_start|>
def test_reading_input_from_a_file_instead_of_stdin(capsys, mocker):
expected_filename = 'filename.html'
mocked_open = mock_open(read_data=wrap_html_body('<p>foo</p>'))
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(
expression='//p/text()', file=expected_filename)
mocker.patch('hq.hq.open', mocked_open, create=True)
main()
actual, _ = capture_console_output(capsys)
mocked_open.assert_called_with(expected_filename)
assert actual == 'foo'
def test_program_flag_reads_hquery_program_from_file(capsys, mocker):
expected_filename = 'filename.hq'
mocked_open = mock_open(read_data='''
//p
->
$_/text()''')
mocker.patch('hq.hq.docopt').return_value = simulate_args_dict(
program=expected_filename)
mocker.patch('sys.stdin.read').return_value = wrap_html_body('<p>foo</p>')
mocker.patch('hq.hq.open', mocked_open, create=True)
main()
actual, _ = capture_console_output(capsys)
mocked_open.assert_called_with(expected_filename)
<|code_end|>
, generate the next line using the imports in this file:
import re
from mock import mock_open
from unittest.mock import mock_open
from hq.hq import main
from test.common_test_util import simulate_args_dict, wrap_html_body, capture_console_output
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hq.py
# def main():
# from sys import stderr, stdin # So py.tests have a chance to hook stdout & stderr
#
# args = docopt(__doc__, version='HQ {0}'.format(__version__))
# preserve_space = bool(args['--preserve'])
# set_verbosity(bool(args['--verbose']))
#
# try:
# if args['--file']:
# with open(args['--file']) as file:
# source = file.read()
# else:
# source = stdin.read()
# verbose_print('Read {0} characters of input'.format(len(source)))
# soup = make_soup(source)
#
# if args['--program']:
# with open(args['--program']) as file:
# expression = file.read()
# else:
# expression = args['<expression>']
# if len(expression) > 0:
# result = HqueryProcessor(expression, preserve_space).query(soup)
# else:
# result = [soup]
#
# print(convert_results_to_output_text(result, pretty=(not args['--ugly']), preserve_space=preserve_space))
#
# except HquerySyntaxError as error:
# print('\nSYNTAX ERROR: {0}\n'.format(str(error)), file=stderr)
# except HqueryEvaluationError as error:
# print('\nQUERY ERROR: {0}\n'.format(str(error)), file=stderr)
#
# Path: test/common_test_util.py
# def simulate_args_dict(**kwargs):
# args = {
# '<expression>': '',
# '-f': False,
# '--file': False,
# '--preserve': False,
# '--program': '',
# '-u': False,
# '--ugly': False,
# '-v': False,
# '--verbose': False
# }
# for key, value in kwargs.items():
# if key == 'expression':
# format_string = '<{0}>'
# elif len(key) == 1:
# format_string = '-{0}'
# else:
# format_string = '--{0}'
# args[format_string.format(key)] = value
# return args
#
# def wrap_html_body(contents):
# return u'<html><body>{0}</body></html>'.format(contents)
#
# def capture_console_output(capsys, strip=True):
# output, errors = capsys.readouterr()
# output = output.rstrip('\n')
# return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
. Output only the next line. | assert actual == 'foo' |
Predict the next line after this snippet: <|code_start|> def gather_css_class(self, node):
return self.gather_child(node)
def gather_descendant(self, node):
if hasattr(node, 'descendants'):
return list(node.descendants)
else:
return []
def gather_descendant_or_self(self, node):
result = self.gather_self(node)
result.extend(self.gather_descendant(node))
return result
def gather_following(self, node):
result = []
while is_tag_node(node):
for sibling in node.next_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_following_sibling(self, node):
if hasattr(node, 'next_siblings'):
return list(node.next_siblings)
<|code_end|>
using the current file's imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and any relevant context from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | else: |
Next line prediction: <|code_start|> result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_following_sibling(self, node):
if hasattr(node, 'next_siblings'):
return list(node.next_siblings)
else:
return []
def gather_parent(self, node):
if hasattr(node, 'parent') and node.parent is not None:
return [node.parent]
else:
return []
def gather_preceding(self, node):
result = []
while is_tag_node(node):
for sibling in node.previous_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_preceding_sibling(self, node):
<|code_end|>
. Use current file imports:
(from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | if hasattr(node, 'previous_siblings'): |
Here is a snippet: <|code_start|>
self.repr = '{0}{1}'.format(self.repr, '' if name_test or value == '*' else '()')
def __repr__(self):
return self.repr
def apply(self, axis, node):
nodes = getattr(self, 'gather_{0}'.format(axis.name))(node)
return [node for node in nodes if self.accept_fn(node, axis=axis)]
def gather_ancestor(self, node):
if hasattr(node, 'parents'):
return list(node.parents)
else:
return []
def gather_ancestor_or_self(self, node):
result = self.gather_self(node)
result.extend(self.gather_ancestor(node))
return result
def gather_attribute(self, node):
return list(AttributeNode.enumerate(node))
<|code_end|>
. Write the next line using the current file imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and context from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
, which may include functions, classes, or code. Output only the next line. | def gather_child(self, node): |
Given the code snippet: <|code_start|>
def _accept_principal_node_type(node, axis=None):
return is_attribute_node(node) if axis == Axis.attribute else is_tag_node(node)
def _make_axis_agnostic_accept_fn(fn):
def evaluate(node, axis=None):
return fn(node)
return evaluate
def _make_name_accept_fn(value):
def evaluate(node, axis=None):
if axis == Axis.css_class:
return is_tag_node(node) and 'class' in node.attrs and value in node['class']
else:
type_fn = is_attribute_node if axis == Axis.attribute else is_tag_node
return type_fn(node) and node.name.lower() == value
return evaluate
class NodeTest:
def __init__(self, value, name_test=False):
value = value.lower()
self.repr = value
self.is_name_test = name_test
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | if name_test: |
Next line prediction: <|code_start|> return result
def gather_following_sibling(self, node):
if hasattr(node, 'next_siblings'):
return list(node.next_siblings)
else:
return []
def gather_parent(self, node):
if hasattr(node, 'parent') and node.parent is not None:
return [node.parent]
else:
return []
def gather_preceding(self, node):
result = []
while is_tag_node(node):
for sibling in node.previous_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_preceding_sibling(self, node):
if hasattr(node, 'previous_siblings'):
return list(node.previous_siblings)
<|code_end|>
. Use current file imports:
(from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | else: |
Using the snippet: <|code_start|> def gather_descendant_or_self(self, node):
result = self.gather_self(node)
result.extend(self.gather_descendant(node))
return result
def gather_following(self, node):
result = []
while is_tag_node(node):
for sibling in node.next_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_following_sibling(self, node):
if hasattr(node, 'next_siblings'):
return list(node.next_siblings)
else:
return []
def gather_parent(self, node):
if hasattr(node, 'parent') and node.parent is not None:
return [node.parent]
else:
return []
<|code_end|>
, determine the next line of code. You have imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and context (class names, function names, or code) available:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | def gather_preceding(self, node): |
Predict the next line after this snippet: <|code_start|>
def apply(self, axis, node):
nodes = getattr(self, 'gather_{0}'.format(axis.name))(node)
return [node for node in nodes if self.accept_fn(node, axis=axis)]
def gather_ancestor(self, node):
if hasattr(node, 'parents'):
return list(node.parents)
else:
return []
def gather_ancestor_or_self(self, node):
result = self.gather_self(node)
result.extend(self.gather_ancestor(node))
return result
def gather_attribute(self, node):
return list(AttributeNode.enumerate(node))
def gather_child(self, node):
if is_root_node(node):
return [root_tag_from_soup(node)]
elif is_tag_node(node):
return node.contents
else:
<|code_end|>
using the current file's imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and any relevant context from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | return [] |
Continue the code snippet: <|code_start|> result = []
while is_tag_node(node):
for sibling in node.next_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
return result
def gather_following_sibling(self, node):
if hasattr(node, 'next_siblings'):
return list(node.next_siblings)
else:
return []
def gather_parent(self, node):
if hasattr(node, 'parent') and node.parent is not None:
return [node.parent]
else:
return []
def gather_preceding(self, node):
result = []
while is_tag_node(node):
for sibling in node.previous_siblings:
result.append(sibling)
result.extend(self.gather_descendant(sibling))
node = node.parent
<|code_end|>
. Use current file imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and context (classes, functions, or code) from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
. Output only the next line. | return result |
Here is a snippet: <|code_start|> return type_fn(node) and node.name.lower() == value
return evaluate
class NodeTest:
def __init__(self, value, name_test=False):
value = value.lower()
self.repr = value
self.is_name_test = name_test
if name_test:
self.accept_fn = _make_name_accept_fn(value)
elif value == '*':
self.accept_fn = _accept_principal_node_type
elif value == 'node':
self.accept_fn = _make_axis_agnostic_accept_fn(is_any_node)
elif value == 'text':
self.accept_fn = _make_axis_agnostic_accept_fn(is_text_node)
elif value == 'comment':
self.accept_fn = _make_axis_agnostic_accept_fn(is_comment_node)
self.repr = '{0}{1}'.format(self.repr, '' if name_test or value == '*' else '()')
def __repr__(self):
return self.repr
def apply(self, axis, node):
<|code_end|>
. Write the next line using the current file imports:
from hq.hquery.axis import Axis
from ..soup_util import is_root_node, is_tag_node, is_text_node, AttributeNode, is_attribute_node, is_any_node, root_tag_from_soup, \
is_comment_node
and context from other files:
# Path: hq/hquery/axis.py
# class Axis(Enum):
# # standard
# ancestor = 1
# ancestor_or_self = 2
# attribute = 3
# child = 4
# descendant = 5
# descendant_or_self = 6
# following = 7
# following_sibling = 8
# parent = 9
# preceding = 10
# preceding_sibling = 11
# self = 12
# # extended
# css_class = 13
#
#
# def is_reverse_order(self):
# return self in reverse_order_axes
#
# def token(self):
# return self.name.replace('_', '-')
#
# @classmethod
# def abbreviations(self):
# return _abbreviations.keys()
#
# @classmethod
# def canonicalize(cls, name):
# if name in _abbreviations.keys():
# result = _abbreviations[name]
# else:
# result = name.replace('-', '_')
# return result
#
# Path: hq/soup_util.py
# def is_root_node(obj):
# return obj.__class__.__name__ == 'BeautifulSoup'
#
# def is_tag_node(obj):
# return obj.__class__.__name__ == 'Tag'
#
# def is_text_node(obj):
# return obj.__class__.__name__ == 'NavigableString'
#
# class AttributeNode:
#
# def __init__(self, name, value):
# self.name = name
# self.value = ' '.join(value) if isinstance(value, list) else value
#
# def __repr__(self):
# return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
#
# @classmethod
# def enumerate(cls, node):
# if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node):
# return node.hq_attrs
# else:
# return []
#
# def is_attribute_node(obj):
# return isinstance(obj, AttributeNode)
#
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def root_tag_from_soup(soup):
# return next(tag for tag in soup.children if is_tag_node(tag))
#
# def is_comment_node(obj):
# return obj.__class__.__name__ == 'Comment'
, which may include functions, classes, or code. Output only the next line. | nodes = getattr(self, 'gather_{0}'.format(axis.name))(node) |
Predict the next line for this snippet: <|code_start|> return 'ROOT DOCUMENT'
elif is_tag_node(obj):
return u'ELEMENT {0}'.format(debug_dump_long_string(str(obj)))
elif is_attribute_node(obj):
return 'ATTRIBUTE {0}="{1}"'.format(obj.name, debug_dump_long_string(obj.value))
elif is_text_node(obj):
return u'TEXT "{0}"'.format(debug_dump_long_string(obj.string))
elif is_comment_node(obj):
return u'COMMENT "{0}"'.format(debug_dump_long_string(obj.string))
else:
return 'NODE type {0}'.format(obj.__class__.__name__)
def derive_text_from_node(obj, preserve_space=False):
if is_tag_node(obj) or is_root_node(obj):
result = u''
strings = list(obj.strings)
cursor = 0
for run in (strings if preserve_space else obj.stripped_strings):
if preserve_space:
add_space = False
else:
while cursor < len(strings):
if run in strings[cursor]:
break
else:
cursor += 1
if cursor < len(strings):
add_space = strings[cursor][0].isspace() or (cursor > 0 and strings[cursor - 1][-1].isspace())
else:
<|code_end|>
with the help of current file imports:
import re
from builtins import str
from bs4 import BeautifulSoup
from .string_util import truncate_string
from .verbosity import verbose_print
and context from other files:
# Path: hq/string_util.py
# def truncate_string(s, length, one_line=True, suffix='...'):
# if len(s) <= length:
# result = s
# else:
# result = s[:length + 1].rsplit(' ', 1)[0] + suffix
# if one_line:
# result = result.replace('\n', '\\n')
# return result
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
, which may contain function names, class names, or code. Output only the next line. | add_space = False |
Predict the next line after this snippet: <|code_start|>
class AttributeNode:
def __init__(self, name, value):
self.name = name
self.value = ' '.join(value) if isinstance(value, list) else value
def __repr__(self):
return 'AttributeNode("{0}", "{1}")'.format(self.name, self.value)
@classmethod
def enumerate(cls, node):
<|code_end|>
using the current file's imports:
import re
from builtins import str
from bs4 import BeautifulSoup
from .string_util import truncate_string
from .verbosity import verbose_print
and any relevant context from other files:
# Path: hq/string_util.py
# def truncate_string(s, length, one_line=True, suffix='...'):
# if len(s) <= length:
# result = s
# else:
# result = s[:length + 1].rsplit(' ', 1)[0] + suffix
# if one_line:
# result = result.replace('\n', '\\n')
# return result
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | if hasattr(node, 'hq_attrs') and _isnt_root_with_odd_ghost_hq_attrs_on_it_for_reasons_i_dont_understand(node): |
Continue the code snippet: <|code_start|> return '{0} => {0}'.format(union_str)
def evaluate(self):
verbose_print('Evaluating union decomposition ({} clauses)'.format(len(self.mapping_generators)),
indent_after=True)
sequence = make_sequence(self.union_expression())
result = []
for item in sequence:
verbose_print(lambda: u'Visiting item {0}'.format(debug_dump_anything(item)), indent_after=True)
with variable_scope():
push_variable('_', make_sequence(item))
if not hasattr(item, 'union_index'):
raise HqueryEvaluationError(
"Union decomposition applied to something that wasn't produced by a union"
)
if item.union_index >= len(self.mapping_generators):
raise HqueryEvaluationError("Decomposed union had more clauses than its mapping")
this_result = make_sequence(self.mapping_generators[item.union_index]())
verbose_print(
'Mapping yielded {0} results for this visit'.format(
len(this_result)))
result = sequence_concat(result, this_result)
verbose_print('Visit finished', outdent_before=True)
verbose_print('Union decomposition completed', outdent_before=True)
<|code_end|>
. Use current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print
and context (classes, functions, or code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | return result |
Given the code snippet: <|code_start|> sequence = make_sequence(self.union_expression())
result = []
for item in sequence:
verbose_print(lambda: u'Visiting item {0}'.format(debug_dump_anything(item)), indent_after=True)
with variable_scope():
push_variable('_', make_sequence(item))
if not hasattr(item, 'union_index'):
raise HqueryEvaluationError(
"Union decomposition applied to something that wasn't produced by a union"
)
if item.union_index >= len(self.mapping_generators):
raise HqueryEvaluationError("Decomposed union had more clauses than its mapping")
this_result = make_sequence(self.mapping_generators[item.union_index]())
verbose_print(
'Mapping yielded {0} results for this visit'.format(
len(this_result)))
result = sequence_concat(result, this_result)
verbose_print('Visit finished', outdent_before=True)
verbose_print('Union decomposition completed', outdent_before=True)
return result
def set_mapping_generators(self, mgs):
self.mapping_generators = mgs
<|code_end|>
, generate the next line using the imports in this file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print
and context (functions, classes, or occasionally code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | def set_union_expression(self, ug): |
Predict the next line for this snippet: <|code_start|> def __init__(self):
self.mapping_generators = None
self.union_expression = None
def __str__(self):
union_str = ' | '.join('<expr>' * len(self.mapping_generators))
return '{0} => {0}'.format(union_str)
def evaluate(self):
verbose_print('Evaluating union decomposition ({} clauses)'.format(len(self.mapping_generators)),
indent_after=True)
sequence = make_sequence(self.union_expression())
result = []
for item in sequence:
verbose_print(lambda: u'Visiting item {0}'.format(debug_dump_anything(item)), indent_after=True)
with variable_scope():
push_variable('_', make_sequence(item))
if not hasattr(item, 'union_index'):
raise HqueryEvaluationError(
"Union decomposition applied to something that wasn't produced by a union"
)
if item.union_index >= len(self.mapping_generators):
raise HqueryEvaluationError("Decomposed union had more clauses than its mapping")
this_result = make_sequence(self.mapping_generators[item.union_index]())
verbose_print(
<|code_end|>
with the help of current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
, which may contain function names, class names, or code. Output only the next line. | 'Mapping yielded {0} results for this visit'.format( |
Continue the code snippet: <|code_start|> verbose_print('Evaluating union decomposition ({} clauses)'.format(len(self.mapping_generators)),
indent_after=True)
sequence = make_sequence(self.union_expression())
result = []
for item in sequence:
verbose_print(lambda: u'Visiting item {0}'.format(debug_dump_anything(item)), indent_after=True)
with variable_scope():
push_variable('_', make_sequence(item))
if not hasattr(item, 'union_index'):
raise HqueryEvaluationError(
"Union decomposition applied to something that wasn't produced by a union"
)
if item.union_index >= len(self.mapping_generators):
raise HqueryEvaluationError("Decomposed union had more clauses than its mapping")
this_result = make_sequence(self.mapping_generators[item.union_index]())
verbose_print(
'Mapping yielded {0} results for this visit'.format(
len(this_result)))
result = sequence_concat(result, this_result)
verbose_print('Visit finished', outdent_before=True)
verbose_print('Union decomposition completed', outdent_before=True)
return result
def set_mapping_generators(self, mgs):
<|code_end|>
. Use current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print
and context (classes, functions, or code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | self.mapping_generators = mgs |
Next line prediction: <|code_start|>
class UnionDecomposition:
def __init__(self):
self.mapping_generators = None
self.union_expression = None
def __str__(self):
<|code_end|>
. Use current file imports:
(from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print)
and context including class names, function names, or small code snippets from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | union_str = ' | '.join('<expr>' * len(self.mapping_generators)) |
Given the following code snippet before the placeholder: <|code_start|> verbose_print('Evaluating union decomposition ({} clauses)'.format(len(self.mapping_generators)),
indent_after=True)
sequence = make_sequence(self.union_expression())
result = []
for item in sequence:
verbose_print(lambda: u'Visiting item {0}'.format(debug_dump_anything(item)), indent_after=True)
with variable_scope():
push_variable('_', make_sequence(item))
if not hasattr(item, 'union_index'):
raise HqueryEvaluationError(
"Union decomposition applied to something that wasn't produced by a union"
)
if item.union_index >= len(self.mapping_generators):
raise HqueryEvaluationError("Decomposed union had more clauses than its mapping")
this_result = make_sequence(self.mapping_generators[item.union_index]())
verbose_print(
'Mapping yielded {0} results for this visit'.format(
len(this_result)))
result = sequence_concat(result, this_result)
verbose_print('Visit finished', outdent_before=True)
verbose_print('Union decomposition completed', outdent_before=True)
return result
def set_mapping_generators(self, mgs):
<|code_end|>
, predict the next line using imports from the current file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.object_type import debug_dump_anything
from hq.hquery.sequences import make_sequence, sequence_concat
from hq.hquery.variables import push_variable, variable_scope
from hq.verbosity import verbose_print
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/object_type.py
# def debug_dump_anything(obj):
# if is_any_node(obj):
# result = debug_dump_node(obj)
# elif is_boolean(obj) or is_number(obj) or is_hash(obj) or is_array(obj):
# result = repr(obj)
# elif is_string(obj):
# result = u'string("{0}")'.format(obj)
# elif is_node_set(obj):
# result = u'node-set({0})'.format(', '.join(truncate_string(debug_dump_node(node), 20) for node in obj))
# elif is_sequence(obj):
# result = u'sequence({0})'.format(', '.join(truncate_string(debug_dump_anything(item), 20) for item in obj))
# else:
# raise RuntimeError("debug_dump_anything doesn't know how to handle {0}".format(obj.__class__.__name__))
# return debug_dump_long_string(result)
#
# Path: hq/hquery/sequences.py
# def make_sequence(sequence):
# if not isinstance(sequence, list):
# sequence = [sequence]
# return sequence
#
# def sequence_concat(first, second):
# first = make_sequence(first)
# first.extend(make_sequence(second))
# return first
#
# Path: hq/hquery/variables.py
# def push_variable(name, value):
# global variable_stack
# verbose_print(lambda: u'Pushing variable onto stack: let ${0} := {1}'.format(name, debug_dump_anything(value)))
# variable_stack.append((name, value))
#
# class variable_scope:
# def __enter__(self):
# self.mark = len(variable_stack)
#
# def __exit__(self, *args):
# del variable_stack[self.mark:]
#
# Path: hq/verbosity.py
# def verbose_print(text, indent_after=False, outdent_before=False):
# if settings.VERBOSE:
# if outdent_before:
# pop_indent()
# if not is_a_string(text):
# text = text()
# print(u'{0}{1}'.format(' ' * indent_level, text), file=sys.stderr)
# if indent_after:
# push_indent()
. Output only the next line. | self.mapping_generators = mgs |
Given the following code snippet before the placeholder: <|code_start|>
def evaluate_across_contexts(node_set, expression_fn):
HqueryEvaluationError.must_be_node_set(node_set)
node_set_len = len(node_set)
ragged = [evaluate_in_context(node, expression_fn, position=index+1, size=node_set_len)
<|code_end|>
, predict the next line using imports from the current file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.expression_context import push_context, pop_context
from hq.hquery.sequences import make_node_set
from hq.soup_util import is_any_node, debug_dump_long_string
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/expression_context.py
# def push_context(node, position=1, size=1, preserve_space=None):
# msg = u'Pushing (node={0}, position={1}, size={2} on context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(node), position, size))
# context_stack.append(ExpressionContext(node=node, position=position, size=size, preserve_space=preserve_space))
#
# def pop_context():
# result = context_stack.pop()
# msg = u'Popping (node={0}, position={1}, size={2} off of context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(result.node), result.position, result.size))
# return result
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def debug_dump_long_string(s, length=50, one_line=True, suffix='...'):
# return truncate_string(s, length, one_line, suffix)
. Output only the next line. | for index, node in enumerate(node_set)] |
Predict the next line for this snippet: <|code_start|>
def evaluate_across_contexts(node_set, expression_fn):
HqueryEvaluationError.must_be_node_set(node_set)
node_set_len = len(node_set)
ragged = [evaluate_in_context(node, expression_fn, position=index+1, size=node_set_len)
<|code_end|>
with the help of current file imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.expression_context import push_context, pop_context
from hq.hquery.sequences import make_node_set
from hq.soup_util import is_any_node, debug_dump_long_string
and context from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/expression_context.py
# def push_context(node, position=1, size=1, preserve_space=None):
# msg = u'Pushing (node={0}, position={1}, size={2} on context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(node), position, size))
# context_stack.append(ExpressionContext(node=node, position=position, size=size, preserve_space=preserve_space))
#
# def pop_context():
# result = context_stack.pop()
# msg = u'Popping (node={0}, position={1}, size={2} off of context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(result.node), result.position, result.size))
# return result
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def debug_dump_long_string(s, length=50, one_line=True, suffix='...'):
# return truncate_string(s, length, one_line, suffix)
, which may contain function names, class names, or code. Output only the next line. | for index, node in enumerate(node_set)] |
Given the following code snippet before the placeholder: <|code_start|>
def evaluate_across_contexts(node_set, expression_fn):
HqueryEvaluationError.must_be_node_set(node_set)
node_set_len = len(node_set)
ragged = [evaluate_in_context(node, expression_fn, position=index+1, size=node_set_len)
for index, node in enumerate(node_set)]
return make_node_set([item for sublist in ragged for item in sublist])
def evaluate_in_context(node, expression_fn, position=1, size=1, preserve_space=None):
if not is_any_node(node):
raise HqueryEvaluationError('cannot use {0} "{1}" as context node'.format(type(node),
debug_dump_long_string(str(node))))
push_context(node, position, size, preserve_space)
<|code_end|>
, predict the next line using imports from the current file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.expression_context import push_context, pop_context
from hq.hquery.sequences import make_node_set
from hq.soup_util import is_any_node, debug_dump_long_string
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/expression_context.py
# def push_context(node, position=1, size=1, preserve_space=None):
# msg = u'Pushing (node={0}, position={1}, size={2} on context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(node), position, size))
# context_stack.append(ExpressionContext(node=node, position=position, size=size, preserve_space=preserve_space))
#
# def pop_context():
# result = context_stack.pop()
# msg = u'Popping (node={0}, position={1}, size={2} off of context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(result.node), result.position, result.size))
# return result
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def debug_dump_long_string(s, length=50, one_line=True, suffix='...'):
# return truncate_string(s, length, one_line, suffix)
. Output only the next line. | result = expression_fn() |
Given the following code snippet before the placeholder: <|code_start|>
def evaluate_across_contexts(node_set, expression_fn):
HqueryEvaluationError.must_be_node_set(node_set)
node_set_len = len(node_set)
ragged = [evaluate_in_context(node, expression_fn, position=index+1, size=node_set_len)
for index, node in enumerate(node_set)]
return make_node_set([item for sublist in ragged for item in sublist])
def evaluate_in_context(node, expression_fn, position=1, size=1, preserve_space=None):
if not is_any_node(node):
raise HqueryEvaluationError('cannot use {0} "{1}" as context node'.format(type(node),
debug_dump_long_string(str(node))))
push_context(node, position, size, preserve_space)
result = expression_fn()
pop_context()
<|code_end|>
, predict the next line using imports from the current file:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.expression_context import push_context, pop_context
from hq.hquery.sequences import make_node_set
from hq.soup_util import is_any_node, debug_dump_long_string
and context including class names, function names, and sometimes code from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/expression_context.py
# def push_context(node, position=1, size=1, preserve_space=None):
# msg = u'Pushing (node={0}, position={1}, size={2} on context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(node), position, size))
# context_stack.append(ExpressionContext(node=node, position=position, size=size, preserve_space=preserve_space))
#
# def pop_context():
# result = context_stack.pop()
# msg = u'Popping (node={0}, position={1}, size={2} off of context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(result.node), result.position, result.size))
# return result
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def debug_dump_long_string(s, length=50, one_line=True, suffix='...'):
# return truncate_string(s, length, one_line, suffix)
. Output only the next line. | return result |
Based on the snippet: <|code_start|>
def evaluate_across_contexts(node_set, expression_fn):
HqueryEvaluationError.must_be_node_set(node_set)
node_set_len = len(node_set)
<|code_end|>
, predict the immediate next line with the help of imports:
from hq.hquery.evaluation_error import HqueryEvaluationError
from hq.hquery.expression_context import push_context, pop_context
from hq.hquery.sequences import make_node_set
from hq.soup_util import is_any_node, debug_dump_long_string
and context (classes, functions, sometimes code) from other files:
# Path: hq/hquery/evaluation_error.py
# class HqueryEvaluationError(RuntimeError):
#
# @classmethod
# def must_be_node_set(cls, obj):
# if not is_node_set(obj):
# raise HqueryEvaluationError('Expected a node set, but found a(n) {0}'.format(obj.__class__.__name__))
#
# @classmethod
# def must_be_node_set_or_sequence(cls, obj):
# if not (is_node_set(obj) or is_sequence(obj)):
# raise HqueryEvaluationError('Expected a node set or sequence, but found a(n) {0}'.format(
# obj.__class__.__name__
# ))
#
# Path: hq/hquery/expression_context.py
# def push_context(node, position=1, size=1, preserve_space=None):
# msg = u'Pushing (node={0}, position={1}, size={2} on context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(node), position, size))
# context_stack.append(ExpressionContext(node=node, position=position, size=size, preserve_space=preserve_space))
#
# def pop_context():
# result = context_stack.pop()
# msg = u'Popping (node={0}, position={1}, size={2} off of context stack.'
# verbose_print(lambda: msg.format(debug_dump_node(result.node), result.position, result.size))
# return result
#
# Path: hq/hquery/sequences.py
# def make_node_set(node_set, reverse=False):
# ids = set()
#
# def is_unique_id(node):
# node_id = id(node)
# if node_id in ids:
# return False
# else:
# ids.add(node_id)
# return True
#
# if not isinstance(node_set, list):
# node_set = [node_set]
#
# non_node_member = next(filterfalse(is_any_node, node_set), False)
# if non_node_member:
# format_str = 'Constructed node set that includes {0} object "{1}"'
# raise HqueryEvaluationError(format_str.format(object_type_name(non_node_member), non_node_member))
#
# node_set = list(sorted(filter(is_unique_id, node_set), key=lambda n: n.hq_doc_index, reverse=reverse))
#
# return node_set
#
# Path: hq/soup_util.py
# def is_any_node(obj):
# return is_root_node(obj) or is_tag_node(obj) or is_attribute_node(obj) or is_text_node(obj) or is_comment_node(obj)
#
# def debug_dump_long_string(s, length=50, one_line=True, suffix='...'):
# return truncate_string(s, length, one_line, suffix)
. Output only the next line. | ragged = [evaluate_in_context(node, expression_fn, position=index+1, size=node_set_len) |
Predict the next line for this snippet: <|code_start|>
def test_simple_element_construction_with_string_content():
assert query_html_doc('', 'element foo { "bar" }') == expected_result("""
<foo>
bar
</foo>""")
def test_element_constructor_accepts_numbers_and_booleans():
assert query_html_doc('', 'element test { 98.6 }') == expected_result("""
<test>
<|code_end|>
with the help of current file imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
, which may contain function names, class names, or code. Output only the next line. | 98.6 |
Predict the next line after this snippet: <|code_start|> </div>"""
assert query_html_doc(html_body, 'element hello { //div }') == expected_result("""
<hello>
<div>
<p>
Hello, world!
</p>
<div>
other div
</div>
</div>
<div>
other div
</div>
</hello>""")
def test_element_constructor_accepts_attributes_from_original_document_including_multi_values_like_classes():
html_body = """
<p class="one two" three="four">
contents
</p>"""
assert query_html_doc(html_body, 'element test { //p/@* }') == expected_result("""
<test class="one two" three="four">
</test>""")
assert query_html_doc(html_body, 'element test { //p/@three, //p }') == expected_result("""
<test three="four">
<p class="one two" three="four">
<|code_end|>
using the current file's imports:
from test.common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and any relevant context from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
. Output only the next line. | contents |
Given the following code snippet before the placeholder: <|code_start|> assert query_html_doc('', '2 <=2') == 'true'
assert query_html_doc('', '1.999<= 2') == 'true'
assert query_html_doc('', '2.001 <= 2') == 'false'
def test_relational_comparison_of_booleans_with_one_another_and_with_other_non_node_set_primitives():
assert query_html_doc('', 'true() <= false()') == 'false'
assert query_html_doc('', 'true() <= 0') == 'false'
assert query_html_doc('', '1 > false()') == 'true'
assert query_html_doc('', 'true() >= 25') == 'true'
assert query_html_doc('', 'true() > "0"') == 'false'
def test_relational_comparison_of_numbers_with_non_boolean_non_numeric_primitives_aka_strings():
assert query_html_doc('', '"5" < 4') == 'false'
assert query_html_doc('', '5 > "4"') == 'true'
assert query_html_doc('', '"foo" >= 1') == 'false'
def test_relational_comparison_of_non_boolean_non_numeric_primitives_aka_strings_with_one_another():
assert query_html_doc('', '"low" > "high"') == 'true'
assert query_html_doc('', '"1.0" >= "1.1"') == 'false'
assert query_html_doc('', '"1.1" >= "1.1"') == 'true'
def test_relational_comparison_involving_two_node_sets():
html_body = """
<p>9</p>
<p>10</p>
<div>10</div>
<|code_end|>
, predict the next line using imports from the current file:
import os
import sys
from ..common_test_util import expected_result
from test.hquery.hquery_test_util import query_html_doc
and context including class names, function names, and sometimes code from other files:
# Path: test/common_test_util.py
# def expected_result(contents):
# return dedent(contents.lstrip('\n'))
#
# Path: test/hquery/hquery_test_util.py
# def query_html_doc(html_body, hquery, preserve_space=False, wrap_body=True):
# soup = soup_with_body(html_body) if wrap_body else make_soup(html_body)
# raw_result = HqueryProcessor(hquery, preserve_space=preserve_space).query(soup)
# return eliminate_blank_lines(convert_results_to_output_text(raw_result, preserve_space=preserve_space).strip())
. Output only the next line. | <div>11</div>""" |
Next line prediction: <|code_start|>
def capture_console_output(capsys, strip=True):
output, errors = capsys.readouterr()
output = output.rstrip('\n')
return eliminate_blank_lines(output.strip()) if strip else output, eliminate_blank_lines(errors.strip())
def eliminate_blank_lines(s):
return '\n'.join([line for line in s.split('\n') if line.strip() != ''])
def expected_result(contents):
return dedent(contents.lstrip('\n'))
def simulate_args_dict(**kwargs):
args = {
'<expression>': '',
'-f': False,
'--file': False,
'--preserve': False,
'--program': '',
<|code_end|>
. Use current file imports:
(from textwrap import dedent
from hq.soup_util import make_soup)
and context including class names, function names, or small code snippets from other files:
# Path: hq/soup_util.py
# def make_soup(source):
# soup = BeautifulSoup(source, 'html.parser')
# counter = [0]
#
# def visit_node(node):
# node.hq_doc_index = counter[0]
# counter[0] += 1
# if is_tag_node(node):
# attr_names = sorted(node.attrs.keys(), key=lambda name: name.lower())
# node.hq_attrs = [AttributeNode(name, node.attrs[name]) for name in attr_names]
# for attr in node.hq_attrs:
# visit_node(attr)
#
# preorder_traverse_node_tree(soup, visit_node, filter=is_any_node)
# verbose_print('Loaded HTML document containing {0} indexed nodes.'.format(counter[0]))
# return soup
. Output only the next line. | '-u': False, |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.