source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, title, timeout=None):
timeout = timeout if timeout is not None else self.timeout
def x():
return WebDriverWait(self.driver, timeout).until(EC.title_is(title))
return self.execute_and_handle_webdriver_exceptions(wait, timeout,
title, 'Timeout waiting for title to be: ' + str(title))
| wait_until_title_is | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n\n def x():\n return WebDriverWait(self.driver, timeout)... |
def x(self, timeout=None):
timeout = timeout if timeout is not None else self.timeout
locator = None
def x():
return WebDriverWait(self.driver, timeout).until(EC.alert_is_present())
return self.execute_and_handle_webdriver_exceptions(wait, timeout,
locator, 'Timeout waiting for alert to be present')
| wait_until_alert_is_present | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n locator = None\n\n def x():\n return WebDriverWait(self.dri... |
def x(self, locator, text, timeout=None):
timeout = timeout if timeout is not None else self.timeout
this = self
self.wait_for(locator)
def x():
WebDriverWait(self.driver, timeout).until(lambda d: text in this.
find(locator).text())
return this.find(locator)
return self.execute_and_handle_webdriver_exceptions(wait, timeout,
locator, 'Timeout waiting for text to contain: ' + str(text))
| wait_until_text_contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, text, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n this = self\n self.wait_for(locator)\n\n def x()... |
def x(self, locator, timeout=None):
timeout = timeout if timeout is not None else self.timeout
self.wait_for(locator)
def x():
WebDriverWait(self.driver, timeout).until(lambda d: len(self.find(
locator).text()) > 0)
return self.find(locator)
return self.execute_and_handle_webdriver_exceptions(wait, timeout,
locator, 'Timeout waiting for element to contain some text')
| wait_until_text_is_not_empty | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n self.wait_for(locator)\n\n def x():\n WebDriverWai... |
def x(self, text, timeout=None):
timeout = timeout if timeout is not None else self.timeout
def x():
WebDriverWait(self.driver, timeout).until(lambda d: text in self.
page_source())
return self.page_source()
return self.execute_and_handle_webdriver_exceptions(wait, timeout, text,
'Timeout waiting for source to contain: {}'.format(text))
| wait_until_page_source_contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n\n def x():\n WebDriverWait(self.driver, timeout).until(l... |
def x(self, timeout=None):
timeout = timeout if timeout is not None else self.timeout
def x():
WebDriverWait(self.driver, timeout).until(lambda d: self.
js_executor.execute_template('isJqueryAjaxComplete', {}))
return True
return self.execute_and_handle_webdriver_exceptions(wait, timeout, None,
'Timeout waiting for all jQuery AJAX requests to close')
| wait_until_jquery_requests_are_closed | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n timeout = timeout if timeout is not None else self.timeout\n\n def x():\n WebDriverWait(self.driver, timeout).until(lambda ... |
def x(self, timeout=None, prompt_text='Click to resume (WebDriver is paused)'):
timeout = timeout if timeout is not None else self.user_wait_timeout
self.paused = True
def x(driver):
if driver.paused:
if driver.is_user_ready():
driver.paused = False
return True
elif not driver.is_present(Locator('css',
'#webdriver-resume-radio', 'radio to unpause webdriver')):
pause_html = staticreader.read_html_file('webdriverpaused.html'
).replace('\n', '').replace('PROMPT_TEXT', prompt_text)
webdriver_style = staticreader.read_css_file(
'webdriverstyle.css').replace('\n', '')
driver.js_executor.execute_template_and_return_result(
'injectCssTemplate.js', {'css': webdriver_style})
driver.js_executor.execute_template_and_return_result(
'injectHtmlTemplate.js', {'selector': 'body', 'html':
pause_html})
return False
self.wait_until(lambda : check_user_ready(self), timeout=timeout,
failure_message=
'Webdriver actions were paused but did not receive the command to continue. You must click the on-screen message to resume.'
)
self.js_executor.execute_template_and_return_result(
'deleteElementsTemplate.js', {'selector': '.webdriver-injected'})
| pause_and_wait_for_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None, prompt_text='Click to resume (WebDriver is paused)'):\n timeout = timeout if timeout is not None else self.user_wait_timeout\n self.p... |
def x(self, levels=None):
logs = self.driver.get_log('browser')
self.browser_logs += logs
if levels is not None:
logs = [entry for entry in logs if entry.get(u'level') in levels]
return logs
| get_browser_log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, levels=None):\n logs = self.driver.get_log('browser')\n self.browser_logs += logs\n if levels is not None:\n logs = [entry for entry in l... |
def x(self, url=''):
result = super(CoyoteDriver, self).visit(url)
source = self.page_source()
return result
| visit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url=''):\n result = super(CoyoteDriver, self).visit(url)\n source = self.page_source()\n return result\n",
"role": "user"
},
{
"cont... |
def x(target_config, source_config):
for attr in dir(source_config):
if attr.startswith('_'):
continue
val = getattr(source_config, attr)
if val is not None:
setattr(target_config, attr, val)
| load_config_vars | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target_config, source_config):\n for attr in dir(source_config):\n if attr.startswith('_'):\n continue\n val = getattr(source_confi... |
def x(self):
config_path = os.path.dirname(__file__)
config_defaults = [os.path.join(dirpath, f) for dirpath, dirnames,
files in os.walk(config_path) for f in fnmatch.filter(files,
'default.cfg')]
user_config = os.path.expanduser('~/.aftrc')
override_filenames = []
if TEST_RUN_SETTING_CONFIG in os.environ:
for test_config in os.environ[TEST_RUN_SETTING_CONFIG].split(','):
if os.path.exists(test_config):
override_filenames.append(test_config)
elif '.' in test_config and not test_config.endswith('.cfg'):
config_parts = test_config.split('.')
config_parts[-1] += '.cfg'
filename = os.path.join(config_path, *config_parts)
override_filenames.append(filename)
else:
pass
all_configs = config_defaults + [user_config] + override_filenames
return self.parser.read(all_configs)
| readall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n config_path = os.path.dirname(__file__)\n config_defaults = [os.path.join(dirpath, f) for dirpath, dirnames,\n files in os.walk(config_pa... |
def x(dictionary, update):
newdict = dictionary.copy()
newdict.update(update)
return newdict
| copy_and_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary, update):\n newdict = dictionary.copy()\n newdict.update(update)\n return newdict\n",
"role": "user"
},
{
"content": "copy_and_... |
def x():
directory = templates_dir = os.path.join(os.path.dirname(__file__),
'static')
return directory
| get_static_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n directory = templates_dir = os.path.join(os.path.dirname(__file__),\n 'static')\n return directory\n",
"role": "user"
},
{
"conte... |
def x(filename):
with open(os.path.join(get_static_directory(), 'html/{filename}'.format
(filename=filename))) as f:
contents = f.read()
return contents
| read_html_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n with open(os.path.join(get_static_directory(), 'html/{filename}'.format\n (filename=filename))) as f:\n contents = f.read()\n ... |
def x(locator):
if isinstance(locator, loc.Locator):
locator = '{by}={locator}'.format(by=locator.by, locator=locator.
locator)
locator_tuple = namedtuple('Locator', 'By value')
if locator.count('=') > 0 and locator.count('css=') < 1:
by = locator[:locator.find('=')].replace('_', ' ')
value = locator[locator.find('=') + 1:]
return locator_tuple(by, value)
else:
value = locator[locator.find('=') + 1:]
return locator_tuple('css selector', value)
| parse_locator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(locator):\n if isinstance(locator, loc.Locator):\n locator = '{by}={locator}'.format(by=locator.by, locator=locator.\n locator)\n locat... |
def x(webdriver_or_element, locator, find_all_elements=False):
if isinstance(locator, loc.Locator):
locator = '{by}={locator}'.format(by=locator.by, locator=locator.
locator)
if (locator.count('css=') > 0 or locator.count('css_selector=')) and len(
locator.split('=', 1)) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_css_selector(locator
.split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_css_selector(locator
.split('=', 1)[-1])
elif locator.count('id=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_id(locator.split(
'=', 1)[-1])
else:
return webdriver_or_element.find_element_by_id(locator.split(
'=', 1)[-1])
elif locator.count('xpath=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_xpath(locator.
split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_xpath(locator.split
('=', 1)[-1])
elif locator.count('class_name=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_class_name(locator
.split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_class_name(locator.
split('=', 1)[-1])
elif locator.count('link_text=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_link_text(locator.
split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_link_text(locator.
split('=', 1)[-1])
elif locator.count('partial_link_text=') > 0 and len(locator.split('=')
) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_partial_link_text(
locator.split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_partial_link_text(
locator.split('=', 1)[-1])
elif locator.count('name=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_name(locator.split
('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_name(locator.split(
'=', 1)[-1])
elif locator.count('tag_name=') > 0 and len(locator.split('=')) > 1:
if find_all_elements:
return webdriver_or_element.find_elements_by_tag_name(locator.
split('=', 1)[-1])
else:
return webdriver_or_element.find_element_by_tag_name(locator.
split('=', 1)[-1])
elif find_all_elements:
return webdriver_or_element.find_elements_by_css_selector(locator)
else:
return webdriver_or_element.find_element_by_css_selector(locator)
| find_by_locator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver_or_element, locator, find_all_elements=False):\n if isinstance(locator, loc.Locator):\n locator = '{by}={locator}'.format(by=locator.by, lo... |
def x(self, assertion, failure_message='Failed Assertion', timeout=None):
timeout = self.timeout if timeout is None else timeout
time_spent = 0
while time_spent < timeout:
try:
assert assertion() is True
return True
except AssertionError:
pass
sleep(self.step)
time_spent += 1
raise WebDriverAssertionException.WebDriverAssertionException(self.
driver_wrapper, failure_message)
| spin_assert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assertion, failure_message='Failed Assertion', timeout=None):\n timeout = self.timeout if timeout is None else timeout\n time_spent = 0\n while ... |
def x(self, assertion, failure_message='Failed Assertion'):
try:
assert assertion() is True
except AssertionError:
raise WebDriverAssertionException.WebDriverAssertionException(self.
driver_wrapper, failure_message)
return True
| webdriver_assert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, assertion, failure_message='Failed Assertion'):\n try:\n assert assertion() is True\n except AssertionError:\n raise WebDriverAsserti... |
def x(self, value, failure_message='Expected value to be True, was: {}'):
assertion = lambda : bool(value)
self.webdriver_assert(assertion, unicode(failure_message).format(value))
| assert_true | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, failure_message='Expected value to be True, was: {}'):\n assertion = lambda : bool(value)\n self.webdriver_assert(assertion, unicode(failure... |
def x(self, actual_val, expected_val, failure_message=
'Expected values to be equal: "{}" and "{}"'):
assertion = lambda : expected_val == actual_val
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_val, expected_val))
| assert_equals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_val, expected_val, failure_message=\n 'Expected values to be equal: \"{}\" and \"{}\"'):\n assertion = lambda : expected_val == actual_val\n... |
def x(self, actual_val, expected_val, allowed_delta=0.0001, failure_message
='Expected numbers to be within {} of each other: "{}" and "{}"'):
assertion = lambda : abs(expected_val - actual_val) <= allowed_delta
self.webdriver_assert(assertion, unicode(failure_message).format(
allowed_delta, actual_val, expected_val))
| assert_numbers_almost_equal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_val, expected_val, allowed_delta=0.0001, failure_message\n ='Expected numbers to be within {} of each other: \"{}\" and \"{}\"'):\n assertio... |
def x(self, actual_val, unexpected_val, failure_message=
'Expected values to differ: "{}" and "{}"'):
assertion = lambda : unexpected_val != actual_val
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_val, unexpected_val))
| assert_not_equal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_val, unexpected_val, failure_message=\n 'Expected values to differ: \"{}\" and \"{}\"'):\n assertion = lambda : unexpected_val != actual_val... |
def x(self, actual_val, expected_type, failure_message=
'Expected type to be "{1}," but was "{0}"'):
assertion = lambda : expected_type is actual_val
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_val, expected_type))
| assert_is | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_val, expected_type, failure_message=\n 'Expected type to be \"{1},\" but was \"{0}\"'):\n assertion = lambda : expected_type is actual_val\n... |
def x(self, actual_val, unexpected_type, failure_message=
'Expected type not to be "{1}," but was "{0}"'):
assertion = lambda : unexpected_type is not actual_val
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_val, unexpected_type))
| assert_is_not | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_val, unexpected_type, failure_message=\n 'Expected type not to be \"{1},\" but was \"{0}\"'):\n assertion = lambda : unexpected_type is not ... |
def x(self, actual_collection_or_string, expected_value, failure_message=
'Expected "{1}" to be in "{0}"'):
assertion = lambda : expected_value in actual_collection_or_string
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_collection_or_string, expected_value))
| assert_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_collection_or_string, expected_value, failure_message=\n 'Expected \"{1}\" to be in \"{0}\"'):\n assertion = lambda : expected_value in actu... |
def x(self, actual_collection_or_string, unexpected_value, failure_message=
'Expected "{1}" not to be in "{0}"'):
assertion = lambda : unexpected_value not in actual_collection_or_string
self.webdriver_assert(assertion, unicode(failure_message).format(
actual_collection_or_string, unexpected_value))
| assert_not_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, actual_collection_or_string, unexpected_value, failure_message=\n 'Expected \"{1}\" not to be in \"{0}\"'):\n assertion = lambda : unexpected_value... |
def x(self, expected_value, failure_message=
'Expected page source to contain: "{}"'):
assertion = lambda : expected_value in self.driver_wrapper.page_source()
self.webdriver_assert(assertion, unicode(failure_message).format(
expected_value))
| assert_page_source_contains | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, expected_value, failure_message=\n 'Expected page source to contain: \"{}\"'):\n assertion = lambda : expected_value in self.driver_wrapper.page_so... |
def x(self, collection1, collection2, failure_message=
'Expected overlap between collections: "{}" and "{}"'):
assertion = lambda : len(collection1 or collection2) > 0
failure_message = unicode(failure_message).format(collection1, collection2)
self.webdriver_assert(assertion, failure_message)
| assert_union | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, collection1, collection2, failure_message=\n 'Expected overlap between collections: \"{}\" and \"{}\"'):\n assertion = lambda : len(collection1 or ... |
def x(self, collection1, collection2, failure_message=
'Expected no overlap between collections: "{}" and "{}"'):
assertion = lambda : len(set(collection1).intersection(set(collection2))
) == 0
failure_message = unicode(failure_message).format(collection1, collection2)
self.webdriver_assert(assertion, failure_message)
| assert_no_union | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, collection1, collection2, failure_message=\n 'Expected no overlap between collections: \"{}\" and \"{}\"'):\n assertion = lambda : len(set(collecti... |
def x(self, subset, superset, failure_message=
'Expected collection "{}" to be a subset of "{}'):
assertion = lambda : set(subset).issubset(set(superset))
failure_message = unicode(failure_message).format(superset, subset)
self.webdriver_assert(assertion, failure_message)
| assert_subset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subset, superset, failure_message=\n 'Expected collection \"{}\" to be a subset of \"{}'):\n assertion = lambda : set(subset).issubset(set(superset... |
def x(self):
def x():
return self.element.clear()
self.execute_and_handle_webelement_exceptions(clear_element, 'clear')
return self
| clear | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n return self.element.clear()\n self.execute_and_handle_webelement_exceptions(clear_element, 'clear')\n return self\n",
... |
def x(self, max_chars=100):
def x():
chars_deleted = 0
while len(self.get_attribute('value')
) > 0 and chars_deleted < max_chars:
self.click()
self.send_keys(Keys.HOME)
self.send_keys(Keys.DELETE)
chars_deleted += 1
self.execute_and_handle_webelement_exceptions(delete_content_element,
'delete input contents')
return self
| delete_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, max_chars=100):\n\n def x():\n chars_deleted = 0\n while len(self.get_attribute('value')\n ) > 0 and chars_deleted < max_char... |
def x(self, force_click=False):
js_executor = self.driver_wrapper.js_executor
def x():
return self.element.click()
def x():
js_executor.execute_template('clickElementTemplate', {}, self.element)
return True
if force_click:
self.execute_and_handle_webelement_exceptions(force_click_element,
'click element by javascript')
else:
self.execute_and_handle_webelement_exceptions(click_element, 'click')
return self
| click | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_click=False):\n js_executor = self.driver_wrapper.js_executor\n\n def x():\n return self.element.click()\n\n def x():\n js_e... |
def x(self):
def x():
if self.tag_name() == 'input':
return self.get_attribute('value')
elif self.tag_name() == 'select':
selected_options = self.element.all_selected_options
if len(selected_options) > 1:
raise ValueError(
'Select {} has multiple selected options, only one selected option is valid for this method'
.format(self))
return selected_options[0].get_attribute('value')
else:
raise ValueError('Can not get the value of elements or type "{}"'
.format(self.tag_name()))
return self.execute_and_handle_webelement_exceptions(get_element_value,
name_of_action='get value')
| get_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n if self.tag_name() == 'input':\n return self.get_attribute('value')\n elif self.tag_name() == 'select':\n ... |
def x(self, name):
def x():
return self.element.get_attribute(name)
return self.execute_and_handle_webelement_exceptions(get_attribute_element,
'get attribute "' + str(name) + '"')
| get_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n\n def x():\n return self.element.get_attribute(name)\n return self.execute_and_handle_webelement_exceptions(get_attribute_element,\... |
def x(self):
width = self.get_width()
height = self.get_height()
loc = self.location()
el_x_left = loc['x']
el_x_right = el_x_left + width
el_y_top = loc['y']
el_y_bottom = el_y_top + height
screen_size = self.driver_wrapper.get_window_size()
screen_x = screen_size['width']
screen_y = screen_size['height']
if (el_x_left > 0 and el_x_right < screen_x or el_x_right > 0 and
el_x_right < screen_x) and (el_y_top > 0 and el_y_top < screen_y or
el_y_bottom > 0 and el_y_bottom > screen_y):
return True
return False
| is_on_screen | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n width = self.get_width()\n height = self.get_height()\n loc = self.location()\n el_x_left = loc['x']\n el_x_right = el_x_left + width\n... |
def x(self, value):
def x():
return self.element.send_keys(value)
self.execute_and_handle_webelement_exceptions(send_keys_element,
'send keys')
return self
| send_special_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n\n def x():\n return self.element.send_keys(value)\n self.execute_and_handle_webelement_exceptions(send_keys_element,\n 'sen... |
def x(self, val, force_set=False):
if val is None:
val = ''
self.click(force_click=True if force_set else False)
self.clear()
self.send_keys(val)
actual = self.get_attribute('value')
if val != actual:
if force_set:
js_executor = self.driver_wrapper.js_executor
def x():
js_executor.execute_template('setValueTemplate', {'value':
val}, self.element)
return True
self.execute_and_handle_webelement_exceptions(force_set_element,
'set element by javascript')
else:
self.driver_wrapper.assertion.fail(
'Setting text field failed because final text did not match input value: "{}" != "{}"'
.format(actual, val))
return self
| set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, val, force_set=False):\n if val is None:\n val = ''\n self.click(force_click=True if force_set else False)\n self.clear()\n self.send_... |
def x(self):
def x():
return self.element.submit()
self.execute_and_handle_webelement_exceptions(submit_element, 'send keys')
return self
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n return self.element.submit()\n self.execute_and_handle_webelement_exceptions(submit_element, 'send keys')\n return self\n... |
def x(self, property_name):
def x():
return self.element.value_of_css_property(property_name)
return self.execute_and_handle_webelement_exceptions(
value_of_css_property_element, 'get css property "' + str(
property_name) + '"')
| value_of_css_property | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, property_name):\n\n def x():\n return self.element.value_of_css_property(property_name)\n return self.execute_and_handle_webelement_exceptio... |
def x(self, classname):
def x():
pattern = re.compile('(\\s|^){classname}(\\s|$)'.format(classname=
classname))
classes = self.element.get_attribute('class')
matches = re.search(pattern, classes)
if matches is not None:
return True
return False
return self.execute_and_handle_webelement_exceptions(element_has_class,
'check for element class "{}"'.format(classname))
| has_class | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, classname):\n\n def x():\n pattern = re.compile('(\\\\s|^){classname}(\\\\s|$)'.format(classname=\n classname))\n classes = s... |
def x(self):
def x():
return WebElementWrapper(self.driver_wrapper, self.locator, self.
element.parent)
return self.execute_and_handle_webelement_exceptions(parent_element,
'get parent')
| parent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n return WebElementWrapper(self.driver_wrapper, self.locator, self.\n element.parent)\n return self.execute_and_han... |
def x(self):
def x():
parent = self.driver_wrapper.execute_script(
'return arguments[0].parentNode;', self.element)
wrapped_parent = WebElementWrapper(self.driver_wrapper, '', parent)
return wrapped_parent
return self.execute_and_handle_webelement_exceptions(parent_element,
'get parent element')
| parent_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n parent = self.driver_wrapper.execute_script(\n 'return arguments[0].parentNode;', self.element)\n wrapped_par... |
def x(self, force_get=False):
def x():
return self.element.text
def x():
return (self.driver_wrapper.js_executor.
execute_template_and_return_result('getElementText.js', {},
self.element))
if force_get:
return self.execute_and_handle_webelement_exceptions(force_text_element
, 'get text by javascript')
else:
return self.execute_and_handle_webelement_exceptions(text_element,
'get text')
| text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_get=False):\n\n def x():\n return self.element.text\n\n def x():\n return (self.driver_wrapper.js_executor.\n execut... |
def x(self):
js_executor = self.driver_wrapper.js_executor
def x():
location = self.element.location
size = self.element.size
js_executor.execute_template('elementHighlighterTemplate', {'x':
str(location['x']), 'y': str(location['y']), 'width': str(size[
'width']), 'height': str(size['height'])})
return True
self.execute_and_handle_webelement_exceptions(highlight_element,
'highlight')
return self
| highlight | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n js_executor = self.driver_wrapper.js_executor\n\n def x():\n location = self.element.location\n size = self.element.size\n ... |
def x(self, name, value):
js_executor = self.driver_wrapper.js_executor
def x():
js_executor.execute_template('setAttributeTemplate', {
'attribute_name': str(name), 'attribute_value': str(value)},
self.element)
return True
self.execute_and_handle_webelement_exceptions(set_attribute_element,
'set attribute "' + str(name) + '" to "' + str(value) + '"')
return self
| set_attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value):\n js_executor = self.driver_wrapper.js_executor\n\n def x():\n js_executor.execute_template('setAttributeTemplate', {\n ... |
def x(self, value=None, text=None, index=None):
def x():
return self.set_select('select', value, text, index)
return self.execute_and_handle_webelement_exceptions(do_select,
'select option')
| select_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None, text=None, index=None):\n\n def x():\n return self.set_select('select', value, text, index)\n return self.execute_and_handle_web... |
def x(self, value=None, text=None, index=None):
def x():
return self.set_select('deselect', value, text, index)
return self.execute_and_handle_webelement_exceptions(do_deselect,
'deselect option')
| deselect_option | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=None, text=None, index=None):\n\n def x():\n return self.set_select('deselect', value, text, index)\n return self.execute_and_handle_w... |
def x(self, select_or_deselect='select', value=None, text=None, index=None):
if select_or_deselect is 'select':
if value is not None:
Select(self.element).select_by_value(value)
elif text is not None:
Select(self.element).select_by_visible_text(text)
elif index is not None:
Select(self.element).select_by_index(index)
elif select_or_deselect is 'deselect':
if value is not None:
Select(self.element).deselect_by_value(value)
elif text is not None:
Select(self.element).deselect_by_visible_text(text)
elif index is not None:
Select(self.element).deselect_by_index(index)
elif select_or_deselect is 'deselect all':
Select(self.element).deselect_all()
return self
| set_select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, select_or_deselect='select', value=None, text=None, index=None):\n if select_or_deselect is 'select':\n if value is not None:\n Sele... |
def x(self, force_check=False):
if not self.get_attribute('checked'):
self.click(force_click=force_check)
| checkbox_check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_check=False):\n if not self.get_attribute('checked'):\n self.click(force_click=force_check)\n",
"role": "user"
},
{
"content"... |
def x(self, force_check=False):
if self.get_attribute('checked'):
self.click(force_click=force_check)
| checkbox_uncheck | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_check=False):\n if self.get_attribute('checked'):\n self.click(force_click=force_check)\n",
"role": "user"
},
{
"content": "c... |
def x(self):
def x():
ActionChains(self.driver_wrapper.driver).move_to_element(self.element
).perform()
return self.execute_and_handle_webelement_exceptions(do_hover, 'hover')
| hover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n ActionChains(self.driver_wrapper.driver).move_to_element(self.element\n ).perform()\n return self.execute_and_han... |
def x(self, locator, find_all=False, search_object=None, exclude_invisible=
None, *args, **kwargs):
search_object = self.element if search_object is None else search_object
return self.driver_wrapper.find(locator, find_all, search_object=
search_object, exclude_invisible=exclude_invisible)
| find | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator, find_all=False, search_object=None, exclude_invisible=\n None, *args, **kwargs):\n search_object = self.element if search_object is None e... |
def x(self, locator):
params = []
params.append(self.driver_wrapper.find_attempts)
params.append(self.driver_wrapper.implicit_wait)
self.driver_wrapper.find_attempts = 1
self.driver_wrapper.implicit_wait = 0
result = self.driver_wrapper._find_immediately(locator, self.element)
self.driver_wrapper.implicit_wait = params.pop()
self.driver_wrapper.find_attempts = params.pop()
return result
| find_once | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n params = []\n params.append(self.driver_wrapper.find_attempts)\n params.append(self.driver_wrapper.implicit_wait)\n self.driver_w... |
def x(self, locator):
return self.driver_wrapper.find(locator, True, self.element)
| find_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n return self.driver_wrapper.find(locator, True, self.element)\n",
"role": "user"
},
{
"content": "find_all",
"role": "assis... |
def x(self, locator):
return self.driver_wrapper.is_present(locator, search_object=self.element)
| is_present | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locator):\n return self.driver_wrapper.is_present(locator, search_object=self.element)\n",
"role": "user"
},
{
"content": "is_present",
... |
def x(self, timeout=None):
timeout = timeout if timeout is not None else self.driver_wrapper.timeout
def x():
WebDriverWait(self.driver, timeout).until(EC.staleness_of(self.element)
)
return self
return self.execute_and_handle_webelement_exceptions(wait,
'wait for staleness')
| wait_until_stale | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=None):\n timeout = timeout if timeout is not None else self.driver_wrapper.timeout\n\n def x():\n WebDriverWait(self.driver, timeout... |
def x(self, uri, method=GET, headers=None, cookies=None, params=None, data=
None, post_files=None, **kwargs):
coyote_args = {'headers': headers, 'cookies': cookies, 'params': params,
'files': post_files, 'data': data, 'verify': self.verify_certificates}
coyote_args.update(kwargs)
if method == self.POST:
response = self.session.post(uri, **coyote_args)
elif method == self.PUT:
response = self.session.put(uri, **coyote_args)
elif method == self.PATCH:
response = self.session.patch(uri, **coyote_args)
elif method == self.DELETE:
response = self.session.delete(uri, **coyote_args)
else:
response = self.session.get(uri, **coyote_args)
self.responses.append(response)
while len(self.responses) > self.max_response_history:
self.responses.popleft()
return response
| request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, method=GET, headers=None, cookies=None, params=None, data=\n None, post_files=None, **kwargs):\n coyote_args = {'headers': headers, 'cookies':... |
def x(self, filename):
response = self.get_last_response()
return self.save_response_to_file(response, filename)
| save_last_response_to_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename):\n response = self.get_last_response()\n return self.save_response_to_file(response, filename)\n",
"role": "user"
},
{
"conte... |
def x(url, allowed_response_codes=None):
allowed_response_codes = [200
] if allowed_response_codes is None else allowed_response_codes
if str(url).startswith('javascript:'):
return True
try:
response = urllib2.urlopen(urllib2.Request(url))
except urllib2.URLError:
raise AssertionError('Url was invalid and could not be opened: {url}'
.format(url=url))
if response.code not in allowed_response_codes:
raise AssertionError(
'Invalid response code {response_code} from url: {url}'.format(
response_code=response.code, url=url))
return True
| validate_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, allowed_response_codes=None):\n allowed_response_codes = [200\n ] if allowed_response_codes is None else allowed_response_codes\n if str(url)... |
def x(urls, allowed_response_codes=None):
for url in urls:
validate_url(url, allowed_response_codes=allowed_response_codes)
return True
| validate_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(urls, allowed_response_codes=None):\n for url in urls:\n validate_url(url, allowed_response_codes=allowed_response_codes)\n return True\n",
"r... |
def x(browser_name, *args, **kwargs):
if browser_name == FIREFOX:
return webdriver.Firefox(*args, **kwargs)
elif browser_name == PHANTOMJS:
executable_path = os.path.join(os.path.dirname(__file__),
'phantomjs/executable/phantomjs_64bit')
driver = webdriver.PhantomJS(executable_path=executable_path, **kwargs)
driver.set_window_size(1280, 800)
return driver
else:
driver = webdriver.Remote(*args, **kwargs)
return driver
| new_driver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(browser_name, *args, **kwargs):\n if browser_name == FIREFOX:\n return webdriver.Firefox(*args, **kwargs)\n elif browser_name == PHANTOMJS:\n ... |
def x(host=None, **params):
config = ExampleConfig()
template = '/follow?{params}'
if not host:
host = config.get('example_web_hostname')
return ExampleUrlBuilder.build(template=template, host=host, params=
ExampleUrlBuilder.encode_params(**params))
| build_follow_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host=None, **params):\n config = ExampleConfig()\n template = '/follow?{params}'\n if not host:\n host = config.get('example_web_hostname')\n ... |
def x(collection, encoding='utf-8'):
if isinstance(collection, dict):
return dict((encode_collection(key), encode_collection(value)) for
key, value in collection.iteritems())
elif isinstance(collection, list):
return [encode_collection(element) for element in input]
elif isinstance(collection, unicode):
return collection.encode(encoding)
else:
return collection
| encode_collection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(collection, encoding='utf-8'):\n if isinstance(collection, dict):\n return dict((encode_collection(key), encode_collection(value)) for \n ... |
def x(_list, delimiter=', ', wrap_values_with_char=None,
wrap_strings_with_char=None):
if wrap_values_with_char is not None:
return delimiter.join('{wrapper}{val}{wrapper}'.format(val=v,
wrapper=wrap_values_with_char) for v in _list)
elif wrap_strings_with_char is not None:
return delimiter.join(str(v) if not isinstance(v, str) else
'{wrapper}{val}{wrapper}'.format(val=v, wrapper=
wrap_strings_with_char) for v in _list)
else:
return delimiter.join(str(v) for v in _list)
| get_delimited_string_from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(_list, delimiter=', ', wrap_values_with_char=None,\n wrap_strings_with_char=None):\n if wrap_values_with_char is not None:\n return delimiter.join... |
def x(self, string, args=None):
result = None
try:
result = self.driver_wrapper.driver.execute_script(string, args)
return result
except WebDriverException:
if result is not None:
message = 'Returned: ' + str(result)
else:
message = 'No message. Check your Javascript source: {}'.format(
string)
raise WebDriverJavascriptException.WebDriverJavascriptException(self.
driver_wrapper, message)
| execute_script | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, args=None):\n result = None\n try:\n result = self.driver_wrapper.driver.execute_script(string, args)\n return result\n ex... |
def x(self, template_name, variables, args=None):
js_text = self.build_js_from_template(template_name, variables)
try:
self.execute_script(js_text, args)
except WebDriverException:
return False
return True
| execute_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template_name, variables, args=None):\n js_text = self.build_js_from_template(template_name, variables)\n try:\n self.execute_script(js_text... |
def x(self, template_name, variables, args=None):
js_text = self.build_js_from_template(template_name, variables)
return self.execute_script(js_text, args)
| execute_template_and_return_result | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template_name, variables, args=None):\n js_text = self.build_js_from_template(template_name, variables)\n return self.execute_script(js_text, args)... |
def x(self, template_file, variables):
template_variable_character = '%'
if not isinstance(variables, dict):
raise TypeError(
'You must use a dictionary to populate variables in a javascript template'
)
if not os.path.isfile(template_file):
if '.js' not in template_file:
template_file += '.js'
templates_dir = os.path.join(os.path.dirname(__file__), 'jsTemplates')
template_full_path = os.path.join(templates_dir, template_file)
else:
template_full_path = template_file
if not os.path.isfile(template_full_path):
raise ValueError(
'File "{}" was not found; you must specify the name of a built-in javascript template or the full filepath of a custom template'
.format(template_full_path))
try:
js_text = open(template_full_path).read()
except IOError:
raise IOError(
'The template was not found or did not have read permissions: {}'
.format(template_full_path))
for key in variables.keys():
if hasattr(variables[key], 'replace'):
variables[key] = variables[key].replace("'", "\\'")
variables[key] = variables[key].replace('"', '\\"')
else:
variables[key] = str(variables[key])
js_text = js_text.replace(template_variable_character + key,
variables[key])
return js_text
| build_js_from_template | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template_file, variables):\n template_variable_character = '%'\n if not isinstance(variables, dict):\n raise TypeError(\n 'You mu... |
def x(template='/', host=None, scheme=None, port=None, **template_vars):
parsed_host = urlparse.urlparse(host if host is not None else '')
host_has_scheme = bool(parsed_host.scheme)
if host_has_scheme:
host = parsed_host.netloc
scheme = parsed_host.scheme if scheme is None else scheme
port = port or parsed_host.port
unparsed_path = urlparse.urlparse(template.format(**template_vars)).geturl(
)
if host:
if not scheme:
raise ValueError(
'No scheme supplied and scheme could not be inferred from the host: {}'
.format(host))
if port:
host_no_port = host.partition(':')[0]
host = '{host_no_port}:{port}'.format(host_no_port=host_no_port,
port=port)
constructed_url = '//' + host + unparsed_path
url = urlparse.urlparse(constructed_url, scheme=scheme).geturl()
else:
url = unparsed_path
url = url[:-1] if url[-1] == '?' else url
url = url[:-1] if url[-1] == '&' else url
return url
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template='/', host=None, scheme=None, port=None, **template_vars):\n parsed_host = urlparse.urlparse(host if host is not None else '')\n host_has_scheme ... |
def x(function, step=0.5, timeout=3, ignore_exceptions=(),
exception_message='', message_builder=None, args=(), kwargs=None,
ontimeout=()):
try:
iter(ontimeout)
except TypeError:
raise ValueError(
'Please specify an iterable of callable functions for ontimeout')
kwargs = kwargs or dict()
end_time = time.time() + timeout
while True:
try:
value = function(*args, **kwargs)
if bool(value):
return value
except ignore_exceptions:
pass
time.sleep(step)
if time.time() > end_time:
break
for fn in ontimeout:
try:
fn(),
except:
continue
if message_builder:
exception_message = message_builder(*args, **kwargs)
raise AssertionError(exception_message)
| poll | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function, step=0.5, timeout=3, ignore_exceptions=(),\n exception_message='', message_builder=None, args=(), kwargs=None,\n ontimeout=()):\n try:\n ... |
def x(self, **variables):
return Locator(self.by, self.locator.format(**variables), self.description)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **variables):\n return Locator(self.by, self.locator.format(**variables), self.description)\n",
"role": "user"
},
{
"content": "build",
... |
def x(count=1, maxchars=None, sep=''):
nouns = sep.join([random_word() for x in xrange(0, count)])
if maxchars is not None and nouns > maxchars:
nouns = nouns[0:maxchars - 1]
return nouns
| random_words_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(count=1, maxchars=None, sep=''):\n nouns = sep.join([random_word() for x in xrange(0, count)])\n if maxchars is not None and nouns > maxchars:\n n... |
def x(domain, reference):
index_of_reference = domain.find(reference)
if index_of_reference > 0 and domain[index_of_reference:] == reference:
return True
return False
| is_subdomain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(domain, reference):\n index_of_reference = domain.find(reference)\n if index_of_reference > 0 and domain[index_of_reference:] == reference:\n retu... |
def x(requestdriver, webdriverwrapper):
for cookie in webdriverwrapper.get_cookies():
expires = cookie.pop('expiry', {'expiry': None})
cookie.update({'expires': expires})
requestdriver.session.cookies.set(**cookie)
| dump_webdriver_cookies_into_requestdriver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(requestdriver, webdriverwrapper):\n for cookie in webdriverwrapper.get_cookies():\n expires = cookie.pop('expiry', {'expiry': None})\n cookie.... |
def x():
browser_config = BrowserConfig()
constants_config = ConstantsConfig()
log_dir = os.path.join(constants_config.get('logs_dir'), 'firefox')
create_directory(log_dir)
log_path = os.path.join(log_dir, '{}_{}.log'.format(datetime.datetime.
now().isoformat('_'), words.random_word()))
log_file = open(log_path, 'w')
log('Firefox log file: {}'.format(log_path))
binary = FirefoxBinary(log_file=log_file)
return binary
| get_firefox_binary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n browser_config = BrowserConfig()\n constants_config = ConstantsConfig()\n log_dir = os.path.join(constants_config.get('logs_dir'), 'firefox')\n ... |
def x(driver, *args, **kwargs):
try:
logs = driver.get_browser_log(levels=[BROWSER_LOG_LEVEL_SEVERE])
failure_message = ('There were severe console errors on this page: {}'
.format(logs))
failure_message = failure_message.replace('{', '{{').replace('}', '}}')
driver.assertion.assert_false(logs, failure_message=failure_message)
except (urllib2.URLError, socket.error, WebDriverException):
pass
| log_fail_callback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(driver, *args, **kwargs):\n try:\n logs = driver.get_browser_log(levels=[BROWSER_LOG_LEVEL_SEVERE])\n failure_message = ('There were severe co... |
def x(self, **kwargs):
cloned = self.clone()
cloned.update(**kwargs)
return cloned
| clone_and_update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n cloned = self.clone()\n cloned.update(**kwargs)\n return cloned\n",
"role": "user"
},
{
"content": "clone_and_update",
... |
def x(self):
template_name = self.template_name() if callable(self.template_name
) else self.template_name
return loader.render_to_string(template_name, self.get_context(),
request=self.request)
| message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n template_name = self.template_name() if callable(self.template_name\n ) else self.template_name\n return loader.render_to_string(template... |
def x(self):
template_name = self.subject_template_name() if callable(self.
subject_template_name) else self.subject_template_name
subject = loader.render_to_string(template_name, self.get_context(),
request=self.request)
return ''.join(subject.splitlines())
| subject | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n template_name = self.subject_template_name() if callable(self.\n subject_template_name) else self.subject_template_name\n subject = loade... |
def x(self):
if not self.is_valid():
raise ValueError('Cannot generate Context from invalid contact form')
return dict(self.cleaned_data, site=get_current_site(self.request))
| get_context | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_valid():\n raise ValueError('Cannot generate Context from invalid contact form')\n return dict(self.cleaned_data, site=get... |
def x(self):
if not self.is_valid():
raise ValueError('Message cannot be sent from invalid contact form')
message_dict = {}
for message_part in ('from_email', 'message', 'recipient_list', 'subject'):
attr = getattr(self, message_part)
message_dict[message_part] = attr() if callable(attr) else attr
return message_dict
| get_message_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self.is_valid():\n raise ValueError('Message cannot be sent from invalid contact form')\n message_dict = {}\n for message_part ... |
def x():
if not settings.SHOPIFY_APP_API_KEY or not settings.SHOPIFY_APP_API_SECRET:
raise ImproperlyConfigured(
'SHOPIFY_APP_API_KEY and SHOPIFY_APP_API_SECRET must be set in settings'
)
shopify.Session.setup(api_key=settings.SHOPIFY_APP_API_KEY, secret=
settings.SHOPIFY_APP_API_SECRET)
| initialise_shopify_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if not settings.SHOPIFY_APP_API_KEY or not settings.SHOPIFY_APP_API_SECRET:\n raise ImproperlyConfigured(\n 'SHOPIFY_APP_API_KEY and ... |
def x(function=None, redirect_url=None):
if not redirect_url:
redirect_url = settings.LOGIN_REDIRECT_URL
actual_decorator = user_passes_test(is_anonymous, login_url=
redirect_url, redirect_field_name=None)
if function:
return actual_decorator(function)
return actual_decorator
| anonymous_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(function=None, redirect_url=None):\n if not redirect_url:\n redirect_url = settings.LOGIN_REDIRECT_URL\n actual_decorator = user_passes_test(is_an... |
def x(f, redirect_field_name=REDIRECT_FIELD_NAME, login_url=None):
@wraps(f)
def x(request, *args, **kwargs):
if is_authenticated(request.user):
return f(request, *args, **kwargs)
shopify_params = {k: request.GET[k] for k in ['shop', 'timestamp',
'signature', 'hmac'] if k in request.GET}
resolved_login_url = force_str(resolve_url(login_url or settings.
LOGIN_URL))
updated_login_url = add_query_parameters_to_url(resolved_login_url,
shopify_params)
django_login_required_decorator = django_login_required(
redirect_field_name=redirect_field_name, login_url=
updated_login_url)
return django_login_required_decorator(f)(request, *args, **kwargs)
return wrapper
| login_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, redirect_field_name=REDIRECT_FIELD_NAME, login_url=None):\n\n @wraps(f)\n def x(request, *args, **kwargs):\n if is_authenticated(request.user):... |
def x(self, myshopify_domain, password=None):
if not myshopify_domain:
raise ValueError('ShopUsers must have a myshopify domain')
user = self.model(myshopify_domain=myshopify_domain)
user.set_unusable_password()
user.save(using=self._db)
return user
| create_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, myshopify_domain, password=None):\n if not myshopify_domain:\n raise ValueError('ShopUsers must have a myshopify domain')\n user = self.mode... |
def x(url, query_parameters):
url_parts = urllib.parse.urlparse(url)
qs_args = urllib.parse.parse_qs(url_parts[4])
qs_args.update(query_parameters)
sorted_qs_args = OrderedDict()
for k in sorted(qs_args.keys()):
sorted_qs_args[k] = qs_args[k]
new_qs = urllib.parse.urlencode(sorted_qs_args, True)
return urllib.parse.urlunparse(list(url_parts[0:4]) + [new_qs] + list(
url_parts[5:]))
| add_query_parameters_to_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, query_parameters):\n url_parts = urllib.parse.urlparse(url)\n qs_args = urllib.parse.parse_qs(url_parts[4])\n qs_args.update(query_parameters)\n ... |
def x(self, event_name, callback, *args, **kwargs):
self.event_callbacks[event_name].append((callback, args, kwargs))
| bind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_name, callback, *args, **kwargs):\n self.event_callbacks[event_name].append((callback, args, kwargs))\n",
"role": "user"
},
{
"conte... |
def x(self, event_name, data, channel_name=None):
event = {'event': event_name, 'data': data}
if channel_name:
event['channel'] = channel_name
self.logger.info('Connection: Sending event - %s' % event)
try:
self.socket.send(json.dumps(event))
except Exception as e:
self.logger.error('Failed send event: %s' % e)
| send_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_name, data, channel_name=None):\n event = {'event': event_name, 'data': data}\n if channel_name:\n event['channel'] = channel_name\n ... |
def x(self, event_name, data):
if self.connection:
if event_name.startswith('client-'):
if self.name.startswith('private-') or self.name.startswith(
'presence-'):
self.connection.send_event(event_name, data, channel_name=
self.name)
| trigger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_name, data):\n if self.connection:\n if event_name.startswith('client-'):\n if self.name.startswith('private-') or self.name.s... |
def x(self, channel_name, auth=None):
data = {'channel': channel_name}
if auth is None:
if channel_name.startswith('presence-'):
data['auth'] = self._generate_presence_token(channel_name)
data['channel_data'] = json.dumps(self.user_data)
elif channel_name.startswith('private-'):
data['auth'] = self._generate_auth_token(channel_name)
else:
data['auth'] = auth
self.connection.send_event('pusher:subscribe', data)
self.channels[channel_name] = Channel(channel_name, self.connection)
return self.channels[channel_name]
| subscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel_name, auth=None):\n data = {'channel': channel_name}\n if auth is None:\n if channel_name.startswith('presence-'):\n data... |
def x(self, channel_name):
if channel_name in self.channels:
self.connection.send_event('pusher:unsubscribe', {'channel':
channel_name})
del self.channels[channel_name]
| unsubscribe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel_name):\n if channel_name in self.channels:\n self.connection.send_event('pusher:unsubscribe', {'channel':\n channel_name})\n... |
def x(self, event_name, data, channel_name):
if channel_name in self.channels:
self.channels[channel_name]._handle_event(event_name, data)
| connection_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_name, data, channel_name):\n if channel_name in self.channels:\n self.channels[channel_name]._handle_event(event_name, data)\n",
"rol... |
def x(self):
for channel_name, channel in self.channels.items():
data = {'channel': channel_name}
if channel.auth:
data['auth'] = channel.auth
self.connection.send_event('pusher:subscribe', data)
| reconnect_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for channel_name, channel in self.channels.items():\n data = {'channel': channel_name}\n if channel.auth:\n data['auth'] =... |
def x(self, channel_name):
subject = '{}:{}'.format(self.connection.socket_id, channel_name)
h = hmac.new(self.secret_as_bytes, subject.encode('utf-8'), hashlib.sha256)
auth_key = '{}:{}'.format(self.key, h.hexdigest())
return auth_key
| generate_auth_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel_name):\n subject = '{}:{}'.format(self.connection.socket_id, channel_name)\n h = hmac.new(self.secret_as_bytes, subject.encode('utf-8'), ha... |
def x(self, channel_name):
subject = '{}:{}:{}'.format(self.connection.socket_id, channel_name,
json.dumps(self.user_data))
h = hmac.new(self.secret_as_bytes, subject.encode('utf-8'), hashlib.sha256)
auth_key = '{}:{}'.format(self.key, h.hexdigest())
return auth_key
| generate_presence_token | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel_name):\n subject = '{}:{}:{}'.format(self.connection.socket_id, channel_name,\n json.dumps(self.user_data))\n h = hmac.new(self.secr... |
def x(self, element=None):
tags = []
if element:
if element.startswith(('de ', 'het ', 'het/de', 'de/het')
) and not re.search('\\[[\\w|\\s][\\w|\\s]+\\]', element.split(
'\r\n')[0], re.U):
tags.append('NN')
if re.search('[\\w|\\s|/]+ \\| [\\w|\\s|/]+ - [\\w|\\s|/]+',
element, re.U):
tags.append('VB')
if re.search('[\\w|\\s]+ \\| [\\w|\\s]+', element, re.U):
tags.append('JJ')
return tags
else:
for element in self.elements:
if self.word in unicode(element):
tag = self.pos(element)
if tag:
return tag
| pos | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element=None):\n tags = []\n if element:\n if element.startswith(('de ', 'het ', 'het/de', 'de/het')\n ) and not re.search('\\\\[... |
def x(self):
result = [None, None]
element = self._first('NN')
if element:
element = element.split('\r\n')[0]
if ' | ' in element:
singular, plural = element.split(' | ')
singular, plural = singular.strip(), plural.strip()
else:
singular, plural = element.strip(), ''
result[1] = ''
if singular:
result[0] = singular.split(' ')[0].split('/')
if plural:
result[1] = plural.split(' ')[0].split('/')
return result
| articles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = [None, None]\n element = self._first('NN')\n if element:\n element = element.split('\\r\\n')[0]\n if ' | ' in element:... |
def x(self):
element = self._first('NN')
if element:
element = element.split('\r\n')[0]
if ' | ' in element:
singular, plural = element.split(' | ')
return [plural.split(' ')[1]]
else:
return ['']
return [None]
| plural | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n element = self._first('NN')\n if element:\n element = element.split('\\r\\n')[0]\n if ' | ' in element:\n singular, plu... |
def x(url, filename, overwrite=False):
from requests import get
from os.path import exists
debug('Downloading ' + unicode(url) + '...')
data = get(url)
if data.status_code == 200:
if not exists(filename) or overwrite:
f = open(filename, 'wb')
f.write(data.content)
f.close()
return True
return False
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, filename, overwrite=False):\n from requests import get\n from os.path import exists\n debug('Downloading ' + unicode(url) + '...')\n data = ge... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.