source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, testname=None):
desired_capabilities = self._generate_desired_capabilities(testname)
remote_url = self._config_reader.get(WebDriverFactory.REMOTE_URL_CONFIG)
driver = webdriver.Remote(desired_capabilities=desired_capabilities,
command_executor=remote_url)
log_driver_props = self._config_reader.get(WebDriverFactory.
LOG_REMOTEDRIVER_PROPS, default_value=False) in [True, 'true',
'TRUE', 'True']
if 'wd/hub' in remote_url and log_driver_props:
try:
grid_addr = remote_url[:remote_url.index('wd/hub')]
info_request_response = urllib2.urlopen(grid_addr +
'grid/api/testsession?session=' + driver.session_id, '', 5000)
node_info = info_request_response.read()
_wtflog.info(u('RemoteWebdriver using node: ') + u(node_info).
strip())
except:
pass
return driver
|
create_remote_webdriver_from_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, testname=None):\n desired_capabilities = self._generate_desired_capabilities(testname)\n remote_url = self._config_reader.get(WebDriverFactory.REMOTE_URL_CONFIG)\n driver = webdriver.Remote(desired_capabilities=desired_capabilities,\n command_executor=remote_url)\n log_driver_props = self._config_reader.get(WebDriverFactory.\n LOG_REMOTEDRIVER_PROPS, default_value=False) in [True, 'true',\n 'TRUE', 'True']\n if 'wd/hub' in remote_url and log_driver_props:\n try:\n grid_addr = remote_url[:remote_url.index('wd/hub')]\n info_request_response = urllib2.urlopen(grid_addr +\n 'grid/api/testsession?session=' + driver.session_id, '', 5000)\n node_info = info_request_response.read()\n _wtflog.info(u('RemoteWebdriver using node: ') + u(node_info).\n strip())\n except:\n pass\n return driver\n",
"role": "user"
},
{
"content": "create_remote_webdriver_from_config",
"role": "assistant"
}
] |
def x(self):
_wtflog.info('WebdriverManager: Cleaning up webdrivers')
try:
if self.__use_shutdown_hook:
for key in self.__registered_drivers.keys():
for driver in self.__registered_drivers[key]:
try:
_wtflog.debug(
'Shutdown hook closing Webdriver for thread: %s',
key)
driver.quit()
except:
pass
except:
pass
|
clean_up_webdrivers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _wtflog.info('WebdriverManager: Cleaning up webdrivers')\n try:\n if self.__use_shutdown_hook:\n for key in self.__registered_drivers.keys():\n for driver in self.__registered_drivers[key]:\n try:\n _wtflog.debug(\n 'Shutdown hook closing Webdriver for thread: %s',\n key)\n driver.quit()\n except:\n pass\n except:\n pass\n",
"role": "user"
},
{
"content": "clean_up_webdrivers",
"role": "assistant"
}
] |
def x(self):
channel = self.__get_channel()
driver = self.__get_driver_for_channel(channel)
if self.__config.get(self.REUSE_BROWSER, True):
try:
driver.delete_all_cookies()
driver.get('about:blank')
except:
pass
if driver is not None:
try:
driver.quit()
except:
pass
self.__unregister_driver(channel)
if driver in self.__registered_drivers[channel]:
self.__registered_drivers[channel].remove(driver)
self.webdriver = None
|
close_driver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n channel = self.__get_channel()\n driver = self.__get_driver_for_channel(channel)\n if self.__config.get(self.REUSE_BROWSER, True):\n try:\n driver.delete_all_cookies()\n driver.get('about:blank')\n except:\n pass\n if driver is not None:\n try:\n driver.quit()\n except:\n pass\n self.__unregister_driver(channel)\n if driver in self.__registered_drivers[channel]:\n self.__registered_drivers[channel].remove(driver)\n self.webdriver = None\n",
"role": "user"
},
{
"content": "close_driver",
"role": "assistant"
}
] |
def x(self):
driver = self.__get_driver_for_channel(self.__get_channel())
if driver is None:
driver = self.new_driver()
return driver
|
get_driver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n driver = self.__get_driver_for_channel(self.__get_channel())\n if driver is None:\n driver = self.new_driver()\n return driver\n",
"role": "user"
},
{
"content": "get_driver",
"role": "assistant"
}
] |
def x(self, testname=None):
channel = self.__get_channel()
driver = self.__get_driver_for_channel(channel)
if self.__config.get(WebDriverManager.REUSE_BROWSER, True):
if driver is None:
driver = self._webdriver_factory.create_webdriver(testname=testname
)
self.__register_driver(channel, driver)
else:
try:
driver.delete_all_cookies()
driver.get('about:blank')
except:
try:
if driver.is_online():
driver.quit()
except:
pass
driver = self._webdriver_factory.create_webdriver(testname=
testname)
self.__register_driver(channel, driver)
else:
if driver is not None:
try:
driver.quit()
except:
pass
self.__unregister_driver(channel)
driver = self._webdriver_factory.create_webdriver(testname=testname)
self.__register_driver(channel, driver)
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(self, testname=None):\n channel = self.__get_channel()\n driver = self.__get_driver_for_channel(channel)\n if self.__config.get(WebDriverManager.REUSE_BROWSER, True):\n if driver is None:\n driver = self._webdriver_factory.create_webdriver(testname=testname\n )\n self.__register_driver(channel, driver)\n else:\n try:\n driver.delete_all_cookies()\n driver.get('about:blank')\n except:\n try:\n if driver.is_online():\n driver.quit()\n except:\n pass\n driver = self._webdriver_factory.create_webdriver(testname=\n testname)\n self.__register_driver(channel, driver)\n else:\n if driver is not None:\n try:\n driver.quit()\n except:\n pass\n self.__unregister_driver(channel)\n driver = self._webdriver_factory.create_webdriver(testname=testname)\n self.__register_driver(channel, driver)\n return driver\n",
"role": "user"
},
{
"content": "new_driver",
"role": "assistant"
}
] |
def x(self, channel, webdriver):
if not self.__registered_drivers.has_key(channel):
self.__registered_drivers[channel] = []
self.__registered_drivers[channel].append(webdriver)
self.__webdriver[channel] = webdriver
|
register_driver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel, webdriver):\n if not self.__registered_drivers.has_key(channel):\n self.__registered_drivers[channel] = []\n self.__registered_drivers[channel].append(webdriver)\n self.__webdriver[channel] = webdriver\n",
"role": "user"
},
{
"content": "register_driver",
"role": "assistant"
}
] |
def x(self, channel):
driver = self.__get_driver_for_channel(channel)
if self.__registered_drivers.has_key(channel
) and driver in self.__registered_drivers[channel]:
self.__registered_drivers[channel].remove(driver)
self.__webdriver[channel] = None
|
unregister_driver
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, channel):\n driver = self.__get_driver_for_channel(channel)\n if self.__registered_drivers.has_key(channel\n ) and driver in self.__registered_drivers[channel]:\n self.__registered_drivers[channel].remove(driver)\n self.__webdriver[channel] = None\n",
"role": "user"
},
{
"content": "unregister_driver",
"role": "assistant"
}
] |
def x(self):
if self.__config.get(WebDriverManager.ENABLE_THREADING_SUPPORT, False):
channel = current_thread().ident
else:
channel = 0
return channel
|
get_channel
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.__config.get(WebDriverManager.ENABLE_THREADING_SUPPORT, False):\n channel = current_thread().ident\n else:\n channel = 0\n return channel\n",
"role": "user"
},
{
"content": "get_channel",
"role": "assistant"
}
] |
def x(webdriver, file_name):
folder_location = os.path.join(ProjectUtils.get_project_root(),
WebScreenShotUtil.SCREEN_SHOT_LOCATION)
WebScreenShotUtil.__capture_screenshot(webdriver, folder_location,
file_name + '.png')
|
take_screenshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, file_name):\n folder_location = os.path.join(ProjectUtils.get_project_root(),\n WebScreenShotUtil.SCREEN_SHOT_LOCATION)\n WebScreenShotUtil.__capture_screenshot(webdriver, folder_location, \n file_name + '.png')\n",
"role": "user"
},
{
"content": "take_screenshot",
"role": "assistant"
}
] |
def x(webdriver, file_name):
folder_location = os.path.join(ProjectUtils.get_project_root(),
WebScreenShotUtil.REFERENCE_SCREEN_SHOT_LOCATION)
WebScreenShotUtil.__capture_screenshot(webdriver, folder_location,
file_name + '.png')
|
take_reference_screenshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, file_name):\n folder_location = os.path.join(ProjectUtils.get_project_root(),\n WebScreenShotUtil.REFERENCE_SCREEN_SHOT_LOCATION)\n WebScreenShotUtil.__capture_screenshot(webdriver, folder_location, \n file_name + '.png')\n",
"role": "user"
},
{
"content": "take_reference_screenshot",
"role": "assistant"
}
] |
def x(webdriver, folder_location, file_name):
if not os.path.exists(folder_location):
os.makedirs(folder_location)
file_location = os.path.join(folder_location, file_name)
if isinstance(webdriver, remote.webdriver.WebDriver):
base64_data = webdriver.get_screenshot_as_base64()
screenshot_data = base64.decodestring(base64_data)
screenshot_file = open(file_location, 'wb')
screenshot_file.write(screenshot_data)
screenshot_file.close()
else:
webdriver.save_screenshot(file_location)
|
capture_screenshot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, folder_location, file_name):\n if not os.path.exists(folder_location):\n os.makedirs(folder_location)\n file_location = os.path.join(folder_location, file_name)\n if isinstance(webdriver, remote.webdriver.WebDriver):\n base64_data = webdriver.get_screenshot_as_base64()\n screenshot_data = base64.decodestring(base64_data)\n screenshot_file = open(file_location, 'wb')\n screenshot_file.write(screenshot_data)\n screenshot_file.close()\n else:\n webdriver.save_screenshot(file_location)\n",
"role": "user"
},
{
"content": "capture_screenshot",
"role": "assistant"
}
] |
def x(cls):
if cls.__root_folder__ != None:
return cls.__root_folder__
try:
cls.__root_folder__ = os.environ[cls.WTF_HOME_CONFIG_ENV_VAR]
except KeyError:
pass
path = os.getcwd()
seperator_matches = re.finditer('/|\\\\', path)
paths_to_search = [path]
for match in seperator_matches:
p = path[:match.start()]
paths_to_search.insert(0, p)
for path in paths_to_search:
target_path = os.path.join(path, cls.__WTF_ROOT_FOLDER_FILE)
if os.path.isfile(target_path):
cls.__root_folder__ = path
return cls.__root_folder__
raise RuntimeError(u(
"Missing root project folder locator file '.wtf_root_folder'.") + u
('Check to make sure this file is located in your project directory.'))
|
get_project_root
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if cls.__root_folder__ != None:\n return cls.__root_folder__\n try:\n cls.__root_folder__ = os.environ[cls.WTF_HOME_CONFIG_ENV_VAR]\n except KeyError:\n pass\n path = os.getcwd()\n seperator_matches = re.finditer('/|\\\\\\\\', path)\n paths_to_search = [path]\n for match in seperator_matches:\n p = path[:match.start()]\n paths_to_search.insert(0, p)\n for path in paths_to_search:\n target_path = os.path.join(path, cls.__WTF_ROOT_FOLDER_FILE)\n if os.path.isfile(target_path):\n cls.__root_folder__ = path\n return cls.__root_folder__\n raise RuntimeError(u(\n \"Missing root project folder locator file '.wtf_root_folder'.\") + u\n ('Check to make sure this file is located in your project directory.'))\n",
"role": "user"
},
{
"content": "get_project_root",
"role": "assistant"
}
] |
def x(lambda_expr, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5, message=None
):
__check_condition_parameter_is_function(lambda_expr)
end_time = datetime.now() + timedelta(seconds=timeout)
last_exception = None
while datetime.now() < end_time:
try:
return lambda_expr()
except Exception as e:
last_exception = e
time.sleep(sleep)
if message:
raise OperationTimeoutError(message, last_exception)
else:
raise OperationTimeoutError('Operation timed out.', last_exception)
|
do_until
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lambda_expr, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5, message=None\n ):\n __check_condition_parameter_is_function(lambda_expr)\n end_time = datetime.now() + timedelta(seconds=timeout)\n last_exception = None\n while datetime.now() < end_time:\n try:\n return lambda_expr()\n except Exception as e:\n last_exception = e\n time.sleep(sleep)\n if message:\n raise OperationTimeoutError(message, last_exception)\n else:\n raise OperationTimeoutError('Operation timed out.', last_exception)\n",
"role": "user"
},
{
"content": "do_until",
"role": "assistant"
}
] |
def x(condition, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5):
try:
return wait_until(condition, timeout, sleep)
except:
pass
|
wait_and_ignore
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5):\n try:\n return wait_until(condition, timeout, sleep)\n except:\n pass\n",
"role": "user"
},
{
"content": "wait_and_ignore",
"role": "assistant"
}
] |
def x(condition, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5,
pass_exceptions=False, message=None):
__check_condition_parameter_is_function(condition)
last_exception = None
end_time = datetime.now() + timedelta(seconds=timeout)
while datetime.now() < end_time:
try:
if condition():
return
except Exception as e:
if pass_exceptions:
raise e
else:
last_exception = e
time.sleep(sleep)
if message:
if last_exception:
raise OperationTimeoutError(message, e)
else:
raise OperationTimeoutError(message)
elif last_exception:
raise OperationTimeoutError('Operation timed out.', e)
else:
raise OperationTimeoutError('Operation timed out.')
|
wait_until
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition, timeout=WTF_TIMEOUT_MANAGER.NORMAL, sleep=0.5,\n pass_exceptions=False, message=None):\n __check_condition_parameter_is_function(condition)\n last_exception = None\n end_time = datetime.now() + timedelta(seconds=timeout)\n while datetime.now() < end_time:\n try:\n if condition():\n return\n except Exception as e:\n if pass_exceptions:\n raise e\n else:\n last_exception = e\n time.sleep(sleep)\n if message:\n if last_exception:\n raise OperationTimeoutError(message, e)\n else:\n raise OperationTimeoutError(message)\n elif last_exception:\n raise OperationTimeoutError('Operation timed out.', e)\n else:\n raise OperationTimeoutError('Operation timed out.')\n",
"role": "user"
},
{
"content": "wait_until",
"role": "assistant"
}
] |
def x(self, subject, match_recipient=None):
self._mail.select('inbox')
try:
matches = self.__search_email_by_subject(subject, match_recipient)
if len(matches) <= 0:
return False
else:
return True
except Exception as e:
raise e
|
check_email_exists_by_subject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, match_recipient=None):\n self._mail.select('inbox')\n try:\n matches = self.__search_email_by_subject(subject, match_recipient)\n if len(matches) <= 0:\n return False\n else:\n return True\n except Exception as e:\n raise e\n",
"role": "user"
},
{
"content": "check_email_exists_by_subject",
"role": "assistant"
}
] |
def x(self, subject, limit=50, match_recipient=None):
self._mail.select('inbox')
matching_uids = self.__search_email_by_subject(subject, match_recipient)
return matching_uids
|
find_emails_by_subject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, limit=50, match_recipient=None):\n self._mail.select('inbox')\n matching_uids = self.__search_email_by_subject(subject, match_recipient)\n return matching_uids\n",
"role": "user"
},
{
"content": "find_emails_by_subject",
"role": "assistant"
}
] |
def x(self, message_uid, message_type='text/plain'):
self._mail.select('inbox')
result = self._mail.uid('fetch', message_uid, '(RFC822)')
msg = email.message_from_string(result[1][0][1])
try:
for part in msg.walk():
if part.get_content_type() == message_type:
return part.get_payload(decode=True)
except:
return msg.get_payload(decode=True)
|
get_email_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message_uid, message_type='text/plain'):\n self._mail.select('inbox')\n result = self._mail.uid('fetch', message_uid, '(RFC822)')\n msg = email.message_from_string(result[1][0][1])\n try:\n for part in msg.walk():\n if part.get_content_type() == message_type:\n return part.get_payload(decode=True)\n except:\n return msg.get_payload(decode=True)\n",
"role": "user"
},
{
"content": "get_email_message",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
limit = 50
try:
limit = kwargs['limit']
except KeyError:
pass
self._mail.select('inbox')
try:
date = kwargs['date']
date_str = date.strftime('%d-%b-%Y')
_, email_ids = self._mail.search(None, '(SINCE "%s")' % date_str)
except KeyError:
_, email_ids = self._mail.search(None, 'ALL')
email_ids = email_ids[0].split()
matching_uids = []
for _ in range(1, min(limit, len(email_ids))):
email_id = email_ids.pop()
rfc_body = self._mail.fetch(email_id, '(RFC822)')[1][0][1]
match = True
for expr in args:
if re.search(expr, rfc_body) is None:
match = False
break
if match:
uid = re.search('UID\\D*(\\d+)\\D*', self._mail.fetch(email_id,
'UID')[1][0]).group(1)
matching_uids.append(uid)
return matching_uids
|
raw_search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n limit = 50\n try:\n limit = kwargs['limit']\n except KeyError:\n pass\n self._mail.select('inbox')\n try:\n date = kwargs['date']\n date_str = date.strftime('%d-%b-%Y')\n _, email_ids = self._mail.search(None, '(SINCE \"%s\")' % date_str)\n except KeyError:\n _, email_ids = self._mail.search(None, 'ALL')\n email_ids = email_ids[0].split()\n matching_uids = []\n for _ in range(1, min(limit, len(email_ids))):\n email_id = email_ids.pop()\n rfc_body = self._mail.fetch(email_id, '(RFC822)')[1][0][1]\n match = True\n for expr in args:\n if re.search(expr, rfc_body) is None:\n match = False\n break\n if match:\n uid = re.search('UID\\\\D*(\\\\d+)\\\\D*', self._mail.fetch(email_id,\n 'UID')[1][0]).group(1)\n matching_uids.append(uid)\n return matching_uids\n",
"role": "user"
},
{
"content": "raw_search",
"role": "assistant"
}
] |
def x(self, subject, match_recipient):
if match_recipient is None:
_, data = self._mail.uid('search', None,
'(HEADER SUBJECT "{subject}")'.format(subject=subject))
uid_list = data[0].split()
return uid_list
else:
_, data = self._mail.uid('search', None,
'(HEADER SUBJECT "{subject}" TO "{recipient}")'.format(subject=
subject, recipient=match_recipient))
filtered_list = []
uid_list = data[0].split()
for uid in uid_list:
to_addr = re.search('[^-]To: (.*)', self._mail.uid('fetch', uid,
'(RFC822)')[1][0][1]).group(1).strip()
if to_addr == match_recipient or to_addr == '<{0}>'.format(
match_recipient):
filtered_list.append(uid)
return filtered_list
|
search_email_by_subject
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subject, match_recipient):\n if match_recipient is None:\n _, data = self._mail.uid('search', None,\n '(HEADER SUBJECT \"{subject}\")'.format(subject=subject))\n uid_list = data[0].split()\n return uid_list\n else:\n _, data = self._mail.uid('search', None,\n '(HEADER SUBJECT \"{subject}\" TO \"{recipient}\")'.format(subject=\n subject, recipient=match_recipient))\n filtered_list = []\n uid_list = data[0].split()\n for uid in uid_list:\n to_addr = re.search('[^-]To: (.*)', self._mail.uid('fetch', uid,\n '(RFC822)')[1][0][1]).group(1).strip()\n if to_addr == match_recipient or to_addr == '<{0}>'.format(\n match_recipient):\n filtered_list.append(uid)\n return filtered_list\n",
"role": "user"
},
{
"content": "search_email_by_subject",
"role": "assistant"
}
] |
def x(self, key, default_value=__NoDefaultSpecified__):
os_env_string = ConfigReader.ENV_PREFIX + key
os_env_string = os_env_string.replace('.', '_')
if type(os.getenv(os_env_string)) != NoneType:
return os.getenv(os_env_string)
for data_map in self._dataMaps:
try:
if '.' in key:
namespaces = key.split('.')
temp_var = data_map
for name in namespaces:
temp_var = temp_var[name]
return temp_var
else:
value = data_map[key]
return value
except (AttributeError, TypeError, KeyError):
pass
if default_value == self.__NoDefaultSpecified__:
raise KeyError(u("Key '{0}' does not exist").format(key))
else:
return default_value
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, default_value=__NoDefaultSpecified__):\n os_env_string = ConfigReader.ENV_PREFIX + key\n os_env_string = os_env_string.replace('.', '_')\n if type(os.getenv(os_env_string)) != NoneType:\n return os.getenv(os_env_string)\n for data_map in self._dataMaps:\n try:\n if '.' in key:\n namespaces = key.split('.')\n temp_var = data_map\n for name in namespaces:\n temp_var = temp_var[name]\n return temp_var\n else:\n value = data_map[key]\n return value\n except (AttributeError, TypeError, KeyError):\n pass\n if default_value == self.__NoDefaultSpecified__:\n raise KeyError(u(\"Key '{0}' does not exist\").format(key))\n else:\n return default_value\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(page_name, url):
url_with_path = u('^.*//[^/]+([^?]+)?|$')
try:
match = re.match(url_with_path, url)
partial_url = match.group(1)
print('Using partial URL for location verification. ', partial_url)
except:
partial_url = url
print('Could not find usable partial url, using full url.', url)
print('Processing page source...')
response = urllib2.urlopen(url)
html = response.read()
input_tags_expr = u('<\\s*input[^>]*>')
input_tag_iter = re.finditer(input_tags_expr, html, re.IGNORECASE)
objectmap = ''
print('Creating object map for <input> tags...')
for input_tag_match in input_tag_iter:
if not 'hidden' in input_tag_match.group(0):
try:
print('processing', input_tag_match.group(0))
obj_map_entry = _process_input_tag(input_tag_match.group(0))
objectmap += u(' ') + obj_map_entry + '\n'
except Exception as e:
print(e)
pass
return _page_object_template_.contents.format(date=datetime.now(), url=
url, pagename=page_name, partialurl=partial_url, objectmap=objectmap)
|
generate_page_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_name, url):\n url_with_path = u('^.*//[^/]+([^?]+)?|$')\n try:\n match = re.match(url_with_path, url)\n partial_url = match.group(1)\n print('Using partial URL for location verification. ', partial_url)\n except:\n partial_url = url\n print('Could not find usable partial url, using full url.', url)\n print('Processing page source...')\n response = urllib2.urlopen(url)\n html = response.read()\n input_tags_expr = u('<\\\\s*input[^>]*>')\n input_tag_iter = re.finditer(input_tags_expr, html, re.IGNORECASE)\n objectmap = ''\n print('Creating object map for <input> tags...')\n for input_tag_match in input_tag_iter:\n if not 'hidden' in input_tag_match.group(0):\n try:\n print('processing', input_tag_match.group(0))\n obj_map_entry = _process_input_tag(input_tag_match.group(0))\n objectmap += u(' ') + obj_map_entry + '\\n'\n except Exception as e:\n print(e)\n pass\n return _page_object_template_.contents.format(date=datetime.now(), url=\n url, pagename=page_name, partialurl=partial_url, objectmap=objectmap)\n",
"role": "user"
},
{
"content": "generate_page_object",
"role": "assistant"
}
] |
def x(self, filename, env_prefix=None):
if env_prefix == None:
target_file = filename
else:
target_file = os.path.join(env_prefix, filename)
if os.path.exists(os.path.join(self._data_path, target_file)):
return os.path.join(self._data_path, target_file)
else:
raise DataNotFoundError(u('Cannot find data file: {0}').format(
target_file))
|
get_data_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, env_prefix=None):\n if env_prefix == None:\n target_file = filename\n else:\n target_file = os.path.join(env_prefix, filename)\n if os.path.exists(os.path.join(self._data_path, target_file)):\n return os.path.join(self._data_path, target_file)\n else:\n raise DataNotFoundError(u('Cannot find data file: {0}').format(\n target_file))\n",
"role": "user"
},
{
"content": "get_data_path",
"role": "assistant"
}
] |
def x(self):
try:
entry = {}
row = self._csv_reader.next()
for i in range(0, len(row)):
entry[self._headers[i]] = row[i]
return entry
except Exception as e:
self._file.close()
raise e
|
next
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n entry = {}\n row = self._csv_reader.next()\n for i in range(0, len(row)):\n entry[self._headers[i]] = row[i]\n return entry\n except Exception as e:\n self._file.close()\n raise e\n",
"role": "user"
},
{
"content": "next",
"role": "assistant"
}
] |
def x(webdriver, *selectors):
for selector in selectors:
by_method, value = selector
if not WebElementSelector.__is_valid_by_type(by_method):
raise BadSelectorError(u(
'Selectors should be of type selenium.webdriver.common.by.By'))
if type(value) != str:
raise BadSelectorError(u(
'Selectors should be of type selenium.webdriver.common.by.By'))
selectors_used = []
for selector in selectors:
by_method, value = selector
selectors_used.append(u('{by}:{value}').format(by=by_method, value=
value))
try:
return webdriver.find_element(by=by_method, value=value)
except:
pass
raise ElementNotSelectableException(u('Unable to find elements using:') +
u(',').join(selectors_used))
|
find_element_by_selectors
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, *selectors):\n for selector in selectors:\n by_method, value = selector\n if not WebElementSelector.__is_valid_by_type(by_method):\n raise BadSelectorError(u(\n 'Selectors should be of type selenium.webdriver.common.by.By'))\n if type(value) != str:\n raise BadSelectorError(u(\n 'Selectors should be of type selenium.webdriver.common.by.By'))\n selectors_used = []\n for selector in selectors:\n by_method, value = selector\n selectors_used.append(u('{by}:{value}').format(by=by_method, value=\n value))\n try:\n return webdriver.find_element(by=by_method, value=value)\n except:\n pass\n raise ElementNotSelectableException(u('Unable to find elements using:') +\n u(',').join(selectors_used))\n",
"role": "user"
},
{
"content": "find_element_by_selectors",
"role": "assistant"
}
] |
def x(webdriver, locator_lambda_expression, timeout=WTF_TIMEOUT_MANAGER.
NORMAL, sleep=0.5):
try:
stoptime = datetime.now() + timedelta(seconds=timeout)
while datetime.now() < stoptime:
element = WebDriverWait(webdriver, WTF_TIMEOUT_MANAGER.BRIEF
).until(locator_lambda_expression)
if element.is_displayed():
time.sleep(sleep)
else:
break
except TimeoutException:
pass
|
wait_until_element_not_visible
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, locator_lambda_expression, timeout=WTF_TIMEOUT_MANAGER.\n NORMAL, sleep=0.5):\n try:\n stoptime = datetime.now() + timedelta(seconds=timeout)\n while datetime.now() < stoptime:\n element = WebDriverWait(webdriver, WTF_TIMEOUT_MANAGER.BRIEF\n ).until(locator_lambda_expression)\n if element.is_displayed():\n time.sleep(sleep)\n else:\n break\n except TimeoutException:\n pass\n",
"role": "user"
},
{
"content": "wait_until_element_not_visible",
"role": "assistant"
}
] |
def x(webdriver, webelement):
script = u(
'return arguments[0].complete && type of arguments[0].naturalWidth != "undefined" '
) + u('&& arguments[0].naturalWidth > 0')
try:
return webdriver.execute_script(script, webelement)
except:
return False
|
is_image_loaded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(webdriver, webelement):\n script = u(\n 'return arguments[0].complete && type of arguments[0].naturalWidth != \"undefined\" '\n ) + u('&& arguments[0].naturalWidth > 0')\n try:\n return webdriver.execute_script(script, webelement)\n except:\n return False\n",
"role": "user"
},
{
"content": "is_image_loaded",
"role": "assistant"
}
] |
def x(subject='test', number_of_random_chars=4):
random_str = generate_random_string(number_of_random_chars)
timestamp = generate_timestamp()
return u'{timestamp}_{subject}_{random_str}'.format(timestamp=timestamp,
subject=subject, random_str=random_str)
|
generate_timestamped_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(subject='test', number_of_random_chars=4):\n random_str = generate_random_string(number_of_random_chars)\n timestamp = generate_timestamp()\n return u'{timestamp}_{subject}_{random_str}'.format(timestamp=timestamp,\n subject=subject, random_str=random_str)\n",
"role": "user"
},
{
"content": "generate_timestamped_string",
"role": "assistant"
}
] |
def x(number_of_random_chars=8, character_set=string.ascii_letters):
return u('').join(random.choice(character_set) for _ in range(
number_of_random_chars))
|
generate_random_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(number_of_random_chars=8, character_set=string.ascii_letters):\n return u('').join(random.choice(character_set) for _ in range(\n number_of_random_chars))\n",
"role": "user"
},
{
"content": "generate_random_string",
"role": "assistant"
}
] |
def x(p):
p = p.replace('yyyy', '%Y')
p = p.replace('MM', '%m')
p = p.replace('dd', '%d')
p = p.replace('HH', '%H')
p = p.replace('mm', '%M')
p = p.replace('ss', '%S')
return p
|
convert_weka_to_py_date_pattern
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p = p.replace('yyyy', '%Y')\n p = p.replace('MM', '%m')\n p = p.replace('dd', '%d')\n p = p.replace('HH', '%H')\n p = p.replace('mm', '%M')\n p = p.replace('ss', '%S')\n return p\n",
"role": "user"
},
{
"content": "convert_weka_to_py_date_pattern",
"role": "assistant"
}
] |
def x(self, name, index):
if index == MISSING:
return
elif self.attribute_types[name] in NUMERIC_TYPES:
at = self.attribute_types[name]
if at == TYPE_INTEGER:
return int(index)
return Decimal(str(index))
else:
assert self.attribute_types[name] == TYPE_NOMINAL
cls_index, cls_value = index.split(':')
if cls_value != MISSING:
assert cls_value in self.attribute_data[name
], 'Predicted value "%s" but only values %s are allowed.' % (
cls_value, ', '.join(self.attribute_data[name]))
return cls_value
|
get_attribute_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, index):\n if index == MISSING:\n return\n elif self.attribute_types[name] in NUMERIC_TYPES:\n at = self.attribute_types[name]\n if at == TYPE_INTEGER:\n return int(index)\n return Decimal(str(index))\n else:\n assert self.attribute_types[name] == TYPE_NOMINAL\n cls_index, cls_value = index.split(':')\n if cls_value != MISSING:\n assert cls_value in self.attribute_data[name\n ], 'Predicted value \"%s\" but only values %s are allowed.' % (\n cls_value, ', '.join(self.attribute_data[name]))\n return cls_value\n",
"role": "user"
},
{
"content": "get_attribute_value",
"role": "assistant"
}
] |
def x(cls, filename, schema_only=False):
o = open(filename)
s = o.read()
a = cls.parse(s, schema_only=schema_only)
if not schema_only:
a._filename = filename
o.close()
return a
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename, schema_only=False):\n o = open(filename)\n s = o.read()\n a = cls.parse(s, schema_only=schema_only)\n if not schema_only:\n a._filename = filename\n o.close()\n return a\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(cls, s, schema_only=False):
a = cls()
a.state = 'comment'
a.lineno = 1
for l in s.splitlines():
a.parseline(l)
a.lineno += 1
if schema_only and a.state == 'data':
break
return a
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, s, schema_only=False):\n a = cls()\n a.state = 'comment'\n a.lineno = 1\n for l in s.splitlines():\n a.parseline(l)\n a.lineno += 1\n if schema_only and a.state == 'data':\n break\n return a\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, schema_only=False):
o = type(self)()
o.relation = self.relation
o.attributes = list(self.attributes)
o.attribute_types = self.attribute_types.copy()
o.attribute_data = self.attribute_data.copy()
if not schema_only:
o.comment = list(self.comment)
o.data = copy.deepcopy(self.data)
return o
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, schema_only=False):\n o = type(self)()\n o.relation = self.relation\n o.attributes = list(self.attributes)\n o.attribute_types = self.attribute_types.copy()\n o.attribute_data = self.attribute_data.copy()\n if not schema_only:\n o.comment = list(self.comment)\n o.data = copy.deepcopy(self.data)\n return o\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, class_attr_name=None, fn=None):
if fn:
self.fout_fn = fn
else:
fd, self.fout_fn = tempfile.mkstemp()
os.close(fd)
self.fout = open(self.fout_fn, 'w')
if class_attr_name:
self.class_attr_name = class_attr_name
self.write(fout=self.fout, schema_only=True)
self.write(fout=self.fout, data_only=True)
self.fout.flush()
|
open_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, class_attr_name=None, fn=None):\n if fn:\n self.fout_fn = fn\n else:\n fd, self.fout_fn = tempfile.mkstemp()\n os.close(fd)\n self.fout = open(self.fout_fn, 'w')\n if class_attr_name:\n self.class_attr_name = class_attr_name\n self.write(fout=self.fout, schema_only=True)\n self.write(fout=self.fout, data_only=True)\n self.fout.flush()\n",
"role": "user"
},
{
"content": "open_stream",
"role": "assistant"
}
] |
def x(self):
if self.fout:
fout = self.fout
fout_fn = self.fout_fn
self.fout.flush()
self.fout.close()
self.fout = None
self.fout_fn = None
return fout_fn
|
close_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.fout:\n fout = self.fout\n fout_fn = self.fout_fn\n self.fout.flush()\n self.fout.close()\n self.fout = None\n self.fout_fn = None\n return fout_fn\n",
"role": "user"
},
{
"content": "close_stream",
"role": "assistant"
}
] |
def x(self, filename=None):
filename = filename or self._filename
o = open(filename, 'w')
o.write(self.write())
o.close()
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename=None):\n filename = filename or self._filename\n o = open(filename, 'w')\n o.write(self.write())\n o.close()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, d, fmt=SPARSE):
def x(s):
if isinstance(s, basestring) and ' ' in s and s[0] != '"':
s = '"%s"' % s
return s
if fmt == DENSE:
assert not isinstance(d, dict), NotImplemented
line = []
for e, a in zip(d, self.attributes):
at = self.attribute_types[a]
if at in NUMERIC_TYPES:
line.append(str(e))
elif at == TYPE_STRING:
line.append(self.esc(e))
elif at == TYPE_NOMINAL:
line.append(e)
else:
raise Exception('Type ' + at + ' not supported for writing!')
s = ','.join(map(str, line))
return s
elif fmt == SPARSE:
line = []
if isinstance(d, (list, tuple)):
d = dict(zip(self.attributes, d))
for k in d:
at = self.attribute_types.get(k)
if isinstance(d[k], Value):
continue
elif d[k] == MISSING:
d[k] = Str(d[k])
elif at in (TYPE_NUMERIC, TYPE_REAL):
d[k] = Num(d[k])
elif at == TYPE_STRING:
d[k] = Str(d[k])
elif at == TYPE_INTEGER:
d[k] = Int(d[k])
elif at == TYPE_NOMINAL:
d[k] = Nom(d[k])
elif at == TYPE_DATE:
d[k] = Date(d[k])
else:
raise Exception('Unknown type: %s' % at)
for i, name in enumerate(self.attributes):
v = d.get(name)
if v is None:
continue
elif v == MISSING or isinstance(v, Value) and v.value == MISSING:
v = MISSING
elif isinstance(v, String):
v = '"%s"' % v.value
elif isinstance(v, Date):
date_format = self.attribute_data.get(name, DEFAULT_DATE_FORMAT
)
date_format = convert_weka_to_py_date_pattern(date_format)
if isinstance(v.value, basestring):
_value = dateutil.parser.parse(v.value)
else:
assert isinstance(v.value, (date, datetime))
_value = v.value
v.value = v = _value.strftime(date_format)
elif isinstance(v, Value):
v = v.value
if v != MISSING and self.attribute_types[name
] == TYPE_NOMINAL and str(v) not in map(str, self.
attribute_data[name]):
pass
else:
line.append('%i %s' % (i, smart_quote(v)))
if len(line) == 1 and MISSING in line[-1]:
return
elif not line:
return
return '{' + ', '.join(line) + '}'
else:
raise Exception('Uknown format: %s' % (fmt,))
|
write_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, d, fmt=SPARSE):\n\n def x(s):\n if isinstance(s, basestring) and ' ' in s and s[0] != '\"':\n s = '\"%s\"' % s\n return s\n if fmt == DENSE:\n assert not isinstance(d, dict), NotImplemented\n line = []\n for e, a in zip(d, self.attributes):\n at = self.attribute_types[a]\n if at in NUMERIC_TYPES:\n line.append(str(e))\n elif at == TYPE_STRING:\n line.append(self.esc(e))\n elif at == TYPE_NOMINAL:\n line.append(e)\n else:\n raise Exception('Type ' + at + ' not supported for writing!')\n s = ','.join(map(str, line))\n return s\n elif fmt == SPARSE:\n line = []\n if isinstance(d, (list, tuple)):\n d = dict(zip(self.attributes, d))\n for k in d:\n at = self.attribute_types.get(k)\n if isinstance(d[k], Value):\n continue\n elif d[k] == MISSING:\n d[k] = Str(d[k])\n elif at in (TYPE_NUMERIC, TYPE_REAL):\n d[k] = Num(d[k])\n elif at == TYPE_STRING:\n d[k] = Str(d[k])\n elif at == TYPE_INTEGER:\n d[k] = Int(d[k])\n elif at == TYPE_NOMINAL:\n d[k] = Nom(d[k])\n elif at == TYPE_DATE:\n d[k] = Date(d[k])\n else:\n raise Exception('Unknown type: %s' % at)\n for i, name in enumerate(self.attributes):\n v = d.get(name)\n if v is None:\n continue\n elif v == MISSING or isinstance(v, Value) and v.value == MISSING:\n v = MISSING\n elif isinstance(v, String):\n v = '\"%s\"' % v.value\n elif isinstance(v, Date):\n date_format = self.attribute_data.get(name, DEFAULT_DATE_FORMAT\n )\n date_format = convert_weka_to_py_date_pattern(date_format)\n if isinstance(v.value, basestring):\n _value = dateutil.parser.parse(v.value)\n else:\n assert isinstance(v.value, (date, datetime))\n _value = v.value\n v.value = v = _value.strftime(date_format)\n elif isinstance(v, Value):\n v = v.value\n if v != MISSING and self.attribute_types[name\n ] == TYPE_NOMINAL and str(v) not in map(str, self.\n attribute_data[name]):\n pass\n else:\n line.append('%i %s' % (i, smart_quote(v)))\n if len(line) == 1 and MISSING in line[-1]:\n return\n elif not line:\n return\n return '{' + ', '.join(line) + '}'\n else:\n raise Exception('Uknown format: %s' % (fmt,))\n",
"role": "user"
},
{
"content": "write_line",
"role": "assistant"
}
] |
def x(self, fout=None, fmt=SPARSE, schema_only=False, data_only=False):
assert not (schema_only and data_only), 'Make up your mind.'
assert fmt in FORMATS, 'Invalid format "%s". Should be one of: %s' % (fmt,
', '.join(FORMATS))
close = False
if fout is None:
close = True
fout = StringIO()
if not data_only:
print('% ' + re.sub('\n', '\n% ', '\n'.join(self.comment)), file=fout)
print('@relation ' + self.relation, file=fout)
self.write_attributes(fout=fout)
if not schema_only:
print('@data', file=fout)
for d in self.data:
line_str = self.write_line(d, fmt=fmt)
if line_str:
print(line_str, file=fout)
if isinstance(fout, StringIO) and close:
return fout.getvalue()
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fout=None, fmt=SPARSE, schema_only=False, data_only=False):\n assert not (schema_only and data_only), 'Make up your mind.'\n assert fmt in FORMATS, 'Invalid format \"%s\". Should be one of: %s' % (fmt,\n ', '.join(FORMATS))\n close = False\n if fout is None:\n close = True\n fout = StringIO()\n if not data_only:\n print('% ' + re.sub('\\n', '\\n% ', '\\n'.join(self.comment)), file=fout)\n print('@relation ' + self.relation, file=fout)\n self.write_attributes(fout=fout)\n if not schema_only:\n print('@data', file=fout)\n for d in self.data:\n line_str = self.write_line(d, fmt=fmt)\n if line_str:\n print(line_str, file=fout)\n if isinstance(fout, StringIO) and close:\n return fout.getvalue()\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, name, atype, data=None):
self.attributes.append(name)
assert atype in TYPES, "Unknown type '%s'. Must be one of: %s" % (atype,
', '.join(TYPES))
self.attribute_types[name] = atype
self.attribute_data[name] = data
|
define_attribute
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, atype, data=None):\n self.attributes.append(name)\n assert atype in TYPES, \"Unknown type '%s'. Must be one of: %s\" % (atype,\n ', '.join(TYPES))\n self.attribute_types[name] = atype\n self.attribute_data[name] = data\n",
"role": "user"
},
{
"content": "define_attribute",
"role": "assistant"
}
] |
def x(self):
print('Relation ' + self.relation)
print(' With attributes')
for n in self.attributes:
if self.attribute_types[n] != TYPE_NOMINAL:
print(' %s of type %s' % (n, self.attribute_types[n]))
else:
print(' ' + n + ' of type nominal with values ' + ', '.join(
self.attribute_data[n]))
for d in self.data:
print(d)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n print('Relation ' + self.relation)\n print(' With attributes')\n for n in self.attributes:\n if self.attribute_types[n] != TYPE_NOMINAL:\n print(' %s of type %s' % (n, self.attribute_types[n]))\n else:\n print(' ' + n + ' of type nominal with values ' + ', '.join(\n self.attribute_data[n]))\n for d in self.data:\n print(d)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(self):
self.attributes.sort(key=lambda name: (name == self.class_attr_name, name))
|
alphabetize_attributes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.attributes.sort(key=lambda name: (name == self.class_attr_name, name))\n",
"role": "user"
},
{
"content": "alphabetize_attributes",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
minVal = min(r, g, b)
maxVal = max(r, g, b)
l = (maxVal + minVal) / 2.0
if minVal == maxVal:
return 0.0, 0.0, l
d = maxVal - minVal
if l < 0.5:
s = d / (maxVal + minVal)
else:
s = d / (2.0 - maxVal - minVal)
dr, dg, db = [((maxVal - val) / d) for val in (r, g, b)]
if r == maxVal:
h = db - dg
elif g == maxVal:
h = 2.0 + dr - db
else:
h = 4.0 + dg - dr
h = h * 60.0 % 360.0
return h, s, l
|
rgb_to_hsl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n minVal = min(r, g, b)\n maxVal = max(r, g, b)\n l = (maxVal + minVal) / 2.0\n if minVal == maxVal:\n return 0.0, 0.0, l\n d = maxVal - minVal\n if l < 0.5:\n s = d / (maxVal + minVal)\n else:\n s = d / (2.0 - maxVal - minVal)\n dr, dg, db = [((maxVal - val) / d) for val in (r, g, b)]\n if r == maxVal:\n h = db - dg\n elif g == maxVal:\n h = 2.0 + dr - db\n else:\n h = 4.0 + dg - dr\n h = h * 60.0 % 360.0\n return h, s, l\n",
"role": "user"
},
{
"content": "rgb_to_hsl",
"role": "assistant"
}
] |
def x(h, s=None, l=None):
if type(h) in [list, tuple]:
h, s, l = h
if s == 0:
return l, l, l
if l < 0.5:
n2 = l * (1.0 + s)
else:
n2 = l + s - l * s
n1 = 2.0 * l - n2
h /= 60.0
hueToRgb = _hue_to_rgb
r = hueToRgb(n1, n2, h + 2)
g = hueToRgb(n1, n2, h)
b = hueToRgb(n1, n2, h - 2)
return r, g, b
|
hsl_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, s=None, l=None):\n if type(h) in [list, tuple]:\n h, s, l = h\n if s == 0:\n return l, l, l\n if l < 0.5:\n n2 = l * (1.0 + s)\n else:\n n2 = l + s - l * s\n n1 = 2.0 * l - n2\n h /= 60.0\n hueToRgb = _hue_to_rgb\n r = hueToRgb(n1, n2, h + 2)\n g = hueToRgb(n1, n2, h)\n b = hueToRgb(n1, n2, h - 2)\n return r, g, b\n",
"role": "user"
},
{
"content": "hsl_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
v = float(max(r, g, b))
d = v - min(r, g, b)
if d == 0:
return 0.0, 0.0, v
s = d / v
dr, dg, db = [((v - val) / d) for val in (r, g, b)]
if r == v:
h = db - dg
elif g == v:
h = 2.0 + dr - db
else:
h = 4.0 + dg - dr
h = h * 60.0 % 360.0
return h, s, v
|
rgb_to_hsv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n v = float(max(r, g, b))\n d = v - min(r, g, b)\n if d == 0:\n return 0.0, 0.0, v\n s = d / v\n dr, dg, db = [((v - val) / d) for val in (r, g, b)]\n if r == v:\n h = db - dg\n elif g == v:\n h = 2.0 + dr - db\n else:\n h = 4.0 + dg - dr\n h = h * 60.0 % 360.0\n return h, s, v\n",
"role": "user"
},
{
"content": "rgb_to_hsv",
"role": "assistant"
}
] |
def x(h, s=None, v=None):
if type(h) in [list, tuple]:
h, s, v = h
if s == 0:
return v, v, v
h /= 60.0
h = h % 6.0
i = int(h)
f = h - i
if not i & 1:
f = 1 - f
m = v * (1.0 - s)
n = v * (1.0 - s * f)
if i == 0:
return v, n, m
if i == 1:
return n, v, m
if i == 2:
return m, v, n
if i == 3:
return m, n, v
if i == 4:
return n, m, v
return v, m, n
|
hsv_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, s=None, v=None):\n if type(h) in [list, tuple]:\n h, s, v = h\n if s == 0:\n return v, v, v\n h /= 60.0\n h = h % 6.0\n i = int(h)\n f = h - i\n if not i & 1:\n f = 1 - f\n m = v * (1.0 - s)\n n = v * (1.0 - s * f)\n if i == 0:\n return v, n, m\n if i == 1:\n return n, v, m\n if i == 2:\n return m, v, n\n if i == 3:\n return m, n, v\n if i == 4:\n return n, m, v\n return v, m, n\n",
"role": "user"
},
{
"content": "hsv_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
y = r * 0.29895808 + g * 0.58660979 + b * 0.11443213
i = r * 0.59590296 - g * 0.27405705 - b * 0.32184591
q = r * 0.21133576 - g * 0.52263517 + b * 0.3112994
return y, i, q
|
rgb_to_yiq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n y = r * 0.29895808 + g * 0.58660979 + b * 0.11443213\n i = r * 0.59590296 - g * 0.27405705 - b * 0.32184591\n q = r * 0.21133576 - g * 0.52263517 + b * 0.3112994\n return y, i, q\n",
"role": "user"
},
{
"content": "rgb_to_yiq",
"role": "assistant"
}
] |
def x(y, i=None, q=None):
if type(y) in [list, tuple]:
y, i, q = y
r = y + i * 0.9562 + q * 0.621
g = y - i * 0.2717 - q * 0.6485
b = y - i * 1.1053 + q * 1.702
return r, g, b
|
yiq_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, i=None, q=None):\n if type(y) in [list, tuple]:\n y, i, q = y\n r = y + i * 0.9562 + q * 0.621\n g = y - i * 0.2717 - q * 0.6485\n b = y - i * 1.1053 + q * 1.702\n return r, g, b\n",
"role": "user"
},
{
"content": "yiq_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
y = r * 0.299 + g * 0.587 + b * 0.114
u = -(r * 0.14713) - g * 0.28886 + b * 0.436
v = r * 0.615 - g * 0.51499 - b * 0.10001
return y, u, v
|
rgb_to_yuv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n y = r * 0.299 + g * 0.587 + b * 0.114\n u = -(r * 0.14713) - g * 0.28886 + b * 0.436\n v = r * 0.615 - g * 0.51499 - b * 0.10001\n return y, u, v\n",
"role": "user"
},
{
"content": "rgb_to_yuv",
"role": "assistant"
}
] |
def x(y, u=None, v=None):
if type(y) in [list, tuple]:
y, u, v = y
r = y + v * 1.13983
g = y - u * 0.39465 - v * 0.5806
b = y + u * 2.03211
return r, g, b
|
yuv_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, u=None, v=None):\n if type(y) in [list, tuple]:\n y, u, v = y\n r = y + v * 1.13983\n g = y - u * 0.39465 - v * 0.5806\n b = y + u * 2.03211\n return r, g, b\n",
"role": "user"
},
{
"content": "yuv_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
r, g, b = [(v <= 0.03928 and [v / 12.92] or [((v + 0.055) / 1.055) **
2.4])[0] for v in (r, g, b)]
x = r * 0.4124 + g * 0.3576 + b * 0.1805
y = r * 0.2126 + g * 0.7152 + b * 0.0722
z = r * 0.0193 + g * 0.1192 + b * 0.9505
return x, y, z
|
rgb_to_xyz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n r, g, b = [(v <= 0.03928 and [v / 12.92] or [((v + 0.055) / 1.055) ** \n 2.4])[0] for v in (r, g, b)]\n x = r * 0.4124 + g * 0.3576 + b * 0.1805\n y = r * 0.2126 + g * 0.7152 + b * 0.0722\n z = r * 0.0193 + g * 0.1192 + b * 0.9505\n return x, y, z\n",
"role": "user"
},
{
"content": "rgb_to_xyz",
"role": "assistant"
}
] |
def x(x, y=None, z=None):
if type(x) in [list, tuple]:
x, y, z = x
r = x * 3.2406255 - y * 1.537208 - z * 0.4986286
g = -(x * 0.9689307) + y * 1.8757561 + z * 0.0415175
b = x * 0.0557101 - y * 0.2040211 + z * 1.0569959
return tuple((v <= _srgbGammaCorrInv and [v * 12.92] or [1.055 * v ** (
1 / 2.4) - 0.055])[0] for v in (r, g, b))
|
xyz_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y=None, z=None):\n if type(x) in [list, tuple]:\n x, y, z = x\n r = x * 3.2406255 - y * 1.537208 - z * 0.4986286\n g = -(x * 0.9689307) + y * 1.8757561 + z * 0.0415175\n b = x * 0.0557101 - y * 0.2040211 + z * 1.0569959\n return tuple((v <= _srgbGammaCorrInv and [v * 12.92] or [1.055 * v ** (\n 1 / 2.4) - 0.055])[0] for v in (r, g, b))\n",
"role": "user"
},
{
"content": "xyz_to_rgb",
"role": "assistant"
}
] |
def x(x, y=None, z=None, wref=_DEFAULT_WREF):
if type(x) in [list, tuple]:
x, y, z = x
x /= wref[0]
y /= wref[1]
z /= wref[2]
x, y, z = [(v > 0.008856 and [v ** _oneThird] or [7.787 * v +
_sixteenHundredsixteenth])[0] for v in (x, y, z)]
l = 116 * y - 16
a = 5.0 * (x - y)
b = 2.0 * (y - z)
return l, a, b
|
xyz_to_lab
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y=None, z=None, wref=_DEFAULT_WREF):\n if type(x) in [list, tuple]:\n x, y, z = x\n x /= wref[0]\n y /= wref[1]\n z /= wref[2]\n x, y, z = [(v > 0.008856 and [v ** _oneThird] or [7.787 * v +\n _sixteenHundredsixteenth])[0] for v in (x, y, z)]\n l = 116 * y - 16\n a = 5.0 * (x - y)\n b = 2.0 * (y - z)\n return l, a, b\n",
"role": "user"
},
{
"content": "xyz_to_lab",
"role": "assistant"
}
] |
def x(l, a=None, b=None, wref=_DEFAULT_WREF):
if type(l) in [list, tuple]:
l, a, b = l
y = (l + 16) / 116
x = a / 5.0 + y
z = y - b / 2.0
return tuple((v > 0.206893 and [v ** 3] or [(v -
_sixteenHundredsixteenth) / 7.787])[0] * w for v, w in zip((x, y, z
), wref))
|
lab_to_xyz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(l, a=None, b=None, wref=_DEFAULT_WREF):\n if type(l) in [list, tuple]:\n l, a, b = l\n y = (l + 16) / 116\n x = a / 5.0 + y\n z = y - b / 2.0\n return tuple((v > 0.206893 and [v ** 3] or [(v -\n _sixteenHundredsixteenth) / 7.787])[0] * w for v, w in zip((x, y, z\n ), wref))\n",
"role": "user"
},
{
"content": "lab_to_xyz",
"role": "assistant"
}
] |
def x(c, m=None, y=None, k=None):
if type(c) in [list, tuple]:
c, m, y, k = c
mk = 1 - k
return c * mk + k, m * mk + k, y * mk + k
|
cmyk_to_cmy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, m=None, y=None, k=None):\n if type(c) in [list, tuple]:\n c, m, y, k = c\n mk = 1 - k\n return c * mk + k, m * mk + k, y * mk + k\n",
"role": "user"
},
{
"content": "cmyk_to_cmy",
"role": "assistant"
}
] |
def x(c, m=None, y=None):
if type(c) in [list, tuple]:
c, m, y = c
k = min(c, m, y)
if k == 1.0:
return 0.0, 0.0, 0.0, 1.0
mk = 1.0 - k
return (c - k) / mk, (m - k) / mk, (y - k) / mk, k
|
cmy_to_cmyk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, m=None, y=None):\n if type(c) in [list, tuple]:\n c, m, y = c\n k = min(c, m, y)\n if k == 1.0:\n return 0.0, 0.0, 0.0, 1.0\n mk = 1.0 - k\n return (c - k) / mk, (m - k) / mk, (y - k) / mk, k\n",
"role": "user"
},
{
"content": "cmy_to_cmyk",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
return 1 - r, 1 - g, 1 - b
|
rgb_to_cmy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n return 1 - r, 1 - g, 1 - b\n",
"role": "user"
},
{
"content": "rgb_to_cmy",
"role": "assistant"
}
] |
def x(c, m=None, y=None):
if type(c) in [list, tuple]:
c, m, y = c
return 1 - c, 1 - m, 1 - y
|
cmy_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, m=None, y=None):\n if type(c) in [list, tuple]:\n c, m, y = c\n return 1 - c, 1 - m, 1 - y\n",
"role": "user"
},
{
"content": "cmy_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
return tuple(int(round(v * 255)) for v in (r, g, b))
|
rgb_to_ints
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n return tuple(int(round(v * 255)) for v in (r, g, b))\n",
"role": "user"
},
{
"content": "rgb_to_ints",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
return tuple(float(v) / 255.0 for v in [r, g, b])
|
ints_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n return tuple(float(v) / 255.0 for v in [r, g, b])\n",
"role": "user"
},
{
"content": "ints_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
return '#%02x%02x%02x' % tuple(min(round(v * 255), 255) for v in (r, g, b))
|
rgb_to_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n return '#%02x%02x%02x' % tuple(min(round(v * 255), 255) for v in (r, g, b))\n",
"role": "user"
},
{
"content": "rgb_to_html",
"role": "assistant"
}
] |
def x(html):
html = html.strip().lower()
if html[0] == '#':
html = html[1:]
elif html in NAMED_COLOR:
html = NAMED_COLOR[html][1:]
if len(html) == 6:
rgb = html[:2], html[2:4], html[4:]
elif len(html) == 3:
rgb = [('%c%c' % (v, v)) for v in html]
else:
raise ValueError('input #%s is not in #RRGGBB format' % html)
return tuple(int(n, 16) / 255.0 for n in rgb)
|
html_to_rgb
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html):\n html = html.strip().lower()\n if html[0] == '#':\n html = html[1:]\n elif html in NAMED_COLOR:\n html = NAMED_COLOR[html][1:]\n if len(html) == 6:\n rgb = html[:2], html[2:4], html[4:]\n elif len(html) == 3:\n rgb = [('%c%c' % (v, v)) for v in html]\n else:\n raise ValueError('input #%s is not in #RRGGBB format' % html)\n return tuple(int(n, 16) / 255.0 for n in rgb)\n",
"role": "user"
},
{
"content": "html_to_rgb",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
r, g, b = [min(int(round(v * 255)), 255) for v in (r, g, b)]
return (b << 16) + (g << 8) + r
|
rgb_to_pil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n r, g, b = [min(int(round(v * 255)), 255) for v in (r, g, b)]\n return (b << 16) + (g << 8) + r\n",
"role": "user"
},
{
"content": "rgb_to_pil",
"role": "assistant"
}
] |
def x(r, g=None, b=None, alt=False):
if type(r) in [list, tuple]:
r, g, b = r
websafeComponent = _websafe_component
return tuple(websafeComponent(v, alt) for v in (r, g, b))
|
rgb_to_websafe
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None, alt=False):\n if type(r) in [list, tuple]:\n r, g, b = r\n websafeComponent = _websafe_component\n return tuple(websafeComponent(v, alt) for v in (r, g, b))\n",
"role": "user"
},
{
"content": "rgb_to_websafe",
"role": "assistant"
}
] |
def x(r, g=None, b=None):
if type(r) in [list, tuple]:
r, g, b = r
v = (r + g + b) / 3.0
return v, v, v
|
rgb_to_greyscale
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(r, g=None, b=None):\n if type(r) in [list, tuple]:\n r, g, b = r\n v = (r + g + b) / 3.0\n return v, v, v\n",
"role": "user"
},
{
"content": "rgb_to_greyscale",
"role": "assistant"
}
] |
def x(h, s, v, alpha=1.0, wref=_DEFAULT_WREF):
h2, s, l = rgb_to_hsl(*hsv_to_rgb(h, s, v))
return Color((h, s, l), 'hsl', alpha, wref)
|
from_hsv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(h, s, v, alpha=1.0, wref=_DEFAULT_WREF):\n h2, s, l = rgb_to_hsl(*hsv_to_rgb(h, s, v))\n return Color((h, s, l), 'hsl', alpha, wref)\n",
"role": "user"
},
{
"content": "from_hsv",
"role": "assistant"
}
] |
def x(y, i, q, alpha=1.0, wref=_DEFAULT_WREF):
return Color(yiq_to_rgb(y, i, q), 'rgb', alpha, wref)
|
from_yiq
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, i, q, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(yiq_to_rgb(y, i, q), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_yiq",
"role": "assistant"
}
] |
def x(y, u, v, alpha=1.0, wref=_DEFAULT_WREF):
return Color(yuv_to_rgb(y, u, v), 'rgb', alpha, wref)
|
from_yuv
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, u, v, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(yuv_to_rgb(y, u, v), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_yuv",
"role": "assistant"
}
] |
def x(x, y, z, alpha=1.0, wref=_DEFAULT_WREF):
return Color(xyz_to_rgb(x, y, z), 'rgb', alpha, wref)
|
from_xyz
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, z, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(xyz_to_rgb(x, y, z), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_xyz",
"role": "assistant"
}
] |
def x(l, a, b, alpha=1.0, wref=_DEFAULT_WREF):
return Color(xyz_to_rgb(*lab_to_xyz(l, a, b, wref)), 'rgb', alpha, wref)
|
from_lab
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(l, a, b, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(xyz_to_rgb(*lab_to_xyz(l, a, b, wref)), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_lab",
"role": "assistant"
}
] |
def x(c, m, y, alpha=1.0, wref=_DEFAULT_WREF):
return Color(cmy_to_rgb(c, m, y), 'rgb', alpha, wref)
|
from_cmy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, m, y, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(cmy_to_rgb(c, m, y), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_cmy",
"role": "assistant"
}
] |
def x(c, m, y, k, alpha=1.0, wref=_DEFAULT_WREF):
return Color(cmy_to_rgb(*cmyk_to_cmy(c, m, y, k)), 'rgb', alpha, wref)
|
from_cmyk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, m, y, k, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(cmy_to_rgb(*cmyk_to_cmy(c, m, y, k)), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_cmyk",
"role": "assistant"
}
] |
def x(html, alpha=1.0, wref=_DEFAULT_WREF):
return Color(html_to_rgb(html), 'rgb', alpha, wref)
|
from_html
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(html_to_rgb(html), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_html",
"role": "assistant"
}
] |
def x(pil, alpha=1.0, wref=_DEFAULT_WREF):
return Color(pil_to_rgb(pil), 'rgb', alpha, wref)
|
from_pil
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pil, alpha=1.0, wref=_DEFAULT_WREF):\n return Color(pil_to_rgb(pil), 'rgb', alpha, wref)\n",
"role": "user"
},
{
"content": "from_pil",
"role": "assistant"
}
] |
def x(self, wref, labAsRef=False):
if labAsRef:
l, a, b = self.lab
return Color.from_lab(l, a, b, self.__a, wref)
else:
return Color(self.__rgb, 'rgb', self.__a, wref)
|
with_white_ref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, wref, labAsRef=False):\n if labAsRef:\n l, a, b = self.lab\n return Color.from_lab(l, a, b, self.__a, wref)\n else:\n return Color(self.__rgb, 'rgb', self.__a, wref)\n",
"role": "user"
},
{
"content": "with_white_ref",
"role": "assistant"
}
] |
def x(self, level):
h, s, l = self.__hsl
return Color((h, max(s - level, 0), l), 'hsl', self.__a, self.__wref)
|
desaturate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level):\n h, s, l = self.__hsl\n return Color((h, max(s - level, 0), l), 'hsl', self.__a, self.__wref)\n",
"role": "user"
},
{
"content": "desaturate",
"role": "assistant"
}
] |
def x(self):
return Color(rgb_to_websafe(*self.__rgb), 'rgb', self.__a, self.__wref
), Color(rgb_to_websafe(*self.__rgb, alt=True), 'rgb', self.__a,
self.__wref)
|
websafe_dither
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Color(rgb_to_websafe(*self.__rgb), 'rgb', self.__a, self.__wref\n ), Color(rgb_to_websafe(*self.__rgb, alt=True), 'rgb', self.__a,\n self.__wref)\n",
"role": "user"
},
{
"content": "websafe_dither",
"role": "assistant"
}
] |
def x(self, mode='ryb'):
h, s, l = self.__hsl
if mode == 'ryb':
h = rgb_to_ryb(h)
h = (h + 180) % 360
if mode == 'ryb':
h = ryb_to_rgb(h)
return Color((h, s, l), 'hsl', self.__a, self.__wref)
|
complementary_color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='ryb'):\n h, s, l = self.__hsl\n if mode == 'ryb':\n h = rgb_to_ryb(h)\n h = (h + 180) % 360\n if mode == 'ryb':\n h = ryb_to_rgb(h)\n return Color((h, s, l), 'hsl', self.__a, self.__wref)\n",
"role": "user"
},
{
"content": "complementary_color",
"role": "assistant"
}
] |
def x(self, angle=30, mode='ryb'):
h, s, l = self.__hsl
if mode == 'ryb':
h = rgb_to_ryb(h)
h += 360
h1 = (h - angle) % 360
h2 = (h + angle) % 360
if mode == 'ryb':
h1 = ryb_to_rgb(h1)
h2 = ryb_to_rgb(h2)
return Color((h1, s, l), 'hsl', self.__a, self.__wref), Color((h2, s, l
), 'hsl', self.__a, self.__wref)
|
make_analogous_scheme
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, angle=30, mode='ryb'):\n h, s, l = self.__hsl\n if mode == 'ryb':\n h = rgb_to_ryb(h)\n h += 360\n h1 = (h - angle) % 360\n h2 = (h + angle) % 360\n if mode == 'ryb':\n h1 = ryb_to_rgb(h1)\n h2 = ryb_to_rgb(h2)\n return Color((h1, s, l), 'hsl', self.__a, self.__wref), Color((h2, s, l\n ), 'hsl', self.__a, self.__wref)\n",
"role": "user"
},
{
"content": "make_analogous_scheme",
"role": "assistant"
}
] |
def x(self, other):
fa = self.__a + other.__a - self.__a * other.__a
if fa == 0:
sa = 0
else:
sa = min(1.0, self.__a / other.__a)
da = 1.0 - sa
sr, sg, sb = [(v * sa) for v in self.__rgb]
dr, dg, db = [(v * da) for v in other.__rgb]
return Color((sr + dr, sg + dg, sb + db), 'rgb', fa, self.__wref)
|
alpha_blend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n fa = self.__a + other.__a - self.__a * other.__a\n if fa == 0:\n sa = 0\n else:\n sa = min(1.0, self.__a / other.__a)\n da = 1.0 - sa\n sr, sg, sb = [(v * sa) for v in self.__rgb]\n dr, dg, db = [(v * da) for v in other.__rgb]\n return Color((sr + dr, sg + dg, sb + db), 'rgb', fa, self.__wref)\n",
"role": "user"
},
{
"content": "alpha_blend",
"role": "assistant"
}
] |
def x(self, other, percent=0.5):
dest = 1.0 - percent
rgb = tuple(u * percent + v * dest for u, v in zip(self.__rgb, other.__rgb)
)
a = self.__a * percent + other.__a * dest
return Color(rgb, 'rgb', a, self.__wref)
|
blend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other, percent=0.5):\n dest = 1.0 - percent\n rgb = tuple(u * percent + v * dest for u, v in zip(self.__rgb, other.__rgb)\n )\n a = self.__a * percent + other.__a * dest\n return Color(rgb, 'rgb', a, self.__wref)\n",
"role": "user"
},
{
"content": "blend",
"role": "assistant"
}
] |
def x():
parser = ArgumentParser(description='a command-line web scraping tool')
parser.add_argument('query', metavar='QUERY', type=str, nargs='*', help
='URLs/files to scrape')
parser.add_argument('-a', '--attributes', type=str, nargs='*', help=
'extract text using tag attributes')
parser.add_argument('-all', '--crawl-all', help='crawl all pages',
action='store_true')
parser.add_argument('-c', '--crawl', type=str, nargs='*', help=
'regexp rules for following new pages')
parser.add_argument('-C', '--clear-cache', help='clear requests cache',
action='store_true')
parser.add_argument('--csv', help='write files as csv', action='store_true'
)
parser.add_argument('-cs', '--cache-size', type=int, nargs='?', help=
'size of page cache (default: 1000)', default=1000)
parser.add_argument('-f', '--filter', type=str, nargs='*', help=
'regexp rules for filtering text')
parser.add_argument('--html', help='write files as HTML', action=
'store_true')
parser.add_argument('-i', '--images', action='store_true', help=
'save page images')
parser.add_argument('-m', '--multiple', help='save to multiple files',
action='store_true')
parser.add_argument('-max', '--max-crawls', type=int, help=
'max number of pages to crawl')
parser.add_argument('-n', '--nonstrict', action='store_true', help=
'allow crawler to visit any domain')
parser.add_argument('-ni', '--no-images', action='store_true', help=
'do not save page images')
parser.add_argument('-no', '--no-overwrite', action='store_true', help=
'do not overwrite files if they exist')
parser.add_argument('-o', '--out', type=str, nargs='*', help=
'specify outfile names')
parser.add_argument('-ow', '--overwrite', action='store_true', help=
'overwrite a file if it exists')
parser.add_argument('-p', '--pdf', help='write files as pdf', action=
'store_true')
parser.add_argument('-pt', '--print', help='print text output', action=
'store_true')
parser.add_argument('-q', '--quiet', help='suppress program output',
action='store_true')
parser.add_argument('-s', '--single', help='save to a single file',
action='store_true')
parser.add_argument('-t', '--text', help='write files as text', action=
'store_true')
parser.add_argument('-v', '--version', help='display current version',
action='store_true')
parser.add_argument('-x', '--xpath', type=str, nargs='?', help=
'filter HTML using XPath')
return parser
|
get_parser
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = ArgumentParser(description='a command-line web scraping tool')\n parser.add_argument('query', metavar='QUERY', type=str, nargs='*', help\n ='URLs/files to scrape')\n parser.add_argument('-a', '--attributes', type=str, nargs='*', help=\n 'extract text using tag attributes')\n parser.add_argument('-all', '--crawl-all', help='crawl all pages',\n action='store_true')\n parser.add_argument('-c', '--crawl', type=str, nargs='*', help=\n 'regexp rules for following new pages')\n parser.add_argument('-C', '--clear-cache', help='clear requests cache',\n action='store_true')\n parser.add_argument('--csv', help='write files as csv', action='store_true'\n )\n parser.add_argument('-cs', '--cache-size', type=int, nargs='?', help=\n 'size of page cache (default: 1000)', default=1000)\n parser.add_argument('-f', '--filter', type=str, nargs='*', help=\n 'regexp rules for filtering text')\n parser.add_argument('--html', help='write files as HTML', action=\n 'store_true')\n parser.add_argument('-i', '--images', action='store_true', help=\n 'save page images')\n parser.add_argument('-m', '--multiple', help='save to multiple files',\n action='store_true')\n parser.add_argument('-max', '--max-crawls', type=int, help=\n 'max number of pages to crawl')\n parser.add_argument('-n', '--nonstrict', action='store_true', help=\n 'allow crawler to visit any domain')\n parser.add_argument('-ni', '--no-images', action='store_true', help=\n 'do not save page images')\n parser.add_argument('-no', '--no-overwrite', action='store_true', help=\n 'do not overwrite files if they exist')\n parser.add_argument('-o', '--out', type=str, nargs='*', help=\n 'specify outfile names')\n parser.add_argument('-ow', '--overwrite', action='store_true', help=\n 'overwrite a file if it exists')\n parser.add_argument('-p', '--pdf', help='write files as pdf', action=\n 'store_true')\n parser.add_argument('-pt', '--print', help='print text output', action=\n 'store_true')\n parser.add_argument('-q', '--quiet', help='suppress program output',\n action='store_true')\n parser.add_argument('-s', '--single', help='save to a single file',\n action='store_true')\n parser.add_argument('-t', '--text', help='write files as text', action=\n 'store_true')\n parser.add_argument('-v', '--version', help='display current version',\n action='store_true')\n parser.add_argument('-x', '--xpath', type=str, nargs='?', help=\n 'filter HTML using XPath')\n return parser\n",
"role": "user"
},
{
"content": "get_parser",
"role": "assistant"
}
] |
def x(args, infilenames, outfilename):
write_actions = {'print': utils.print_text, 'pdf': utils.
write_pdf_files, 'csv': utils.write_csv_files, 'text': utils.
write_text_files}
try:
for action in iterkeys(write_actions):
if args[action]:
write_actions[action](args, infilenames, outfilename)
finally:
if args['urls'] and not args['html']:
utils.remove_part_files()
|
write_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, infilenames, outfilename):\n write_actions = {'print': utils.print_text, 'pdf': utils.\n write_pdf_files, 'csv': utils.write_csv_files, 'text': utils.\n write_text_files}\n try:\n for action in iterkeys(write_actions):\n if args[action]:\n write_actions[action](args, infilenames, outfilename)\n finally:\n if args['urls'] and not args['html']:\n utils.remove_part_files()\n",
"role": "user"
},
{
"content": "write_files",
"role": "assistant"
}
] |
def x(args, base_dir, crawler):
if args['urls'] and args['html']:
domain = utils.get_domain(args['urls'][0])
if not args['quiet']:
print('Storing html files in {0}/'.format(domain))
utils.mkdir_and_cd(domain)
infilenames = []
for query in args['query']:
if query in args['files']:
infilenames.append(query)
elif query.strip('/') in args['urls']:
if args['crawl'] or args['crawl_all']:
infilenames += crawler.crawl_links(query)
else:
raw_resp = utils.get_raw_resp(query)
if raw_resp is None:
return False
prev_part_num = utils.get_num_part_files()
utils.write_part_file(args, query, raw_resp)
curr_part_num = prev_part_num + 1
infilenames += utils.get_part_filenames(curr_part_num,
prev_part_num)
if args['html']:
os.chdir(base_dir)
elif infilenames:
if args['out']:
outfilename = args['out'][0]
else:
outfilename = utils.get_single_outfilename(args)
if outfilename:
write_files(args, infilenames, outfilename)
else:
utils.remove_part_files()
return True
|
write_single_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, base_dir, crawler):\n if args['urls'] and args['html']:\n domain = utils.get_domain(args['urls'][0])\n if not args['quiet']:\n print('Storing html files in {0}/'.format(domain))\n utils.mkdir_and_cd(domain)\n infilenames = []\n for query in args['query']:\n if query in args['files']:\n infilenames.append(query)\n elif query.strip('/') in args['urls']:\n if args['crawl'] or args['crawl_all']:\n infilenames += crawler.crawl_links(query)\n else:\n raw_resp = utils.get_raw_resp(query)\n if raw_resp is None:\n return False\n prev_part_num = utils.get_num_part_files()\n utils.write_part_file(args, query, raw_resp)\n curr_part_num = prev_part_num + 1\n infilenames += utils.get_part_filenames(curr_part_num,\n prev_part_num)\n if args['html']:\n os.chdir(base_dir)\n elif infilenames:\n if args['out']:\n outfilename = args['out'][0]\n else:\n outfilename = utils.get_single_outfilename(args)\n if outfilename:\n write_files(args, infilenames, outfilename)\n else:\n utils.remove_part_files()\n return True\n",
"role": "user"
},
{
"content": "write_single_file",
"role": "assistant"
}
] |
def x(args, base_dir, crawler):
for i, query in enumerate(args['query']):
if query in args['files']:
if args['out'] and i < len(args['out']):
outfilename = args['out'][i]
else:
outfilename = '.'.join(query.split('.')[:-1])
write_files(args, [query], outfilename)
elif query in args['urls']:
domain = utils.get_domain(query)
if args['html']:
if not args['quiet']:
print('Storing html files in {0}/'.format(domain))
utils.mkdir_and_cd(domain)
if args['crawl'] or args['crawl_all']:
infilenames = crawler.crawl_links(query)
else:
raw_resp = utils.get_raw_resp(query)
if raw_resp is None:
return False
prev_part_num = utils.get_num_part_files()
utils.write_part_file(args, query, raw_resp)
curr_part_num = prev_part_num + 1
infilenames = utils.get_part_filenames(curr_part_num,
prev_part_num)
if args['html']:
os.chdir(base_dir)
elif infilenames:
if args['out'] and i < len(args['out']):
outfilename = args['out'][i]
else:
outfilename = utils.get_outfilename(query, domain)
write_files(args, infilenames, outfilename)
else:
sys.stderr.write('Failed to retrieve content from {0}.\n'.
format(query))
return True
|
write_multiple_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args, base_dir, crawler):\n for i, query in enumerate(args['query']):\n if query in args['files']:\n if args['out'] and i < len(args['out']):\n outfilename = args['out'][i]\n else:\n outfilename = '.'.join(query.split('.')[:-1])\n write_files(args, [query], outfilename)\n elif query in args['urls']:\n domain = utils.get_domain(query)\n if args['html']:\n if not args['quiet']:\n print('Storing html files in {0}/'.format(domain))\n utils.mkdir_and_cd(domain)\n if args['crawl'] or args['crawl_all']:\n infilenames = crawler.crawl_links(query)\n else:\n raw_resp = utils.get_raw_resp(query)\n if raw_resp is None:\n return False\n prev_part_num = utils.get_num_part_files()\n utils.write_part_file(args, query, raw_resp)\n curr_part_num = prev_part_num + 1\n infilenames = utils.get_part_filenames(curr_part_num,\n prev_part_num)\n if args['html']:\n os.chdir(base_dir)\n elif infilenames:\n if args['out'] and i < len(args['out']):\n outfilename = args['out'][i]\n else:\n outfilename = utils.get_outfilename(query, domain)\n write_files(args, infilenames, outfilename)\n else:\n sys.stderr.write('Failed to retrieve content from {0}.\\n'.\n format(query))\n return True\n",
"role": "user"
},
{
"content": "write_multiple_files",
"role": "assistant"
}
] |
def x(args):
args['files'] = []
args['urls'] = []
for arg in args['query']:
if os.path.isfile(arg):
args['files'].append(arg)
else:
args['urls'].append(arg.strip('/'))
|
split_input
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n args['files'] = []\n args['urls'] = []\n for arg in args['query']:\n if os.path.isfile(arg):\n args['files'].append(arg)\n else:\n args['urls'].append(arg.strip('/'))\n",
"role": "user"
},
{
"content": "split_input",
"role": "assistant"
}
] |
def x(args):
if not args['single'] and not args['multiple']:
if len(args['query']) > 1 or len(args['out']) > 1:
args['multiple'] = True
else:
args['single'] = True
|
detect_output_type
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if not args['single'] and not args['multiple']:\n if len(args['query']) > 1 or len(args['out']) > 1:\n args['multiple'] = True\n else:\n args['single'] = True\n",
"role": "user"
},
{
"content": "detect_output_type",
"role": "assistant"
}
] |
def x(args):
try:
base_dir = os.getcwd()
if args['out'] is None:
args['out'] = []
detect_output_type(args)
split_input(args)
if args['urls']:
urls_with_exts = [utils.add_url_suffix(x) for x in args['urls']]
args['query'] = [(utils.add_protocol(x) if x in args['urls'] else
x) for x in urls_with_exts]
args['urls'] = [x for x in args['query'] if x not in args['files']]
if args['files'] and args['html']:
sys.stderr.write('Cannot convert local files to HTML.\n')
args['files'] = []
crawler = None
if args['crawl'] or args['crawl_all']:
crawler = Crawler(args)
if args['single']:
return write_single_file(args, base_dir, crawler)
elif args['multiple']:
return write_multiple_files(args, base_dir, crawler)
except (KeyboardInterrupt, Exception):
if args['html']:
try:
os.chdir(base_dir)
except OSError:
pass
else:
utils.remove_part_files()
raise
|
scrape
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n try:\n base_dir = os.getcwd()\n if args['out'] is None:\n args['out'] = []\n detect_output_type(args)\n split_input(args)\n if args['urls']:\n urls_with_exts = [utils.add_url_suffix(x) for x in args['urls']]\n args['query'] = [(utils.add_protocol(x) if x in args['urls'] else\n x) for x in urls_with_exts]\n args['urls'] = [x for x in args['query'] if x not in args['files']]\n if args['files'] and args['html']:\n sys.stderr.write('Cannot convert local files to HTML.\\n')\n args['files'] = []\n crawler = None\n if args['crawl'] or args['crawl_all']:\n crawler = Crawler(args)\n if args['single']:\n return write_single_file(args, base_dir, crawler)\n elif args['multiple']:\n return write_multiple_files(args, base_dir, crawler)\n except (KeyboardInterrupt, Exception):\n if args['html']:\n try:\n os.chdir(base_dir)\n except OSError:\n pass\n else:\n utils.remove_part_files()\n raise\n",
"role": "user"
},
{
"content": "scrape",
"role": "assistant"
}
] |
def x(args):
valid_types = 'print', 'text', 'csv', 'pdf', 'html'
if not any(args[x] for x in valid_types):
try:
filetype = input('Print or save output as ({0}): '.format(', '.
join(valid_types))).lower()
while filetype not in valid_types:
filetype = input('Invalid entry. Choose from ({0}): '.
format(', '.join(valid_types))).lower()
except (KeyboardInterrupt, EOFError):
return
args[filetype] = True
|
prompt_filetype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n valid_types = 'print', 'text', 'csv', 'pdf', 'html'\n if not any(args[x] for x in valid_types):\n try:\n filetype = input('Print or save output as ({0}): '.format(', '.\n join(valid_types))).lower()\n while filetype not in valid_types:\n filetype = input('Invalid entry. Choose from ({0}): '.\n format(', '.join(valid_types))).lower()\n except (KeyboardInterrupt, EOFError):\n return\n args[filetype] = True\n",
"role": "user"
},
{
"content": "prompt_filetype",
"role": "assistant"
}
] |
def x(args):
if args['images'] or args['no_images']:
return
if (args['pdf'] or args['html']) and (args['crawl'] or args['crawl_all']):
save_msg = """Choosing to save images will greatly slow the crawling process.
Save images anyways? (y/n): """
try:
save_images = utils.confirm_input(input(save_msg))
except (KeyboardInterrupt, EOFError):
return
args['images'] = save_images
args['no_images'] = not save_images
|
prompt_save_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if args['images'] or args['no_images']:\n return\n if (args['pdf'] or args['html']) and (args['crawl'] or args['crawl_all']):\n save_msg = \"\"\"Choosing to save images will greatly slow the crawling process.\nSave images anyways? (y/n): \"\"\"\n try:\n save_images = utils.confirm_input(input(save_msg))\n except (KeyboardInterrupt, EOFError):\n return\n args['images'] = save_images\n args['no_images'] = not save_images\n",
"role": "user"
},
{
"content": "prompt_save_images",
"role": "assistant"
}
] |
def x():
parser = get_parser()
args = vars(parser.parse_args())
if args['version']:
print(__version__)
return
if args['clear_cache']:
utils.clear_cache()
print('Cleared {0}.'.format(utils.CACHE_DIR))
return
if not args['query']:
parser.print_help()
return
if not os.getenv('SCRAPE_DISABLE_CACHE'):
utils.enable_cache()
if os.getenv('SCRAPE_DISABLE_IMGS'):
args['no_images'] = True
prompt_filetype(args)
prompt_save_images(args)
scrape(args)
|
command_line_runner
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n parser = get_parser()\n args = vars(parser.parse_args())\n if args['version']:\n print(__version__)\n return\n if args['clear_cache']:\n utils.clear_cache()\n print('Cleared {0}.'.format(utils.CACHE_DIR))\n return\n if not args['query']:\n parser.print_help()\n return\n if not os.getenv('SCRAPE_DISABLE_CACHE'):\n utils.enable_cache()\n if os.getenv('SCRAPE_DISABLE_IMGS'):\n args['no_images'] = True\n prompt_filetype(args)\n prompt_save_images(args)\n scrape(args)\n",
"role": "user"
},
{
"content": "command_line_runner",
"role": "assistant"
}
] |
def x(cls, model_fn, schema, *args, **kwargs):
c = cls(*args, **kwargs)
c.schema = schema.copy(schema_only=True)
c._model_data = open(model_fn, 'rb').read()
return c
|
load_raw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, model_fn, schema, *args, **kwargs):\n c = cls(*args, **kwargs)\n c.schema = schema.copy(schema_only=True)\n c._model_data = open(model_fn, 'rb').read()\n return c\n",
"role": "user"
},
{
"content": "load_raw",
"role": "assistant"
}
] |
def x(self, training_data, testing_data=None, verbose=False):
model_fn = None
training_fn = None
clean_training = False
testing_fn = None
clean_testing = False
try:
if isinstance(training_data, basestring):
assert os.path.isfile(training_data)
training_fn = training_data
else:
assert isinstance(training_data, arff.ArffFile)
fd, training_fn = tempfile.mkstemp(suffix='.arff')
os.close(fd)
with open(training_fn, 'w') as fout:
fout.write(training_data.write())
clean_training = True
assert training_fn
if testing_data:
if isinstance(testing_data, basestring):
assert os.path.isfile(testing_data)
testing_fn = testing_data
else:
assert isinstance(testing_data, arff.ArffFile)
fd, testing_fn = tempfile.mkstemp(suffix='.arff')
os.close(fd)
with open(testing_fn, 'w') as fout:
fout.write(testing_data.write())
clean_testing = True
else:
testing_fn = training_fn
assert testing_fn
fd, model_fn = tempfile.mkstemp()
os.close(fd)
if self._model_data:
fout = open(model_fn, 'wb')
fout.write(self._model_data)
fout.close()
args = dict(CP=CP, classifier_name=self.name, model_fn=model_fn,
training_fn=training_fn, testing_fn=testing_fn, ckargs=self.
_get_ckargs_str())
if self._model_data:
cmd = (
'java -cp %(CP)s %(classifier_name)s -l "%(model_fn)s" -t "%(training_fn)s" -T "%(testing_fn)s" -d "%(model_fn)s"'
% args)
else:
cmd = (
'java -cp %(CP)s %(classifier_name)s -t "%(training_fn)s" -T "%(testing_fn)s" -d "%(model_fn)s" %(ckargs)s'
% args)
if verbose:
print(cmd)
p = Popen(cmd, shell=True, stdin=PIPE, stdout=PIPE, stderr=PIPE,
close_fds=sys.platform != 'win32')
stdin, stdout, stderr = p.stdin, p.stdout, p.stderr
stdout_str = stdout.read()
stderr_str = stderr.read()
self.last_training_stdout = stdout_str
self.last_training_stderr = stderr_str
if verbose:
print('stdout:')
print(stdout_str)
print('stderr:')
print(stderr_str)
stderr_str = '\n'.join(l for l in stderr_str.decode('utf8').split(
'\n') if not 'Warning' in l)
if stderr_str:
raise TrainingError(stderr_str)
if not self.schema:
self.schema = arff.ArffFile.load(training_fn, schema_only=True
).copy(schema_only=True)
with open(model_fn, 'rb') as fin:
self._model_data = fin.read()
assert self._model_data
finally:
if model_fn:
os.remove(model_fn)
if training_fn and clean_training:
os.remove(training_fn)
if testing_fn and clean_testing:
os.remove(testing_fn)
|
train
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, training_data, testing_data=None, verbose=False):\n model_fn = None\n training_fn = None\n clean_training = False\n testing_fn = None\n clean_testing = False\n try:\n if isinstance(training_data, basestring):\n assert os.path.isfile(training_data)\n training_fn = training_data\n else:\n assert isinstance(training_data, arff.ArffFile)\n fd, training_fn = tempfile.mkstemp(suffix='.arff')\n os.close(fd)\n with open(training_fn, 'w') as fout:\n fout.write(training_data.write())\n clean_training = True\n assert training_fn\n if testing_data:\n if isinstance(testing_data, basestring):\n assert os.path.isfile(testing_data)\n testing_fn = testing_data\n else:\n assert isinstance(testing_data, arff.ArffFile)\n fd, testing_fn = tempfile.mkstemp(suffix='.arff')\n os.close(fd)\n with open(testing_fn, 'w') as fout:\n fout.write(testing_data.write())\n clean_testing = True\n else:\n testing_fn = training_fn\n assert testing_fn\n fd, model_fn = tempfile.mkstemp()\n os.close(fd)\n if self._model_data:\n fout = open(model_fn, 'wb')\n fout.write(self._model_data)\n fout.close()\n args = dict(CP=CP, classifier_name=self.name, model_fn=model_fn,\n training_fn=training_fn, testing_fn=testing_fn, ckargs=self.\n _get_ckargs_str())\n if self._model_data:\n cmd = (\n 'java -cp %(CP)s %(classifier_name)s -l \"%(model_fn)s\" -t \"%(training_fn)s\" -T \"%(testing_fn)s\" -d \"%(model_fn)s\"'\n % args)\n else:\n cmd = (\n 'java -cp %(CP)s %(classifier_name)s -t \"%(training_fn)s\" -T \"%(testing_fn)s\" -d \"%(model_fn)s\" %(ckargs)s'\n % args)\n if verbose:\n print(cmd)\n p = Popen(cmd, shell=True, stdin=PIPE, stdout=PIPE, stderr=PIPE,\n close_fds=sys.platform != 'win32')\n stdin, stdout, stderr = p.stdin, p.stdout, p.stderr\n stdout_str = stdout.read()\n stderr_str = stderr.read()\n self.last_training_stdout = stdout_str\n self.last_training_stderr = stderr_str\n if verbose:\n print('stdout:')\n print(stdout_str)\n print('stderr:')\n print(stderr_str)\n stderr_str = '\\n'.join(l for l in stderr_str.decode('utf8').split(\n '\\n') if not 'Warning' in l)\n if stderr_str:\n raise TrainingError(stderr_str)\n if not self.schema:\n self.schema = arff.ArffFile.load(training_fn, schema_only=True\n ).copy(schema_only=True)\n with open(model_fn, 'rb') as fin:\n self._model_data = fin.read()\n assert self._model_data\n finally:\n if model_fn:\n os.remove(model_fn)\n if training_fn and clean_training:\n os.remove(training_fn)\n if testing_fn and clean_testing:\n os.remove(testing_fn)\n",
"role": "user"
},
{
"content": "train",
"role": "assistant"
}
] |
def x(self, query_data, verbose=False, distribution=False, cleanup=True):
model_fn = None
query_fn = None
clean_query = False
stdout = None
try:
if isinstance(query_data, basestring):
assert os.path.isfile(query_data)
query_fn = query_data
else:
assert type(query_data
).__name__ == 'ArffFile', 'Must be of type ArffFile, not "%s"' % type(
query_data).__name__
fd, query_fn = tempfile.mkstemp(suffix='.arff')
if verbose:
print('writing', query_fn)
os.close(fd)
open(query_fn, 'w').write(query_data.write())
clean_query = True
assert query_fn
fd, model_fn = tempfile.mkstemp()
os.close(fd)
assert self._model_data, 'You must train this classifier before predicting.'
fout = open(model_fn, 'wb')
fout.write(self._model_data)
fout.close()
args = dict(CP=CP, classifier_name=self.name, model_fn=model_fn,
query_fn=query_fn, distribution='-distribution' if distribution
else '')
cmd = (
'java -cp %(CP)s %(classifier_name)s -p 0 %(distribution)s -l "%(model_fn)s" -T "%(query_fn)s"'
% args)
if verbose:
print(cmd)
p = Popen(cmd, shell=True, stdin=PIPE, stdout=PIPE, stderr=PIPE,
close_fds=True)
stdin, stdout, stderr = p.stdin, p.stdout, p.stderr
stdout_str = stdout.read()
stderr_str = stderr.read()
if verbose:
print('stdout:')
print(stdout_str)
print('stderr:')
print(stderr_str)
if stderr_str:
raise PredictionError(stderr_str)
if stdout_str:
query = arff.ArffFile.load(query_fn)
query_variables = [query.attributes[i] for i, v in enumerate(
query.data[0]) if v == arff.MISSING]
if not query_variables:
query_variables = [query.attributes[-1]]
if verbose:
print('query_variables:', query_variables)
header = 'predicted'.split(',')
q = re.findall('J48 pruned tree\\s+\\-+:\\s+([0-9]+)\\s+',
stdout_str.decode('utf-8'), re.MULTILINE | re.DOTALL)
if q:
class_label = q[0]
prob = 1.0
yield PredictionResult(actual=None, predicted=class_label,
probability=prob)
elif re.findall('error\\s+(?:distribution|prediction)',
stdout_str.decode('utf-8')):
matches = re.findall(
'^\\s*[0-9\\.]+\\s+[a-zA-Z0-9\\.\\?\\:]+\\s+(?P<cls_value>[a-zA-Z0-9_\\.\\?\\:]+)\\s+\\+?\\s+(?P<prob>[a-zA-Z0-9\\.\\?\\,\\*]+)'
, stdout_str.decode('utf-8'), re.MULTILINE)
assert matches, 'No results found matching distribution pattern in stdout: %s' % stdout_str
for match in matches:
prediction, prob = match
class_index, class_label = prediction.split(':')
class_index = int(class_index)
if distribution:
prob = dict(zip(query.attribute_data[query.
attributes[-1]], map(float, prob.replace('*',
'').split(','))))
else:
prob = float(prob)
class_label = query.attribute_data[query.attributes[-1]][
class_index - 1]
yield PredictionResult(actual=None, predicted=
class_label, probability=prob)
else:
matches = re.findall(
'^\\s*([0-9\\.]+)\\s+([a-zA-Z0-9\\-\\.\\?\\:]+)\\s+([a-zA-Z0-9\\-_\\.\\?\\:]+)\\s+'
, stdout_str.decode('utf-8'), re.MULTILINE)
assert matches, 'No results found matching simple pattern in stdout: %s' % stdout_str
for match in matches:
inst, actual, predicted = match
class_name = query.attributes[-1]
actual_value = query.get_attribute_value(class_name, actual
)
predicted_value = query.get_attribute_value(class_name,
predicted)
yield PredictionResult(actual=actual_value, predicted=
predicted_value, probability=None)
finally:
if cleanup:
if model_fn:
self._model_data = open(model_fn, 'rb').read()
os.remove(model_fn)
if query_fn and clean_query:
os.remove(query_fn)
|
predict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query_data, verbose=False, distribution=False, cleanup=True):\n model_fn = None\n query_fn = None\n clean_query = False\n stdout = None\n try:\n if isinstance(query_data, basestring):\n assert os.path.isfile(query_data)\n query_fn = query_data\n else:\n assert type(query_data\n ).__name__ == 'ArffFile', 'Must be of type ArffFile, not \"%s\"' % type(\n query_data).__name__\n fd, query_fn = tempfile.mkstemp(suffix='.arff')\n if verbose:\n print('writing', query_fn)\n os.close(fd)\n open(query_fn, 'w').write(query_data.write())\n clean_query = True\n assert query_fn\n fd, model_fn = tempfile.mkstemp()\n os.close(fd)\n assert self._model_data, 'You must train this classifier before predicting.'\n fout = open(model_fn, 'wb')\n fout.write(self._model_data)\n fout.close()\n args = dict(CP=CP, classifier_name=self.name, model_fn=model_fn,\n query_fn=query_fn, distribution='-distribution' if distribution\n else '')\n cmd = (\n 'java -cp %(CP)s %(classifier_name)s -p 0 %(distribution)s -l \"%(model_fn)s\" -T \"%(query_fn)s\"'\n % args)\n if verbose:\n print(cmd)\n p = Popen(cmd, shell=True, stdin=PIPE, stdout=PIPE, stderr=PIPE,\n close_fds=True)\n stdin, stdout, stderr = p.stdin, p.stdout, p.stderr\n stdout_str = stdout.read()\n stderr_str = stderr.read()\n if verbose:\n print('stdout:')\n print(stdout_str)\n print('stderr:')\n print(stderr_str)\n if stderr_str:\n raise PredictionError(stderr_str)\n if stdout_str:\n query = arff.ArffFile.load(query_fn)\n query_variables = [query.attributes[i] for i, v in enumerate(\n query.data[0]) if v == arff.MISSING]\n if not query_variables:\n query_variables = [query.attributes[-1]]\n if verbose:\n print('query_variables:', query_variables)\n header = 'predicted'.split(',')\n q = re.findall('J48 pruned tree\\\\s+\\\\-+:\\\\s+([0-9]+)\\\\s+',\n stdout_str.decode('utf-8'), re.MULTILINE | re.DOTALL)\n if q:\n class_label = q[0]\n prob = 1.0\n yield PredictionResult(actual=None, predicted=class_label,\n probability=prob)\n elif re.findall('error\\\\s+(?:distribution|prediction)',\n stdout_str.decode('utf-8')):\n matches = re.findall(\n '^\\\\s*[0-9\\\\.]+\\\\s+[a-zA-Z0-9\\\\.\\\\?\\\\:]+\\\\s+(?P<cls_value>[a-zA-Z0-9_\\\\.\\\\?\\\\:]+)\\\\s+\\\\+?\\\\s+(?P<prob>[a-zA-Z0-9\\\\.\\\\?\\\\,\\\\*]+)'\n , stdout_str.decode('utf-8'), re.MULTILINE)\n assert matches, 'No results found matching distribution pattern in stdout: %s' % stdout_str\n for match in matches:\n prediction, prob = match\n class_index, class_label = prediction.split(':')\n class_index = int(class_index)\n if distribution:\n prob = dict(zip(query.attribute_data[query.\n attributes[-1]], map(float, prob.replace('*',\n '').split(','))))\n else:\n prob = float(prob)\n class_label = query.attribute_data[query.attributes[-1]][\n class_index - 1]\n yield PredictionResult(actual=None, predicted=\n class_label, probability=prob)\n else:\n matches = re.findall(\n '^\\\\s*([0-9\\\\.]+)\\\\s+([a-zA-Z0-9\\\\-\\\\.\\\\?\\\\:]+)\\\\s+([a-zA-Z0-9\\\\-_\\\\.\\\\?\\\\:]+)\\\\s+'\n , stdout_str.decode('utf-8'), re.MULTILINE)\n assert matches, 'No results found matching simple pattern in stdout: %s' % stdout_str\n for match in matches:\n inst, actual, predicted = match\n class_name = query.attributes[-1]\n actual_value = query.get_attribute_value(class_name, actual\n )\n predicted_value = query.get_attribute_value(class_name,\n predicted)\n yield PredictionResult(actual=actual_value, predicted=\n predicted_value, probability=None)\n finally:\n if cleanup:\n if model_fn:\n self._model_data = open(model_fn, 'rb').read()\n os.remove(model_fn)\n if query_fn and clean_query:\n os.remove(query_fn)\n",
"role": "user"
},
{
"content": "predict",
"role": "assistant"
}
] |
def x(self):
total = len(self.training_results)
i = sum(1 for data in self.training_results.values() if not isinstance(
data, basestring))
return i / float(total)
|
get_training_coverage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n total = len(self.training_results)\n i = sum(1 for data in self.training_results.values() if not isinstance(\n data, basestring))\n return i / float(total)\n",
"role": "user"
},
{
"content": "get_training_coverage",
"role": "assistant"
}
] |
def x(self, url, resp):
links_on_page = resp.xpath('//a/@href')
links = [utils.clean_url(u, url) for u in links_on_page]
links = [x for x in links if utils.check_protocol(x)]
if not self.args['nonstrict']:
domain = utils.get_domain(url)
links = [x for x in links if utils.get_domain(x) == domain]
if self.args['crawl']:
links = utils.re_filter(links, self.args['crawl'])
return links
|
get_new_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, resp):\n links_on_page = resp.xpath('//a/@href')\n links = [utils.clean_url(u, url) for u in links_on_page]\n links = [x for x in links if utils.check_protocol(x)]\n if not self.args['nonstrict']:\n domain = utils.get_domain(url)\n links = [x for x in links if utils.get_domain(x) == domain]\n if self.args['crawl']:\n links = utils.re_filter(links, self.args['crawl'])\n return links\n",
"role": "user"
},
{
"content": "get_new_links",
"role": "assistant"
}
] |
def x(self, page_resp):
page_text = utils.parse_text(page_resp)
page_hash = utils.hash_text(''.join(page_text))
if page_hash not in self.page_cache:
utils.cache_page(self.page_cache, page_hash, self.args['cache_size'])
return False
return True
|
page_crawled
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, page_resp):\n page_text = utils.parse_text(page_resp)\n page_hash = utils.hash_text(''.join(page_text))\n if page_hash not in self.page_cache:\n utils.cache_page(self.page_cache, page_hash, self.args['cache_size'])\n return False\n return True\n",
"role": "user"
},
{
"content": "page_crawled",
"role": "assistant"
}
] |
def x(self, seed_url=None):
if seed_url is not None:
self.seed_url = seed_url
if self.seed_url is None:
sys.stderr.write('Crawling requires a seed URL.\n')
return []
prev_part_num = utils.get_num_part_files()
crawled_links = set()
uncrawled_links = OrderedSet()
uncrawled_links.add(self.seed_url)
try:
while uncrawled_links:
if self.limit_reached(len(crawled_links)):
break
url = uncrawled_links.pop(last=False)
unique_url = utils.remove_protocol(utils.clean_url(url))
if unique_url not in crawled_links:
raw_resp = utils.get_raw_resp(url)
if raw_resp is None:
if not self.args['quiet']:
sys.stderr.write('Failed to parse {0}.\n'.format(url))
continue
resp = lh.fromstring(raw_resp)
if self.page_crawled(resp):
continue
crawled_links.add(unique_url)
new_links = self.get_new_links(url, resp)
uncrawled_links.update(new_links)
if not self.args['quiet']:
print('Crawled {0} (#{1}).'.format(url, len(crawled_links))
)
utils.write_part_file(self.args, url, raw_resp, resp, len(
crawled_links))
except (KeyboardInterrupt, EOFError):
pass
curr_part_num = utils.get_num_part_files()
return utils.get_part_filenames(curr_part_num, prev_part_num)
|
crawl_links
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, seed_url=None):\n if seed_url is not None:\n self.seed_url = seed_url\n if self.seed_url is None:\n sys.stderr.write('Crawling requires a seed URL.\\n')\n return []\n prev_part_num = utils.get_num_part_files()\n crawled_links = set()\n uncrawled_links = OrderedSet()\n uncrawled_links.add(self.seed_url)\n try:\n while uncrawled_links:\n if self.limit_reached(len(crawled_links)):\n break\n url = uncrawled_links.pop(last=False)\n unique_url = utils.remove_protocol(utils.clean_url(url))\n if unique_url not in crawled_links:\n raw_resp = utils.get_raw_resp(url)\n if raw_resp is None:\n if not self.args['quiet']:\n sys.stderr.write('Failed to parse {0}.\\n'.format(url))\n continue\n resp = lh.fromstring(raw_resp)\n if self.page_crawled(resp):\n continue\n crawled_links.add(unique_url)\n new_links = self.get_new_links(url, resp)\n uncrawled_links.update(new_links)\n if not self.args['quiet']:\n print('Crawled {0} (#{1}).'.format(url, len(crawled_links))\n )\n utils.write_part_file(self.args, url, raw_resp, resp, len(\n crawled_links))\n except (KeyboardInterrupt, EOFError):\n pass\n curr_part_num = utils.get_num_part_files()\n return utils.get_part_filenames(curr_part_num, prev_part_num)\n",
"role": "user"
},
{
"content": "crawl_links",
"role": "assistant"
}
] |
def x():
proxies = getproxies()
filtered_proxies = {}
for key, value in proxies.items():
if key.startswith('http://'):
if not value.startswith('http://'):
filtered_proxies[key] = 'http://{0}'.format(value)
else:
filtered_proxies[key] = value
return filtered_proxies
|
get_proxies
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n proxies = getproxies()\n filtered_proxies = {}\n for key, value in proxies.items():\n if key.startswith('http://'):\n if not value.startswith('http://'):\n filtered_proxies[key] = 'http://{0}'.format(value)\n else:\n filtered_proxies[key] = value\n return filtered_proxies\n",
"role": "user"
},
{
"content": "get_proxies",
"role": "assistant"
}
] |
def x(url):
try:
headers = {'User-Agent': random.choice(USER_AGENTS)}
try:
request = requests.get(url, headers=headers, proxies=get_proxies())
except MissingSchema:
url = add_protocol(url)
request = requests.get(url, headers=headers, proxies=get_proxies())
return lh.fromstring(request.text.encode('utf-8') if PY2 else
request.text)
except Exception:
sys.stderr.write('Failed to retrieve {0}.\n'.format(url))
raise
|
get_resp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n try:\n headers = {'User-Agent': random.choice(USER_AGENTS)}\n try:\n request = requests.get(url, headers=headers, proxies=get_proxies())\n except MissingSchema:\n url = add_protocol(url)\n request = requests.get(url, headers=headers, proxies=get_proxies())\n return lh.fromstring(request.text.encode('utf-8') if PY2 else\n request.text)\n except Exception:\n sys.stderr.write('Failed to retrieve {0}.\\n'.format(url))\n raise\n",
"role": "user"
},
{
"content": "get_resp",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.