source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, response):
try:
r = response.json()
result = r['query']['results']
response = {'num_result': r['query']['count'], 'result': result}
except (Exception,) as e:
print(e)
return response.content
return response
| response_builder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n try:\n r = response.json()\n result = r['query']['results']\n response = {'num_result': r['query']['count'], 'result... |
def x(self, filters):
if not isinstance(filters, (list, tuple)):
raise TypeError('func_filters must be a <type list> or <type tuple>')
for i, func in enumerate(filters):
if isinstance(func, str) and func == 'reverse':
filters[i] = 'reverse()'
elif isinstance(func, tuple) and func[0] in YQL.FUNC_FILTERS:
filters[i] = '{:s}(count={:d})'.format(*func)
elif isinstance(func, dict):
func_stmt = ''
func_name = list(func.keys())[0]
values = ["{0}='{1}'".format(v[0], v[1]) for v in func[func_name]]
func_stmt = ','.join(values)
func_stmt = '{0}({1})'.format(func_name, func_stmt)
filters[i] = func_stmt
else:
raise TypeError('{0} is neither a <str>, a <tuple> or a <dict>'
.format(func))
return '| '.join(filters)
| func_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filters):\n if not isinstance(filters, (list, tuple)):\n raise TypeError('func_filters must be a <type list> or <type tuple>')\n for i, func... |
def x(self, url, name='mytable'):
self.yql_table_url = url
self.yql_table_name = name
return {'table url': url, 'table name': name}
| use | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, name='mytable'):\n self.yql_table_url = url\n self.yql_table_name = name\n return {'table url': url, 'table name': name}\n",
"role": "u... |
def x(self, table):
query = 'desc {0}'.format(table)
response = self.raw_query(query)
return response
| desc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n query = 'desc {0}'.format(table)\n response = self.raw_query(query)\n return response\n",
"role": "user"
},
{
"content": "... |
def x(self, *args, **kwargs):
self = self.select(*args, **kwargs)
payload = self._payload_builder(self._query)
response = self.execute_query(payload)
return response
| get | [
{
"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 self = self.select(*args, **kwargs)\n payload = self._payload_builder(self._query)\n response = self.execute_query(payload)\... |
def x(self, table, items=None, limit=None, offset=None, remote_filter=None,
func_filters=None):
self._table = table
if remote_filter:
if not isinstance(remote_filter, tuple):
raise TypeError('{0} must be of type <type tuple>'.format(
remote_filter))
table = '%s(%s)' % (table, ','.join(map(str, remote_filter)))
if not items:
items = ['*']
self._query = 'SELECT {1} FROM {0} '.format(table, ','.join(items))
if func_filters:
self._func = self._func_filters(func_filters)
self._limit = limit
self._offset = offset
return self
| select | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, items=None, limit=None, offset=None, remote_filter=None,\n func_filters=None):\n self._table = table\n if remote_filter:\n if not ... |
def x(self, table, items, values):
values = ["'{0}'".format(e) for e in values]
self._query = 'INSERT INTO {0} ({1}) VALUES ({2})'.format(table, ','.
join(items), ','.join(values))
payload = self._payload_builder(self._query)
response = self.execute_query(payload)
return response
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, items, values):\n values = [\"'{0}'\".format(e) for e in values]\n self._query = 'INSERT INTO {0} ({1}) VALUES ({2})'.format(table, ','.\n ... |
def x(self, table, items, values):
self._table = table
self._limit = None
items_values = ','.join(["{0} = '{1}'".format(k, v) for k, v in zip(
items, values)])
self._query = 'UPDATE {0} SET {1}'.format(self._table, items_values)
return self
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table, items, values):\n self._table = table\n self._limit = None\n items_values = ','.join([\"{0} = '{1}'\".format(k, v) for k, v in zip(\n ... |
def x(self, table):
self._table = table
self._limit = None
self._query = 'DELETE FROM {0}'.format(self._table)
return self
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, table):\n self._table = table\n self._limit = None\n self._query = 'DELETE FROM {0}'.format(self._table)\n return self\n",
"role": "user"... |
def x(self, *args):
if not self._table:
raise errors.NoTableSelectedError('No Table Selected')
clause = []
self._query += ' WHERE '
clause = [self._clause_formatter(x) for x in args if x]
self._query += ' AND '.join(clause)
payload = self._payload_builder(self._query)
response = self.execute_query(payload)
return response
| where | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n if not self._table:\n raise errors.NoTableSelectedError('No Table Selected')\n clause = []\n self._query += ' WHERE '\n clau... |
def x(self, format='json'):
query = 'SHOW TABLES'
payload = self._payload_builder(query, format)
response = self.execute_query(payload)
return response
| show_tables | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format='json'):\n query = 'SHOW TABLES'\n payload = self._payload_builder(query, format)\n response = self.execute_query(payload)\n return re... |
def x(from_states=None, to_state=None):
from_states_tuple = (from_states,) if isinstance(from_states, State
) else tuple(from_states or [])
if not len(from_states_tuple) >= 1:
raise ValueError()
if not all(isinstance(state, State) for state in from_states_tuple):
raise TypeError()
if not isinstance(to_state, State):
raise TypeError()
def x(wrapped):
@functools.wraps(wrapped)
def x(instance, *a, **kw):
if instance.current_state not in from_states_tuple:
raise InvalidStateTransition()
try:
result = wrapped(instance, *a, **kw)
except Exception as error:
error_handlers = getattr(instance,
'___pystatemachine_transition_failure_handlers', [])
for error_handler in error_handlers:
error_handler(instance, wrapped, instance.current_state,
to_state, error)
if not error_handlers:
raise error
else:
StateInfo.set_current_state(instance, to_state)
return result
return transition
return wrapper
| event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(from_states=None, to_state=None):\n from_states_tuple = (from_states,) if isinstance(from_states, State\n ) else tuple(from_states or [])\n if not... |
def x(cls):
assert not hasattr(cls, 'current_state'
), '{0} already has a "current_state" attribute!'.format(cls)
assert not hasattr(cls, 'states'
), '{0} already has a "states" attribute!'.format(cls)
def x(obj):
return StateInfo.get_states(obj.__class__)
def x(obj):
return all([any([inspect.ismethod(obj), inspect.isfunction(obj)]),
getattr(obj, '___pystatemachine_is_transition_failure_handler',
False)])
transition_failure_handlers = sorted([value for name, value in inspect.
getmembers(cls, is_transition_failure_handler)], key=lambda m:
getattr(m,
'___pystatemachine_transition_failure_handler_calling_sequence', 0))
setattr(cls, '___pystatemachine_transition_failure_handlers',
transition_failure_handlers)
cls.current_state = property(fget=StateInfo.get_current_state)
cls.states = property(fget=get_states)
return cls
| acts_as_state_machine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n assert not hasattr(cls, 'current_state'\n ), '{0} already has a \"current_state\" attribute!'.format(cls)\n assert not hasattr(cls, 'state... |
def x(self, place, unit=None, items=None):
unit = unit if unit else self.unit
response = self.select('weather.forecast', items=items).where(['woeid',
'IN', ('SELECT woeid FROM geo.places WHERE text="{0}"'.format(place
),)], ['u', '=', unit] if unit else [])
return response
| get_weather_in | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place, unit=None, items=None):\n unit = unit if unit else self.unit\n response = self.select('weather.forecast', items=items).where(['woeid',\n ... |
def x(self, place, unit=None):
unit = unit if unit else self.unit
response = self.get_weather_in(place, items=['item.forecast'], unit=unit)
return response
| get_weather_forecast | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, place, unit=None):\n unit = unit if unit else self.unit\n response = self.get_weather_in(place, items=['item.forecast'], unit=unit)\n return res... |
def x(self, url, titleContains='', titleNotContains='', extra_tid=None):
if not titleContains and not titleNotContains:
raise ValueError(
"You must pass either a string the title should contain, or a string the title shouldn't contain!"
)
if titleContains and titleNotContains:
raise ValueError('You can only pass a single conditional statement!')
self.log.info('Attempting to access page through WAF browser verification.'
)
current_title = None
if extra_tid is True:
extra_tid = threading.get_ident()
with self._chrome_context(url, extra_tid=extra_tid) as cr:
self._syncIntoChromium(cr)
cr.blocking_navigate(url)
for _ in range(self.wrapper_step_through_timeout):
time.sleep(1)
current_title, _ = cr.get_page_url_title()
if titleContains and titleContains in current_title:
self._syncOutOfChromium(cr)
return True
if (titleNotContains and current_title and titleNotContains not in
current_title):
self._syncOutOfChromium(cr)
return True
self._syncOutOfChromium(cr)
self.log.error("Failed to step through. Current title: '%s'", current_title
)
return False
| stepThroughJsWaf_bare_chromium | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, titleContains='', titleNotContains='', extra_tid=None):\n if not titleContains and not titleNotContains:\n raise ValueError(\n ... |
def x(self, url, extra_tid=None):
assert url is not None, 'You need to pass a URL to the contextmanager, so it can dispatch to the correct tab!'
if extra_tid is True:
extra_tid = threading.get_ident()
return self._chrome_context(url, extra_tid=extra_tid)
| chromiumContext | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, extra_tid=None):\n assert url is not None, 'You need to pass a URL to the contextmanager, so it can dispatch to the correct tab!'\n if extra_t... |
def x(table_name, meta_file, meta):
for table in meta['tables']:
if table['name'] == table_name:
prefix = os.path.dirname(meta_file)
relative_path = os.path.join(prefix, meta['path'], table['path'])
return pd.read_csv(relative_path), table
| load_data_table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table_name, meta_file, meta):\n for table in meta['tables']:\n if table['name'] == table_name:\n prefix = os.path.dirname(meta_file)\n ... |
def x(table_name, col_name, meta_file):
with open(meta_file, 'r') as f:
meta = json.load(f)
data_table, table = load_data_table(table_name, meta_file, meta)
for field in table['fields']:
if field['name'] == col_name:
col_meta = field
col = data_table[col_name]
return col, col_meta
| get_col_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table_name, col_name, meta_file):\n with open(meta_file, 'r') as f:\n meta = json.load(f)\n data_table, table = load_data_table(table_name, meta_f... |
def x(self, request, *args, **kwargs):
self.kwargs = kwargs
self.args = args
self.request = request
self.org = self.derive_org()
if self.get_user().is_superuser:
return True
if self.get_user().has_perm(self.permission):
return True
return self.has_org_perm(self.permission)
| has_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n self.kwargs = kwargs\n self.args = args\n self.request = request\n self.org = self.derive_org()\n if self.get... |
def x():
cov = Coverage([PythonPackage('import_deps', 'tests')], config={
'branch': True})
yield cov.all()
yield cov.src()
| task_coverage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n cov = Coverage([PythonPackage('import_deps', 'tests')], config={\n 'branch': True})\n yield cov.all()\n yield cov.src()\n",
"role": "u... |
def x(connection, domain, workflow):
args = get_workflow_registration_parameter(workflow)
try:
connection.register_workflow_type(domain=domain, **args)
except ClientError as err:
if err.response['Error']['Code'] == 'TypeAlreadyExistsFault':
return False
raise
return True
| register_workflow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connection, domain, workflow):\n args = get_workflow_registration_parameter(workflow)\n try:\n connection.register_workflow_type(domain=domain, **... |
def x(data):
data = json.loads(data.decode('utf-8'))
return json.dumps(data, indent=4, sort_keys=True)
| pretty_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n data = json.loads(data.decode('utf-8'))\n return json.dumps(data, indent=4, sort_keys=True)\n",
"role": "user"
},
{
"content": "pret... |
def x(data):
parsed_string = minidom.parseString(data.decode('utf-8'))
return parsed_string.toprettyxml(indent='\t', encoding='utf-8')
| pretty_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n parsed_string = minidom.parseString(data.decode('utf-8'))\n return parsed_string.toprettyxml(indent='\\t', encoding='utf-8')\n",
"role": "us... |
def x(response, format='json'):
if format == 'json':
return pretty_json(response.content)
else:
return pretty_xml(response.content)
| prettyfy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, format='json'):\n if format == 'json':\n return pretty_json(response.content)\n else:\n return pretty_xml(response.content)\n",
... |
def x(journal):
events = [e for e in journal if not isinstance(e, CorruptedUsnRecord)]
keyfunc = lambda e: str(e.file_reference_number
) + e.file_name + e.timestamp
event_groups = (tuple(g) for k, g in groupby(events, key=keyfunc))
if len(events) < len(list(journal)):
LOGGER.debug(
'Corrupted records in UsnJrnl, some events might be missing.')
return [journal_event(g) for g in event_groups]
| parse_journal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(journal):\n events = [e for e in journal if not isinstance(e, CorruptedUsnRecord)]\n keyfunc = lambda e: str(e.file_reference_number\n ) + e.file_... |
def x(events):
reasons = set(chain.from_iterable(e.reasons for e in events))
attributes = set(chain.from_iterable(e.file_attributes for e in events))
return JrnlEvent(events[0].file_reference_number, events[0].
parent_file_reference_number, events[0].file_name, events[0].
timestamp, list(reasons), list(attributes))
| journal_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(events):\n reasons = set(chain.from_iterable(e.reasons for e in events))\n attributes = set(chain.from_iterable(e.file_attributes for e in events))\n ... |
def x(usnjrnl, filesystem_content):
journal_content = defaultdict(list)
for event in usnjrnl:
journal_content[event.inode].append(event)
for event in usnjrnl:
try:
dirent = lookup_dirent(event, filesystem_content, journal_content)
yield UsnJrnlEvent(dirent.inode, dirent.path, dirent.size,
dirent.allocated, event.timestamp, event.changes, event.
attributes)
except LookupError as error:
LOGGER.debug(error)
| generate_timeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(usnjrnl, filesystem_content):\n journal_content = defaultdict(list)\n for event in usnjrnl:\n journal_content[event.inode].append(event)\n for ... |
def x(event, filesystem_content, journal_content):
for dirent in filesystem_content[event.inode]:
if dirent.path.endswith(event.name):
return dirent
path = lookup_folder(event, filesystem_content)
if path is not None:
return Dirent(event.inode, path, -1, None, False, 0, 0, 0, 0)
path = lookup_deleted_folder(event, filesystem_content, journal_content)
if path is not None:
return Dirent(event.inode, path, -1, None, False, 0, 0, 0, 0)
raise LookupError('File %s not found' % event.name)
| lookup_dirent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, filesystem_content, journal_content):\n for dirent in filesystem_content[event.inode]:\n if dirent.path.endswith(event.name):\n ret... |
def x(event, filesystem):
for dirent in filesystem[event.parent_inode]:
if dirent.type == 'd' and dirent.allocated:
return ntpath.join(dirent.path, event.name)
| lookup_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, filesystem):\n for dirent in filesystem[event.parent_inode]:\n if dirent.type == 'd' and dirent.allocated:\n return ntpath.join(dir... |
def x(event, filesystem, journal):
folder_events = (e for e in journal[event.parent_inode] if 'DIRECTORY' in
e.attributes and 'FILE_DELETE' in e.changes)
for folder_event in folder_events:
path = lookup_deleted_folder(folder_event, filesystem, journal)
return ntpath.join(path, event.name)
return lookup_folder(event, filesystem)
| lookup_deleted_folder | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(event, filesystem, journal):\n folder_events = (e for e in journal[event.parent_inode] if 'DIRECTORY' in\n e.attributes and 'FILE_DELETE' in e.change... |
def x(self):
self.logger.debug('Parsing File System content.')
root_partition = self._filesystem.inspect_get_roots()[0]
yield from self._root_dirent()
for entry in self._filesystem.filesystem_walk(root_partition):
yield Dirent(entry['tsk_inode'], self._filesystem.path('/' + entry[
'tsk_name']), entry['tsk_size'], entry['tsk_type'], True if
entry['tsk_flags'] & TSK_ALLOC else False, timestamp(entry[
'tsk_atime_sec'], entry['tsk_atime_nsec']), timestamp(entry[
'tsk_mtime_sec'], entry['tsk_mtime_nsec']), timestamp(entry[
'tsk_ctime_sec'], entry['tsk_ctime_nsec']), timestamp(entry[
'tsk_crtime_sec'], entry['tsk_crtime_nsec']))
| visit_filesystem | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.debug('Parsing File System content.')\n root_partition = self._filesystem.inspect_get_roots()[0]\n yield from self._root_dirent()... |
def x(self):
fstat = self._filesystem.stat('/')
yield Dirent(fstat['ino'], self._filesystem.path('/'), fstat['size'],
'd', True, timestamp(fstat['atime'], 0), timestamp(fstat['mtime'],
0), timestamp(fstat['ctime'], 0), 0)
| root_dirent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fstat = self._filesystem.stat('/')\n yield Dirent(fstat['ino'], self._filesystem.path('/'), fstat['size'],\n 'd', True, timestamp(fstat['... |
def x(self):
filesystem_content = defaultdict(list)
self.logger.debug('Extracting Update Sequence Number journal.')
journal = self._read_journal()
for dirent in self._visit_filesystem():
filesystem_content[dirent.inode].append(dirent)
self.logger.debug('Generating timeline.')
yield from generate_timeline(journal, filesystem_content)
| usnjrnl_timeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n filesystem_content = defaultdict(list)\n self.logger.debug('Extracting Update Sequence Number journal.')\n journal = self._read_journal()\n ... |
def x(self):
root = self._filesystem.inspect_get_roots()[0]
inode = self._filesystem.stat('C:\\$Extend\\$UsnJrnl')['ino']
with NamedTemporaryFile(buffering=0) as tempfile:
self._filesystem.download_inode(root, inode, tempfile.name)
journal = usn_journal(tempfile.name)
return parse_journal(journal)
| read_journal | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n root = self._filesystem.inspect_get_roots()[0]\n inode = self._filesystem.stat('C:\\\\$Extend\\\\$UsnJrnl')['ino']\n with NamedTemporaryFile(... |
def x(self, stream, cmd):
if len(self.q) < self.max_size:
if stream['id'] in self.q:
raise QueueDuplicate
p = self.call(stream, cmd)
self.q[stream['id']] = p
else:
raise QueueFull
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, cmd):\n if len(self.q) < self.max_size:\n if stream['id'] in self.q:\n raise QueueDuplicate\n p = self.call(stream, c... |
def x(self):
indices = []
for idf, v in self.q.items():
if v.poll() != None:
indices.append(idf)
for i in indices:
self.q.pop(i)
return indices
| get_finished | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n indices = []\n for idf, v in self.q.items():\n if v.poll() != None:\n indices.append(idf)\n for i in indices:\n self... |
def x(self):
souts = []
for v in self.q.values():
souts.append(v.stdout)
return souts
| get_stdouts | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n souts = []\n for v in self.q.values():\n souts.append(v.stdout)\n return souts\n",
"role": "user"
},
{
"content": "get_std... |
def x(self, idf):
try:
p = self.q.pop(idf)
p.terminate()
return p
except:
return None
| terminate_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idf):\n try:\n p = self.q.pop(idf)\n p.terminate()\n return p\n except:\n return None\n",
"role": "user"
},
{
... |
def x(self):
for w in self.q.values():
try:
w.terminate()
except:
pass
self.q = {}
| terminate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for w in self.q.values():\n try:\n w.terminate()\n except:\n pass\n self.q = {}\n",
"role": "user"
},
... |
def x(self, s):
curses.curs_set(0)
self.s = s
self.s.keypad(1)
self.set_screen_size()
self.pads = {}
self.offsets = {}
self.init_help()
self.init_streams_pad()
self.current_pad = 'streams'
self.set_title(TITLE_STRING)
self.got_g = False
signal.signal(28, self.resize)
if self.config.CHECK_ONLINE_ON_START:
self.check_online_streams()
self.set_status('Ready')
| init | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, s):\n curses.curs_set(0)\n self.s = s\n self.s.keypad(1)\n self.set_screen_size()\n self.pads = {}\n self.offsets = {}\n self.init_h... |
def x(self):
try:
return int(os.environ['LINES']), int(os.environ['COLUMNS'])
except KeyError:
height, width = struct.unpack('hhhh', ioctl(0, termios.TIOCGWINSZ,
'\x00' * 8))[0:2]
if not height:
return 25, 80
return height, width
| getheightwidth | [
{
"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 return int(os.environ['LINES']), int(os.environ['COLUMNS'])\n except KeyError:\n height, width = struct.unpack('hhhh', ioct... |
def x(self, signum, obj):
self.s.clear()
stream_cursor = self.pads['streams'].getyx()[0]
for pad in self.pads.values():
pad.clear()
self.s.refresh()
self.set_screen_size()
self.set_title(TITLE_STRING)
self.init_help()
self.init_streams_pad()
self.move(stream_cursor, absolute=True, pad_name='streams', refresh=False)
self.s.refresh()
self.show()
| resize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, signum, obj):\n self.s.clear()\n stream_cursor = self.pads['streams'].getyx()[0]\n for pad in self.pads.values():\n pad.clear()\n self... |
def x(self):
self.show_streams()
while True:
self.s.refresh()
self.check_stopped_streams()
souts = self.q.get_stdouts()
souts.append(sys.stdin)
try:
r, w, x = select.select(souts, [], [], 1)
except select.error:
continue
if not r:
if self.config.CHECK_ONLINE_INTERVAL <= 0:
continue
cur_time = int(time())
time_delta = cur_time - self.last_autocheck
if time_delta > self.config.CHECK_ONLINE_INTERVAL:
self.check_online_streams()
self.set_status('Next check at {0}'.format(strftime(
'%H:%M:%S', localtime(time() + self.config.
CHECK_ONLINE_INTERVAL))))
continue
for fd in r:
if fd != sys.stdin:
msg = fd.readline()
if msg:
self.set_status(msg[:-1])
else:
c = self.pads[self.current_pad].getch()
if c == curses.KEY_UP or c == ord('k'):
self.move(-1)
elif c == curses.KEY_DOWN or c == ord('j'):
self.move(1)
elif c == ord('f'):
if self.current_pad == 'streams':
self.filter_streams()
elif c == ord('F'):
if self.current_pad == 'streams':
self.clear_filter()
elif c == ord('g'):
if self.got_g:
self.move(0, absolute=True)
self.got_g = False
continue
self.got_g = True
elif c == ord('G'):
self.move(len(self.filtered_streams) - 1, absolute=True)
elif c == ord('q'):
if self.current_pad == 'streams':
self.q.terminate()
return
else:
self.show_streams()
elif c == 27:
if self.current_pad != 'streams':
self.show_streams()
if self.current_pad == 'help':
continue
elif c == 10:
self.play_stream()
elif c == ord('s'):
self.stop_stream()
elif c == ord('c'):
self.reset_stream()
elif c == ord('n'):
self.edit_stream('name')
elif c == ord('r'):
self.edit_stream('res')
elif c == ord('u'):
self.edit_stream('url')
elif c == ord('l'):
self.show_commandline()
elif c == ord('L'):
self.shift_commandline()
elif c == ord('a'):
self.prompt_new_stream()
elif c == ord('d'):
self.delete_stream()
elif c == ord('o'):
self.show_offline_streams ^= True
self.refilter_streams()
elif c == ord('O'):
self.check_online_streams()
elif c == ord('h') or c == ord('?'):
self.show_help()
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.show_streams()\n while True:\n self.s.refresh()\n self.check_stopped_streams()\n souts = self.q.get_stdouts()\n ... |
def x(self):
height, width = self.getheightwidth()
curses.resizeterm(height, width)
self.pad_x = 0
self.max_y, self.max_x = height - 1, width - 1
self.pad_h = height - 3
self.pad_w = width - 2 * self.pad_x
| set_screen_size | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n height, width = self.getheightwidth()\n curses.resizeterm(height, width)\n self.pad_x = 0\n self.max_y, self.max_x = height - 1, width - 1... |
def x(self, msg):
self.s.move(0, 0)
self.overwrite_line(msg, curses.A_REVERSE)
| set_title | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n self.s.move(0, 0)\n self.overwrite_line(msg, curses.A_REVERSE)\n",
"role": "user"
},
{
"content": "set_title",
"role": "ass... |
def x(self, msg):
self.s.move(1, 0)
self.overwrite_line(msg, attr=curses.A_NORMAL)
| set_header | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n self.s.move(1, 0)\n self.overwrite_line(msg, attr=curses.A_NORMAL)\n",
"role": "user"
},
{
"content": "set_header",
"role":... |
def x(self, msg, reverse=True):
self.s.move(self.max_y - 1, 0)
if reverse:
self.overwrite_line(msg, attr=curses.A_REVERSE)
else:
self.overwrite_line(msg, attr=curses.A_NORMAL)
| set_footer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg, reverse=True):\n self.s.move(self.max_y - 1, 0)\n if reverse:\n self.overwrite_line(msg, attr=curses.A_REVERSE)\n else:\n sel... |
def x(self):
self.s.move(1, 0)
self.s.clrtobot()
self.set_header('Help'.center(self.pad_w))
self.set_footer(" ESC or 'q' to return to main menu")
self.s.refresh()
self.current_pad = 'help'
self.refresh_current_pad()
| show_help | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.s.move(1, 0)\n self.s.clrtobot()\n self.set_header('Help'.center(self.pad_w))\n self.set_footer(\" ESC or 'q' to return to main menu\... |
def x(self, start_row=0):
y = 0
pad = curses.newpad(max(1, len(self.filtered_streams)), self.pad_w)
pad.keypad(1)
for s in self.filtered_streams:
pad.addstr(y, 0, self.format_stream_line(s))
y += 1
self.offsets['streams'] = 0
pad.move(start_row, 0)
if not self.no_stream_shown:
pad.chgat(curses.A_REVERSE)
self.pads['streams'] = pad
| init_streams_pad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_row=0):\n y = 0\n pad = curses.newpad(max(1, len(self.filtered_streams)), self.pad_w)\n pad.keypad(1)\n for s in self.filtered_streams:... |
def x(self, direction, absolute=False, pad_name=None, refresh=True):
cursor_line = ['streams']
scroll_only = ['help']
if not pad_name:
pad_name = self.current_pad
pad = self.pads[pad_name]
if pad_name == 'streams' and self.no_streams:
return
row, col = pad.getyx()
new_row = row
offset = self.offsets[pad_name]
new_offset = offset
if pad_name in scroll_only:
if absolute:
if direction > 0:
new_offset = pad.getmaxyx()[0] - self.pad_h + 1
else:
new_offset = 0
elif direction > 0:
new_offset = min(pad.getmaxyx()[0] - self.pad_h + 1, offset +
self.pad_h)
elif offset > 0:
new_offset = max(0, offset - self.pad_h)
elif absolute and direction >= 0 and direction < pad.getmaxyx()[0]:
if direction < offset:
new_offset = direction
elif direction > offset + self.pad_h - 2:
new_offset = direction - self.pad_h + 2
new_row = direction
elif direction == -1 and row > 0:
if row == offset:
new_offset -= 1
new_row = row - 1
elif direction == 1 and row < len(self.filtered_streams) - 1:
if row == offset + self.pad_h - 2:
new_offset += 1
new_row = row + 1
if pad_name in cursor_line:
pad.move(row, 0)
pad.chgat(curses.A_NORMAL)
self.offsets[pad_name] = new_offset
pad.move(new_row, 0)
if pad_name in cursor_line:
pad.chgat(curses.A_REVERSE)
if pad_name == 'streams':
self.redraw_stream_footer()
if refresh:
self.refresh_current_pad()
| move | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction, absolute=False, pad_name=None, refresh=True):\n cursor_line = ['streams']\n scroll_only = ['help']\n if not pad_name:\n pad_na... |
def x(self):
if self.no_streams:
return
row = self.pads[self.current_pad].getyx()[0]
s = self.filtered_streams[row]
pad = self.pads['streams']
pad.move(row, 0)
pad.clrtoeol()
pad.addstr(row, 0, self.format_stream_line(s), curses.A_REVERSE)
pad.chgat(curses.A_REVERSE)
pad.move(row, 0)
self.refresh_current_pad()
| redraw_current_line | [
{
"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.no_streams:\n return\n row = self.pads[self.current_pad].getyx()[0]\n s = self.filtered_streams[row]\n pad = self.pads['str... |
def x(self, url, titleContains='', titleNotContains=''):
if not titleContains and not titleNotContains:
raise ValueError(
"You must pass either a string the title should contain, or a string the title shouldn't contain!"
)
if titleContains and titleNotContains:
raise ValueError('You can only pass a single conditional statement!')
self.log.info(
'Attempting to access page through cloudflare browser verification.')
if not self.selenium_chromium_driver:
self._initSeleniumChromiumWebDriver()
self._syncIntoSeleniumChromiumWebDriver()
self.selenium_chromium_driver.get(url)
if titleContains:
condition = EC.title_contains(titleContains)
elif titleNotContains:
condition = SeleniumCommon.title_not_contains(titleNotContains)
else:
raise ValueError('Wat?')
try:
WebDriverWait(self.selenium_chromium_driver, 45).until(condition)
success = True
self.log.info('Successfully accessed main page!')
except TimeoutException:
self.log.error('Could not pass through cloudflare blocking!')
success = False
self._syncOutOfSeleniumChromiumWebDriver()
self._syncCookiesFromFile()
return success
| stepThroughJsWaf_selenium_chromium | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, titleContains='', titleNotContains=''):\n if not titleContains and not titleNotContains:\n raise ValueError(\n \"You must pass ... |
def x(self, key, *tags, default=None):
scope = self._scopes[key]
tags = self._ensure_exclamation(tags)
default = default if not default or default.startswith('!'
) else '!' + default
if scope:
scope[0] = scope[0] + tags
scope[1] = default if default else scope[1]
else:
scope.append(tags)
scope.append(default)
| scope | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, *tags, default=None):\n scope = self._scopes[key]\n tags = self._ensure_exclamation(tags)\n default = default if not default or default.sta... |
def x(self, content):
try:
config = yaml.load(content, Loader=self._loader(self._global_tags))
except yaml.YAMLError:
raise InvalidConfigError(_('Config is not valid yaml.'))
try:
config = config[self.tool]
except (TypeError, KeyError):
return None
if not isinstance(config, dict):
config = self._apply_default(config, self._global_default)
else:
scoped_keys = set(key for key in self._scopes)
for key in config:
if key in scoped_keys:
tags, default = self._scopes[key]
if not default:
default = self._global_default
config[key] = self._apply_default(config[key], default)
self._apply_scope(config[key], tags)
else:
config[key] = self._apply_default(config[key], self.
_global_default)
self._validate(config)
return config
| load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n try:\n config = yaml.load(content, Loader=self._loader(self._global_tags))\n except yaml.YAMLError:\n raise InvalidConfig... |
def x(self, tags):
class ConfigLoader(SafeLoader):
pass
ConfigLoader.add_multi_constructor('', lambda loader, prefix, node:
TaggedValue(node.value, node.tag, *tags))
return ConfigLoader
| loader | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags):\n\n\n class ConfigLoader(SafeLoader):\n pass\n ConfigLoader.add_multi_constructor('', lambda loader, prefix, node:\n TaggedVal... |
def x(self, config):
if isinstance(config, dict):
for val in config.values():
self._validate(val)
elif isinstance(config, list):
for item in config:
self._validate(item)
elif isinstance(config, TaggedValue):
tagged_value = config
if tagged_value.tag not in tagged_value.tags:
raise InvalidConfigError(_('{} is not a valid tag for {}'.
format(tagged_value.tag, self.tool)))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config):\n if isinstance(config, dict):\n for val in config.values():\n self._validate(val)\n elif isinstance(config, list):\n ... |
def x(self, config, default):
if not default:
return config
if isinstance(config, str):
return TaggedValue(config, default, default, *self._global_tags)
if isinstance(config, dict):
for key, val in config.items():
config[key] = self._apply_default(val, default)
elif isinstance(config, list):
for i, val in enumerate(config):
config[i] = self._apply_default(val, default)
elif isinstance(config, TaggedValue):
config.tags.add(default)
return config
| apply_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, default):\n if not default:\n return config\n if isinstance(config, str):\n return TaggedValue(config, default, default, *sel... |
def x(self, config, tags):
if isinstance(config, dict):
for val in config.values():
self._apply_scope(val, tags)
elif isinstance(config, list):
for item in config:
self._apply_scope(item, tags)
elif isinstance(config, TaggedValue):
tagged_value = config
tagged_value.tags |= set(tags)
for tag in tags:
if not hasattr(tagged_value, tag):
setattr(tagged_value, tag, False)
| apply_scope | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, tags):\n if isinstance(config, dict):\n for val in config.values():\n self._apply_scope(val, tags)\n elif isinstance(conf... |
def x():
no_args_syntax = '@overload'
args_syntax = no_args_syntax + '('
args, no_args = [(-1, -1)], [(-1, -1)]
for i, line in enumerate(Overload.traceback_lines()):
if args_syntax in line:
args.append((i, line.find(args_syntax)))
if no_args_syntax in line:
no_args.append((i, line.find(no_args_syntax)))
args, no_args = max(args), max(no_args)
if sum(args) + sum(no_args) == -4:
return False
return args >= no_args
| has_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n no_args_syntax = '@overload'\n args_syntax = no_args_syntax + '('\n args, no_args = [(-1, -1)], [(-1, -1)]\n for i, line in enumerate(Overload... |
def x(fn):
return fn.__globals__['__name__'], getattr(fn, '__qualname__', getattr(
fn, '__name__', ''))
def x(self, fn):
self.validate_function(fn)
self.configured = False
self.has_backup_plan = False
if self.has_args():
self.backup_plan = fn
else:
self.id = self.identify(fn)
self.backup_plan = big.overload._cache.get(self.id, None)
self.configure_with(fn)
def x(self, *args, **kwargs):
try:
return self.fn(*args, **kwargs)
except Exception as ex:
if self.has_backup_plan:
return self.backup_plan(*args, **kwargs)
elif self.configured:
raise ex
else:
self.configure_with(*args, **kwargs)
return self
| identify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn):\n return fn.__globals__['__name__'], getattr(fn, '__qualname__', getattr(\n fn, '__name__', ''))\n\n def x(self, fn):\n self.validate_... |
def x(fn, function_to_overload=None):
if function_to_overload is None:
if Overload.has_args():
return Overload.configured_decorator(fn)
else:
return Overload.default_decorator(fn)
else:
return Overload.configured_decorator(function_to_overload)(fn)
| overload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, function_to_overload=None):\n if function_to_overload is None:\n if Overload.has_args():\n return Overload.configured_decorator(fn)\n ... |
def x(klass_or_instance):
pairs = list()
for attr, value in inspect.getmembers(klass_or_instance, lambda x: not
inspect.isroutine(x)):
if not (attr.startswith('__') or attr.endswith('__')):
pairs.append((attr, value))
return pairs
| get_all_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass_or_instance):\n pairs = list()\n for attr, value in inspect.getmembers(klass_or_instance, lambda x: not\n inspect.isroutine(x)):\n if... |
def x(self, parFound=None):
results = []
if len(parFound) > 0:
for found in parFound:
aux = {}
aux['type'] = self.name
aux['value'] = found
aux['attributes'] = self.getAttributes(found)
results.append(aux)
return results
| getResults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parFound=None):\n results = []\n if len(parFound) > 0:\n for found in parFound:\n aux = {}\n aux['type'] = self.name\n... |
def x(url):
link = Link(url)
egg_info = link.egg_fragment
if not egg_info:
egg_info = splitext(link.filename)[0]
return package_to_requirement(egg_info)
| get_requirement_from_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n link = Link(url)\n egg_info = link.egg_fragment\n if not egg_info:\n egg_info = splitext(link.filename)[0]\n return package_to_requi... |
def x(package_name):
match = re.search('^(.*?)-(dev|\\d.*)', package_name)
if match:
name = match.group(1)
version = match.group(2)
else:
name = package_name
version = ''
if version:
return '%s==%s' % (name, version)
else:
return name
| package_to_requirement | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(package_name):\n match = re.search('^(.*?)-(dev|\\\\d.*)', package_name)\n if match:\n name = match.group(1)\n version = match.group(2)\n ... |
def x(hostname=None):
if hostname is None:
hostname = DEFAULT_MIRROR_URL
try:
hostname = socket.gethostbyname_ex(hostname)[0]
except socket.gaierror:
return []
end_letter = hostname.split('.', 1)
return [('%s.%s' % (s, end_letter[1])) for s in string_range(end_letter[0])
]
| get_mirrors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hostname=None):\n if hostname is None:\n hostname = DEFAULT_MIRROR_URL\n try:\n hostname = socket.gethostbyname_ex(hostname)[0]\n except... |
def x(last):
for k in range(len(last)):
for x in product(string.ascii_lowercase, repeat=k + 1):
result = ''.join(x)
yield result
if result == last:
return
| string_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(last):\n for k in range(len(last)):\n for x in product(string.ascii_lowercase, repeat=k + 1):\n result = ''.join(x)\n yield res... |
def x(locations):
files = []
urls = []
def x(path):
url = path_to_url2(path)
if mimetypes.guess_type(url, strict=False)[0] == 'text/html':
urls.append(url)
else:
files.append(url)
for url in locations:
if url.startswith('file:'):
path = url_to_path(url)
if os.path.isdir(path):
path = os.path.realpath(path)
for item in os.listdir(path):
sort_path(os.path.join(path, item))
elif os.path.isfile(path):
sort_path(path)
else:
urls.append(url)
return files, urls
| sort_locations | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(locations):\n files = []\n urls = []\n\n def x(path):\n url = path_to_url2(path)\n if mimetypes.guess_type(url, strict=False)[0] == 'tex... |
def x(self, locations, req):
pending_queue = Queue()
for location in locations:
pending_queue.put(location)
done = []
seen = set()
threads = []
for i in range(min(10, len(locations))):
t = threading.Thread(target=self._get_queued_page, args=(req,
pending_queue, done, seen))
t.setDaemon(True)
threads.append(t)
t.start()
for t in threads:
t.join()
return done
| get_pages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, locations, req):\n pending_queue = Queue()\n for location in locations:\n pending_queue.put(location)\n done = []\n seen = set()\n ... |
def x(self, link, search_name):
if link.egg_fragment:
egg_info = link.egg_fragment
else:
egg_info, ext = link.splitext()
if not ext:
if link not in self.logged_links:
logger.debug('Skipping link %s; not a file' % link)
self.logged_links.add(link)
return []
if egg_info.endswith('.tar'):
egg_info = egg_info[:-4]
ext = '.tar' + ext
if ext not in ('.tar.gz', '.tar.bz2', '.tar', '.tgz', '.zip'):
if link not in self.logged_links:
logger.debug('Skipping link %s; unknown archive format: %s' %
(link, ext))
self.logged_links.add(link)
return []
version = self._egg_info_matches(egg_info, search_name, link)
if version is None:
logger.debug('Skipping link %s; wrong project name (not %s)' % (
link, search_name))
return []
match = self._py_version_re.search(version)
if match:
version = version[:match.start()]
py_version = match.group(1)
if py_version != sys.version[:3]:
logger.debug('Skipping %s because Python version is incorrect' %
link)
return []
logger.debug('Found link %s, version: %s' % (link, version))
return [(pkg_resources.parse_version(version), link, version)]
| link_package_versions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, link, search_name):\n if link.egg_fragment:\n egg_info = link.egg_fragment\n else:\n egg_info, ext = link.splitext()\n if not ... |
def x(self, mirrors=None, main_mirror_url=None):
if not mirrors:
mirrors = get_mirrors(main_mirror_url)
random.shuffle(mirrors)
mirror_urls = set()
for mirror_url in mirrors:
if not ('http://' or 'https://' or 'file://') in mirror_url:
mirror_url = 'http://%s' % mirror_url
if not mirror_url.endswith('/simple'):
mirror_url = '%s/simple/' % mirror_url
mirror_urls.add(mirror_url)
return list(mirror_urls)
| get_mirror_urls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mirrors=None, main_mirror_url=None):\n if not mirrors:\n mirrors = get_mirrors(main_mirror_url)\n random.shuffle(mirrors)\n mirror_ur... |
def x(url):
scheme, netloc, path, query, fragment = urlparse.urlsplit(url)
if not scheme in ('http', 'https', 'ftp', 'ftps'):
return ''
req = Urllib2HeadRequest(url, headers={'Host': netloc})
resp = urlopen(req)
try:
if hasattr(resp, 'code') and resp.code != 200 and scheme not in ('ftp',
'ftps'):
return ''
return resp.info().get('content-type', '')
finally:
resp.close()
| get_content_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n scheme, netloc, path, query, fragment = urlparse.urlsplit(url)\n if not scheme in ('http', 'https', 'ftp', 'ftps'):\n return ''\n req =... |
def x(self):
for match in self._href_re.finditer(self.content):
url = match.group(1) or match.group(2) or match.group(3)
url = self.clean_link(urlparse.urljoin(self.base_url, url))
yield Link(url, self)
| links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for match in self._href_re.finditer(self.content):\n url = match.group(1) or match.group(2) or match.group(3)\n url = self.clean_link... |
def x(self, rels=('homepage', 'download')):
for match in self._rel_re.finditer(self.content):
found_rels = match.group(1).lower().split()
for rel in rels:
if rel in found_rels:
break
else:
continue
match = self._href_re.search(match.group(0))
if not match:
continue
url = match.group(1) or match.group(2) or match.group(3)
url = self.clean_link(urlparse.urljoin(self.base_url, url))
yield Link(url, self)
| explicit_rel_links | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rels=('homepage', 'download')):\n for match in self._rel_re.finditer(self.content):\n found_rels = match.group(1).lower().split()\n for ... |
def x(self):
if self._cached_metahash:
return self._cached_metahash
log.debug('[%s]: Metahash input: %s', self.address, unicode(self.address))
mhash = util.hash_str(unicode(self.address))
log.debug('[%s]: Metahash input: %s', self.address, self.rule.params)
mhash = util.hash_str(str(self.rule.params), hasher=mhash)
for src in (self.rule.source_files or []):
log.debug('[%s]: Metahash input: %s', self.address, src)
mhash = util.hash_str(src, hasher=mhash)
mhash = util.hash_file(self.srcs_map[src], hasher=mhash)
for dep in (self.rule.composed_deps() or []):
dep_rule = self.rule.subgraph.node[dep]['target_obj']
for item in dep_rule.output_files:
log.debug('[%s]: Metahash input: %s', self.address, item)
item_path = os.path.join(self.buildroot, item)
mhash = util.hash_str(item, hasher=mhash)
mhash = util.hash_file(item_path, hasher=mhash)
self._cached_metahash = mhash
return mhash
| metahash | [
{
"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._cached_metahash:\n return self._cached_metahash\n log.debug('[%s]: Metahash input: %s', self.address, unicode(self.address))\n ... |
def x(self):
for outfile in (self.rule.output_files or []):
outfile_built = os.path.join(self.buildroot, outfile)
if not os.path.exists(outfile_built):
raise error.TargetBuildFailed(self.address,
'Output file is missing: %s' % outfile)
metahash = self._metahash()
log.debug('[%s]: Metahash: %s', self.address, metahash.hexdigest())
self.cachemgr.putfile(outfile_built, self.buildroot, metahash)
| collect_outs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for outfile in (self.rule.output_files or []):\n outfile_built = os.path.join(self.buildroot, outfile)\n if not os.path.exists(outfil... |
def x(self):
try:
for item in self.rule.output_files:
log.info(item)
self.cachemgr.in_cache(item, self._metahash())
except cache.CacheMiss:
log.info('[%s]: Not cached.', self.address)
return False
else:
log.info('[%s]: found in cache.', self.address)
return True
| is_cached | [
{
"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 for item in self.rule.output_files:\n log.info(item)\n self.cachemgr.in_cache(item, self._metahash())\n exce... |
def x(self):
for item in self.rule.output_files:
dstpath = os.path.join(self.buildroot, item)
self.linkorcopy(self.cachemgr.path_in_cache(item, self._metahash()),
dstpath)
| get_from_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for item in self.rule.output_files:\n dstpath = os.path.join(self.buildroot, item)\n self.linkorcopy(self.cachemgr.path_in_cache(item... |
def x(self, src, dst):
if os.path.isdir(dst):
log.warn('linkorcopy given a directory as destination. Use caution.')
log.debug('src: %s dst: %s', src, dst)
elif os.path.exists(dst):
os.unlink(dst)
elif not os.path.exists(os.path.dirname(dst)):
os.makedirs(os.path.dirname(dst))
if self.linkfiles:
log.debug('Linking: %s -> %s', src, dst)
os.link(src, dst)
else:
log.debug('Copying: %s -> %s', src, dst)
shutil.copy2(src, dst)
| linkorcopy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, src, dst):\n if os.path.isdir(dst):\n log.warn('linkorcopy given a directory as destination. Use caution.')\n log.debug('src: %s dst: %... |
def x(self, addr):
return self.rule.subgraph.node[self.rule.makeaddress(addr)]['target_obj']
| rulefor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr):\n return self.rule.subgraph.node[self.rule.makeaddress(addr)]['target_obj']\n",
"role": "user"
},
{
"content": "rulefor",
"role... |
def x(self):
def x():
allowed_re = '^[a-z](([a-z0-9_-]+)?([a-z0-9])?)?'
assert isinstance(self.params['name'], basestring
), 'Name must be a string, not %s' % repr(self.params['name'])
assert re.match(allowed_re, self.params['name']
), 'Invalid rule name: %s. Must match %s.' % (repr(self.params[
'name']), repr(allowed_re))
validate_name()
def x():
if 'deps' in self.params:
assert type(self.params['deps']) in (type(None), list
), 'Deps must be a list, not %s' % repr(self.params['deps'])
validate_deps()
| validate_args | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n\n def x():\n allowed_re = '^[a-z](([a-z0-9_-]+)?([a-z0-9])?)?'\n assert isinstance(self.params['name'], basestring\n ), 'N... |
def x(self):
if 'deps' in self.params:
param_deps = self.params['deps'] or []
deps = [self.makeaddress(dep) for dep in param_deps]
return deps
else:
return None
| composed_deps | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'deps' in self.params:\n param_deps = self.params['deps'] or []\n deps = [self.makeaddress(dep) for dep in param_deps]\n re... |
def x(self):
if 'srcs' in self.params and self.params['srcs'] is not None:
return util.flatten(self.params['srcs'])
| source_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'srcs' in self.params and self.params['srcs'] is not None:\n return util.flatten(self.params['srcs'])\n",
"role": "user"
},
{
... |
def x(self, label):
addr = address.new(label)
if not addr.repo:
addr.repo = self.address.repo
if not addr.path:
addr.path = self.address.path
return addr
| makeaddress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label):\n addr = address.new(label)\n if not addr.repo:\n addr.repo = self.address.repo\n if not addr.path:\n addr.path = ... |
def x(self):
if 'sign' in self.request.query_params:
try:
filter_and_actions = unsign_filters_and_actions(self.request.
query_params['sign'], '{}.{}'.format(self.queryset.model.
_meta.app_label, self.queryset.model._meta.model_name))
except signing.BadSignature:
return super(SignedViewSetMixin, self).get_queryset()
else:
for filtered_action in filter_and_actions:
try:
qs = self.queryset.filter(**filtered_action['filters'])
except FieldError:
continue
return qs
return super(SignedViewSetMixin, self).get_queryset()
| get_queryset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'sign' in self.request.query_params:\n try:\n filter_and_actions = unsign_filters_and_actions(self.request.\n q... |
def x(value, allow_unicode=False):
value
if allow_unicode:
value = unicodedata.normalize('NFKC', value)
else:
value = unicodedata.normalize('NFKD', value).encode('ascii', 'ignore'
).decode('ascii')
value = re.sub('[^\\w\\s-]', '', value).strip().lower()
return re.sub('[-\\s]+', '-', value)
| slugify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, allow_unicode=False):\n value\n if allow_unicode:\n value = unicodedata.normalize('NFKC', value)\n else:\n value = unicodedata.no... |
def x(value):
if not is_valid_date(value):
return '', '', ''
splited = value.split('-')
try:
year = splited[0]
except IndexError:
year = ''
try:
month = splited[1]
except IndexError:
month = ''
try:
day = splited[2]
except IndexError:
day = ''
return year, month, day
| split_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value):\n if not is_valid_date(value):\n return '', '', ''\n splited = value.split('-')\n try:\n year = splited[0]\n except IndexErro... |
def x(self):
return [(section, dict(self.conf.items(section, raw=True))) for section in
[section for section in self.conf.sections()]]
| items | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [(section, dict(self.conf.items(section, raw=True))) for section in\n [section for section in self.conf.sections()]]\n",
"role": ... |
def x(storepass, keypass, keystore, source, alias, path=None):
cmd = ['jarsigner', '-verbose', '-storepass', storepass, '-keypass',
keypass, '-keystore', keystore, source, alias]
common.run_cmd(cmd, log='jarsign.log', cwd=path)
| jarsign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(storepass, keypass, keystore, source, alias, path=None):\n cmd = ['jarsigner', '-verbose', '-storepass', storepass, '-keypass',\n keypass, '-keystore... |
def x(source, dist, build_tool=None, version='4', path=None):
if build_tool is None:
build_tool = config.build_tool_version
android_home = os.environ.get('AG_MOBILE_SDK', os.environ.get(
'ANDROID_HOME'))
cmd_path = [android_home, '/build-tools', '/%s' % build_tool, '/zipalign']
cmd = [''.join(cmd_path), '-v', version, source, dist]
common.run_cmd(cmd, log='zipalign.log', cwd=path)
| zipalign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, dist, build_tool=None, version='4', path=None):\n if build_tool is None:\n build_tool = config.build_tool_version\n android_home = os.envi... |
def x(prefix='AG_'):
path = os.environ.get('%s_KEYSTORE_PATH' % prefix, config.keystore.path)
storepass = os.environ.get('%s_KEYSTORE_STOREPASS' % prefix, config.
keystore.storepass)
keypass = os.environ.get('%s_KEYSTORE_KEYPASS' % prefix, config.
keystore.keypass)
alias = os.environ.get('%s_KEYSTORE_ALIAS' % prefix, config.keystore.alias)
return path, storepass, keypass, alias
| get_default_keystore | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix='AG_'):\n path = os.environ.get('%s_KEYSTORE_PATH' % prefix, config.keystore.path)\n storepass = os.environ.get('%s_KEYSTORE_STOREPASS' % prefix, ... |
def x(sdk_version=None):
if sdk_version is None:
sdk_version = config.sdk_version
android_home = os.environ.get('AG_MOBILE_SDK', os.environ.get(
'ANDROID_HOME'))
build_tool_folder = '%s/build-tools' % android_home
folder_list = os.listdir(build_tool_folder)
versions = [folder for folder in folder_list if folder.startswith('%s.' %
sdk_version)]
if len(versions) == 0:
return config.build_tool_version
return versions[::-1][0]
| get_highest_build_tool | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sdk_version=None):\n if sdk_version is None:\n sdk_version = config.sdk_version\n android_home = os.environ.get('AG_MOBILE_SDK', os.environ.get(\n... |
def x(self, instance, field_name):
file = getattr(instance, field_name)
if file:
new_name = get_hashed_filename(file.name, file)
if new_name != file.name:
print(' Renaming "%s" to "%s"' % (file.name, new_name))
file.save(os.path.basename(new_name), file, save=False)
return True
return False
| rename_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, field_name):\n file = getattr(instance, field_name)\n if file:\n new_name = get_hashed_filename(file.name, file)\n if new_n... |
def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:
pluginSubPath = pluginSubPath.strip(b'/')
self.__rootServerResource.putChild(pluginSubPath, resource)
| addServerResource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:\n pluginSubPath = pluginSubPath.strip(b'/')\n self.__rootServerResource.putChild(pluginSubPa... |
def x(http_port, peer_name, node_name, app_id):
framework = pelix.framework.create_framework(('pelix.ipopo.core',
'pelix.ipopo.waiting', 'pelix.shell.core', 'pelix.shell.ipopo',
'pelix.shell.console', 'pelix.http.basic', 'herald.core',
'herald.directory', 'herald.shell',
'herald.transports.http.directory',
'herald.transports.http.discovery_multicast',
'herald.transports.http.servlet',
'herald.transports.http.transport', 'pelix.remote.dispatcher',
'pelix.remote.registry', 'herald.remote.discovery',
'herald.remote.herald_xmlrpc'), {herald.FWPROP_NODE_UID: node_name,
herald.FWPROP_NODE_NAME: node_name, herald.FWPROP_PEER_NAME:
peer_name, herald.FWPROP_APPLICATION_ID: app_id})
framework.start()
context = framework.get_bundle_context()
with use_waiting_list(context) as ipopo:
ipopo.add(pelix.http.FACTORY_HTTP_BASIC, 'http-server', {pelix.http
.HTTP_SERVICE_PORT: http_port})
ipopo.add(herald.transports.http.FACTORY_SERVLET, 'herald-http-servlet'
)
ipopo.add(herald.transports.http.FACTORY_DISCOVERY_MULTICAST,
'herald-http-discovery-multicast')
framework.wait_for_stop()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(http_port, peer_name, node_name, app_id):\n framework = pelix.framework.create_framework(('pelix.ipopo.core',\n 'pelix.ipopo.waiting', 'pelix.shell.c... |
def x(self, data: bytes) ->None:
if self.finished():
if self._exc:
raise self._exc
raise WriteAfterFinishedError
if not data:
return
try:
self._delegate.write_data(data, finished=False)
except BaseWriteException as e:
self._finished.set()
if self._exc is None:
self._exc = e
raise
| write | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: bytes) ->None:\n if self.finished():\n if self._exc:\n raise self._exc\n raise WriteAfterFinishedError\n if not data... |
async def flush(self) ->None:
"""
Give the writer a chance to flush the pending data
out of the internal buffer.
"""
async with self._flush_lock:
if self.finished():
if self._exc:
raise self._exc
return
try:
await self._delegate.flush_buf()
except asyncio.CancelledError:
raise
except BaseWriteException as e:
self._finished.set()
if self._exc is None:
self._exc = e
raise
| flush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def flush(self) ->None:\n \"\"\"\n Give the writer a chance to flush the pending data\n out of the internal buffer.\n \"\"\"\n async... |
def x(self, data: bytes=b'') ->None:
if self.finished():
if self._exc:
raise self._exc
if data:
raise WriteAfterFinishedError
return
try:
self._delegate.write_data(data, finished=True)
except BaseWriteException as e:
if self._exc is None:
self._exc = e
raise
finally:
self._finished.set()
| finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data: bytes=b'') ->None:\n if self.finished():\n if self._exc:\n raise self._exc\n if data:\n raise WriteAfterFini... |
def x(**kwargs):
def x(notification_cls):
if not issubclass(notification_cls, (Notification,)):
raise RegisterNotificationError(
f"Wrapped class must be a 'Notification' class. Got '{notification_cls.__name__}'"
)
site_notifications.register(notification_cls=notification_cls)
return notification_cls
return _wrapper
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(**kwargs):\n\n def x(notification_cls):\n if not issubclass(notification_cls, (Notification,)):\n raise RegisterNotificationError(\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.