source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, timeout=0.5):
response = ''
self.socket.setblocking(False)
start = time.time()
while True:
if response and time.time() - start > timeout:
break
elif time.time() - start > timeout * 2:
break
try:
data = self.socket.recv(4096)
if data:
response += data.replace(self._rconreplystring, '')
start = time.time()
else:
time.sleep(0.1)
except socket.error:
pass
return response.strip()
| recvall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=0.5):\n response = ''\n self.socket.setblocking(False)\n start = time.time()\n while True:\n if response and time.time() - sta... |
def x(klass):
if klass.__module__ == '__main__':
module_path = sys.modules['__main__'].__file__[:-3]
module_name = ''
for a_python_path in sys.path:
tentative_pathname = module_path.replace(a_python_path, '')
if tentative_pathname != module_path:
module_name = tentative_pathname.replace('/', '.').strip('.')
break
if module_name == '':
return py_obj_to_str(klass)
else:
module_name = klass.__module__
return '%s.%s' % (module_name, klass.__name__)
| klass_to_pypath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass):\n if klass.__module__ == '__main__':\n module_path = sys.modules['__main__'].__file__[:-3]\n module_name = ''\n for a_python_pa... |
def x(targetstr, current_repo=None):
if not (':' in targetstr or '/' in targetstr):
targetstr = ':%s' % targetstr
match = re.match(
'^(?://(?P<repo>[\\w-]+)(?:\\[(?P<git_ref>.*)\\])?)?(?:$|/?(?P<path>[\\w/-]+)?(?::?(?P<target>[\\w-]+)?))'
, targetstr)
try:
groups = match.groupdict()
if not groups['repo']:
groups['repo'] = current_repo
if not groups['git_ref']:
groups['git_ref'] = 'develop'
if not groups['target']:
groups['target'] = 'all'
if not groups['path']:
groups['path'] = ''
except AttributeError:
raise error.ButcherError('"%s" is not a valid build target.')
return groups
| parse_target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(targetstr, current_repo=None):\n if not (':' in targetstr or '/' in targetstr):\n targetstr = ':%s' % targetstr\n match = re.match(\n '^(?:... |
def x(username, password):
session = requests.Session()
session.headers.update(headers())
response = session.get(url())
login_path = path(response.text)
login_url = urljoin(response.url, login_path)
login_post_data = post_data(response.text, username, password)
response = session.post(login_url, data=login_post_data)
if response.headers['connection'] == 'close':
raise Exception('Authencation failed')
return session
| authenticated_session | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, password):\n session = requests.Session()\n session.headers.update(headers())\n response = session.get(url())\n login_path = path(respons... |
def x(page, username, password):
soup = BeautifulSoup(page)
try:
inputs = soup.find(id='hiddens').findAll('input')
post_data = {input['name']: input['value'] for input in inputs}
post_data['username'] = username
post_data['passwd'] = password
return post_data
except:
return None
| post_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, username, password):\n soup = BeautifulSoup(page)\n try:\n inputs = soup.find(id='hiddens').findAll('input')\n post_data = {input['na... |
def x(cls: Type[CertificationType], signed_raw: str) ->CertificationType:
n = 0
lines = signed_raw.splitlines(True)
version = int(Identity.parse_field('Version', lines[n]))
n += 1
Certification.parse_field('Type', lines[n])
n += 1
currency = Certification.parse_field('Currency', lines[n])
n += 1
pubkey_from = Certification.parse_field('Issuer', lines[n])
n += 1
identity_pubkey = Certification.parse_field('IdtyIssuer', lines[n])
n += 1
identity_uid = Certification.parse_field('IdtyUniqueID', lines[n])
n += 1
identity_timestamp = BlockUID.from_str(Certification.parse_field(
'IdtyTimestamp', lines[n]))
n += 1
identity_signature = Certification.parse_field('IdtySignature', lines[n])
n += 1
timestamp = BlockUID.from_str(Certification.parse_field('CertTimestamp',
lines[n]))
n += 1
signature = Certification.parse_field('Signature', lines[n])
identity = Identity(version, currency, identity_pubkey, identity_uid,
identity_timestamp, identity_signature)
return cls(version, currency, pubkey_from, identity, timestamp, signature)
| from_signed_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[CertificationType], signed_raw: str) ->CertificationType:\n n = 0\n lines = signed_raw.splitlines(True)\n version = int(Identity.parse_field... |
def x(cls: Type[CertificationType], version: int, currency: str, blockhash:
Optional[str], inline: str) ->CertificationType:
cert_data = Certification.re_inline.match(inline)
if cert_data is None:
raise MalformedDocumentError('Certification ({0})'.format(inline))
pubkey_from = cert_data.group(1)
pubkey_to = cert_data.group(2)
blockid = int(cert_data.group(3))
if blockid == 0 or blockhash is None:
timestamp = BlockUID.empty()
else:
timestamp = BlockUID(blockid, blockhash)
signature = cert_data.group(4)
return cls(version, currency, pubkey_from, pubkey_to, timestamp, signature)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[CertificationType], version: int, currency: str, blockhash:\n Optional[str], inline: str) ->CertificationType:\n cert_data = Certification.re_i... |
def x(self) ->str:
if not isinstance(self.identity, Identity):
raise MalformedDocumentError(
'Can not return full certification document created from inline')
return (
"""Version: {version}
Type: Certification
Currency: {currency}
Issuer: {issuer}
IdtyIssuer: {certified_pubkey}
IdtyUniqueID: {certified_uid}
IdtyTimestamp: {certified_ts}
IdtySignature: {certified_signature}
CertTimestamp: {timestamp}
"""
.format(version=self.version, currency=self.currency, issuer=self.
pubkey_from, certified_pubkey=self.identity.pubkey, certified_uid=
self.identity.uid, certified_ts=self.identity.timestamp,
certified_signature=self.identity.signatures[0], timestamp=self.
timestamp))
| raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n if not isinstance(self.identity, Identity):\n raise MalformedDocumentError(\n 'Can not return full certification document c... |
def x(self) ->str:
return '{0}:{1}:{2}:{3}'.format(self.pubkey_from, self.pubkey_to, self.
timestamp.number, self.signatures[0])
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return '{0}:{1}:{2}:{3}'.format(self.pubkey_from, self.pubkey_to, self.\n timestamp.number, self.signatures[0])\n",
"role": "user"... |
def x(execute=None):
if connexion.request.is_json:
execute = Execute.from_dict(connexion.request.get_json())
return 'do some magic!'
| command | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(execute=None):\n if connexion.request.is_json:\n execute = Execute.from_dict(connexion.request.get_json())\n return 'do some magic!'\n",
"role... |
def x(catalog=None):
if connexion.request.is_json:
catalog = UserAuth.from_dict(connexion.request.get_json())
return 'do some magic!'
| endpoint_catalog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(catalog=None):\n if connexion.request.is_json:\n catalog = UserAuth.from_dict(connexion.request.get_json())\n return 'do some magic!'\n",
"rol... |
def x(self):
cache = self._cache
client = self._client
if self.should_refresh:
tips = client.croak()
for number, tip in tips.items():
cache[str(number)] = tip
choice = random.choice(list(cache.keys()))
try:
tip = cache[choice].decode()
except AttributeError:
tip = cache[choice]
del cache[choice]
return tip
| frog_tip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cache = self._cache\n client = self._client\n if self.should_refresh:\n tips = client.croak()\n for number, tip in tips.items()... |
def x(queryset, chunksize=1000):
pk = 0
last_pk = queryset.order_by('-pk').values_list('pk', flat=True).first()
if last_pk is not None:
queryset = queryset.order_by('pk')
while pk < last_pk:
for row in queryset.filter(pk__gt=pk)[:chunksize]:
pk = row.pk
yield row
gc.collect()
| queryset_iterator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(queryset, chunksize=1000):\n pk = 0\n last_pk = queryset.order_by('-pk').values_list('pk', flat=True).first()\n if last_pk is not None:\n query... |
def x(self, destination_path):
wd = self.conn.pwd()
try:
names = self.conn.nlst(destination_path)
except ftplib.all_errors as e:
logger.debug('FtpRmTree: Could not remove {0}: {1}'.format(
destination_path, e))
return
for name in names:
if os.path.split(name)[1] in ('.', '..'):
continue
try:
self.conn.cwd(name)
self.conn.cwd(wd)
self.remove_dir(name)
except ftplib.all_errors:
self.conn.delete(name)
try:
self.conn.rmd(destination_path)
except ftplib.all_errors as e:
logger.debug('remove_dir: Could not remove {0}: {1}'.format(
destination_path, e))
| remove_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, destination_path):\n wd = self.conn.pwd()\n try:\n names = self.conn.nlst(destination_path)\n except ftplib.all_errors as e:\n log... |
def x(dirty, stash):
_setup_logging()
LOGGER.info('EPAB %s', __version__)
LOGGER.info('Running in %s', os.getcwd())
CTX.repo = epab.utils.Repo()
CTX.repo.ensure()
CTX.stash = stash
for filename in _GIT_IGNORE:
epab.utils.add_to_gitignore(filename)
if not dirty and CTX.repo.is_dirty():
LOGGER.error('Repository is dirty')
sys.exit(-1)
| cli | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirty, stash):\n _setup_logging()\n LOGGER.info('EPAB %s', __version__)\n LOGGER.info('Running in %s', os.getcwd())\n CTX.repo = epab.utils.Repo()\... |
def x(response, command, id_xpath='./id', **kwargs):
_response_switch = {'insert': ModifyResponse, 'replace': ModifyResponse,
'partial-replace': ModifyResponse, 'update': ModifyResponse,
'delete': ModifyResponse, 'search-delete': SearchDeleteResponse,
'reindex': Response, 'backup': Response, 'restore': Response,
'clear': Response, 'status': StatusResponse, 'search':
SearchResponse, 'retrieve': ListResponse, 'similar': ListResponse,
'lookup': LookupResponse, 'alternatives': AlternativesResponse,
'list-words': WordsResponse, 'list-first': ListResponse,
'list-last': ListResponse, 'retrieve-last': ListResponse,
'retrieve-first': ListResponse, 'show-history': None, 'list-paths':
ListPathsResponse, 'list-facets': ListFacetsResponse}
try:
request_class = _response_switch[command]
except KeyError:
request_class = Response
return request_class(response, id_xpath, **kwargs)
| handle_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, command, id_xpath='./id', **kwargs):\n _response_switch = {'insert': ModifyResponse, 'replace': ModifyResponse,\n 'partial-replace': Modify... |
def x(self):
error = self._response.find('{www.clusterpoint.com}error')
if error is not None:
if error.find('level').text.lower() in ('rejected', 'failed',
'error', 'fatal'):
raise APIError(error)
else:
warnings.warn(APIWarning(error))
| parse_for_errors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n error = self._response.find('{www.clusterpoint.com}error')\n if error is not None:\n if error.find('level').text.lower() in ('rejected', ... |
def x(self):
return ''.join([ET.tostring(element, encoding='utf-8', method='xml') for
element in list(self._content)])
| get_content_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return ''.join([ET.tostring(element, encoding='utf-8', method='xml') for\n element in list(self._content)])\n",
"role": "user"
},
{
... |
def x(self, name):
fields = self._content.findall(name)
if not fields:
return None
elif len(fields) == 1:
return etree_to_dict(fields[0])[name]
else:
return [etree_to_dict(field)[name] for field in fields]
| get_content_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n fields = self._content.findall(name)\n if not fields:\n return None\n elif len(fields) == 1:\n return etree_to_dict(field... |
def x(self, doc_format='dict'):
def x(root, rel_path):
if not rel_path:
return root.text
else:
child = root.find(rel_path[0])
if child is None:
return None
return get_doc_id(child, rel_path[1:])
if doc_format == 'dict':
return dict([(get_doc_id(document, self._id_xpath), etree_to_dict(
document)['document']) for document in self._get_doc_list()])
elif doc_format == 'etree':
return dict([(get_doc_id(document, self._id_xpath), document) for
document in self._get_doc_list()])
elif doc_format == 'list-etree':
return self._get_doc_list()
elif doc_format == 'list-string':
return list([ET.tostring(document) for document in self.
_get_doc_list()])
elif doc_format in ('', None, 'string'):
return dict([(get_doc_id(document, self._id_xpath), ET.tostring(
document)) for document in self._get_doc_list()])
else:
raise ParameterError('doc_format=' + doc_format)
| get_documents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc_format='dict'):\n\n def x(root, rel_path):\n if not rel_path:\n return root.text\n else:\n child = root.find(r... |
def x(self):
return dict([(aggregate.find('query').text, [ET.tostring(data).lstrip(
'<data xmlns:cps="www.clusterpoint.com" xmlns:cpse="www.clusterpoint.com">'
).strip().rstrip('</data>') for data in aggregate.findall('data')]) for
aggregate in self._content.findall('aggregate')])
| get_aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict([(aggregate.find('query').text, [ET.tostring(data).lstrip(\n '<data xmlns:cps=\"www.clusterpoint.com\" xmlns:cpse=\"www.clusterp... |
def x(self):
return dict([(word_list.attrib['to'], dict([(word.text, word.attrib[
'count']) for word in word_list.findall('word')])) for word_list in
self._content.findall('list')])
| get_words | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict([(word_list.attrib['to'], dict([(word.text, word.attrib[\n 'count']) for word in word_list.findall('word')])) for word_list in\n... |
def x(self):
return dict([(alternatives.find('to').text, {'count': int(alternatives.
find('count').text), 'words': dict([(word.text, word.attrib) for
word in alternatives.findall('word')])}) for alternatives in self.
_content.find('alternatives_list').findall('alternatives')])
| get_alternatives | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict([(alternatives.find('to').text, {'count': int(alternatives.\n find('count').text), 'words': dict([(word.text, word.attrib) for\n... |
def x(self):
return dict([(facet.attrib['path'], [term.text for term in facet.
findall('term')]) for facet in self._content.findall('facet')])
| get_facets | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict([(facet.attrib['path'], [term.text for term in facet.\n findall('term')]) for facet in self._content.findall('facet')])\n",
... |
def x(self):
response = self.conn.getresponse()
if response.status == 200 or response.status == 201:
data = response.read()
else:
data = {'error': {'code': response.status, 'reason': response.
reason, 'data': response.read()}}
return data
| process_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.conn.getresponse()\n if response.status == 200 or response.status == 201:\n data = response.read()\n else:\n da... |
def x(self, url, data):
headers = {'Content-type': 'application/x-www-form-urlencoded',
'Accept': 'text/json'}
self.conn.request('POST', url, data, headers)
return self._process_response()
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, data):\n headers = {'Content-type': 'application/x-www-form-urlencoded',\n 'Accept': 'text/json'}\n self.conn.request('POST', url, data... |
def x(self, url, data=None):
self.conn.request('PUT', url, data)
return self._process_response()
| put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, data=None):\n self.conn.request('PUT', url, data)\n return self._process_response()\n",
"role": "user"
},
{
"content": "put",
... |
def x(self, issn, collection, years=0, type=None):
body = {'query': {'bool': {'must': [{'match': {'issn': issn}}, {'match':
{'collection': collection}}]}}, 'aggs': {'issue': {'cardinality': {
'field': 'issue'}}}}
if type:
body['query']['bool']['must'].append({'match': {'issue_type': type}})
if years != 0:
body['aggs'] = {'publication_year': {'terms': {'field':
'publication_year', 'size': years, 'order': {'_term': 'desc'}},
'aggs': {'issue': {'cardinality': {'field': 'issue'}}}}}
query_parameters = [('size', '0')]
query_result = self.search('article', json.dumps(body), query_parameters)
return self._compute_number_of_issues_by_year(query_result, years=years)
| number_of_issues_by_year | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, issn, collection, years=0, type=None):\n body = {'query': {'bool': {'must': [{'match': {'issn': issn}}, {'match':\n {'collection': collection}}... |
def x(issn):
custom_queries = set([utils.cleanup_string(i) for i in journal_titles.
load(issn).get('must_not', [])])
for item in custom_queries:
query = {'match': {'reference_source_cleaned': item}}
yield query
| must_not_custom_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(issn):\n custom_queries = set([utils.cleanup_string(i) for i in journal_titles.\n load(issn).get('must_not', [])])\n for item in custom_queries:\n... |
def x(issn, titles):
custom_queries = journal_titles.load(issn).get('should', [])
titles = [{'title': i} for i in titles if i not in [x['title'] for x in
custom_queries]]
titles.extend(custom_queries)
for item in titles:
if len(item['title'].strip()) == 0:
continue
query = {'fuzzy': {'reference_source_cleaned': {'value': utils.
cleanup_string(item['title']), 'fuzziness': item.get(
'fuzziness', 3), 'max_expansions': 50}}}
yield query
| fuzzy_custom_query | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(issn, titles):\n custom_queries = journal_titles.load(issn).get('should', [])\n titles = [{'title': i} for i in titles if i not in [x['title'] for x in\n... |
def x(self):
dt = [self.nginx_web_dir, self.nginx_ssl_dir]
return nginx_conf_string.simple_ssl_web_conf.format(dt=dt)
| nginx_web_ssl_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n dt = [self.nginx_web_dir, self.nginx_ssl_dir]\n return nginx_conf_string.simple_ssl_web_conf.format(dt=dt)\n",
"role": "user"
},
{
"... |
def x(self, exp):
order = ['T', 'R', 'W', 'A', 'G', 'M', 'Y', 'F', 'P', 'D', 'X', 'B',
'N', 'J', 'Z', 'S', 'Q', 'V', 'H', 'L', 'C', 'K', 'E', 'T']
l = exp[len(exp) - 1]
try:
number = int(exp[0:7])
except:
try:
number = int(exp[0:6])
except:
pass
if l == order[number % 23]:
return True
else:
return False
| isValidExp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exp):\n order = ['T', 'R', 'W', 'A', 'G', 'M', 'Y', 'F', 'P', 'D', 'X', 'B',\n 'N', 'J', 'Z', 'S', 'Q', 'V', 'H', 'L', 'C', 'K', 'E', 'T']\n ... |
def x(self):
for spec in self.product_specs:
for feature in spec.get('mandatory', []):
if feature.replace('__', '.') not in self.feature_list:
self.errors_mandatory.append(feature)
for feature in spec.get('never', []):
if feature.replace('__', '.') in self.feature_list:
self.errors_never.append(feature)
return not self.has_errors()
| is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for spec in self.product_specs:\n for feature in spec.get('mandatory', []):\n if feature.replace('__', '.') not in self.feature_l... |
def x(self, spec_path, product_name):
matches = []
with codecs.open(spec_path, 'r') as f:
for entry in json.loads(f.read()):
if product_name in entry.get('products'):
matches.append(entry)
return matches
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spec_path, product_name):\n matches = []\n with codecs.open(spec_path, 'r') as f:\n for entry in json.loads(f.read()):\n if produ... |
def x(dset, prefix, x, y, z, radius=2):
seed_series = nl.sphere_average(dset, x, y, z, radius)
with tempfile.NamedTemporaryFile(delete=False) as temp:
temp.write('\n'.join([str(x) for x in seed_series]))
decon = nl.Decon()
decon.input_dsets = dset
decon.stim_files = {'seed': temp.name}
decon.prefix = prefix
decon.run()
try:
os.remove(temp.name)
except:
pass
| connectivity_map | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, prefix, x, y, z, radius=2):\n seed_series = nl.sphere_average(dset, x, y, z, radius)\n with tempfile.NamedTemporaryFile(delete=False) as temp:\n ... |
def x(dbpath, set_object, names):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
return_list = []
if names == 'all':
for i in session.query(set_object).order_by(set_object.id):
row_list = []
for feature in i.features:
row_list.append(i.features[feature])
return_list.append(row_list[:])
else:
for i in session.query(set_object).order_by(set_object.id):
row_list = []
for feature in i.features:
if feature in names:
row_list.append(i.features[feature])
return_list.append(row_list[:])
return return_list
| return_features_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, names):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n re... |
def x(dbpath, set_object, points_amt, names):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(1)
if names == 'all':
columns_amt = 0
for feature in tmp_object.features:
if type(tmp_object.features[feature]) is np.ndarray:
columns_amt += tmp_object.features[feature].shape[0]
else:
columns_amt += 1
return_array = np.zeros([points_amt, columns_amt])
for i in enumerate(session.query(set_object).order_by(set_object.id)):
counter = 0
for feature in i[1].features:
feature_val = i[1].features[feature]
if type(feature_val) is np.ndarray:
columns_amt = feature_val.shape[0]
return_array[i[0], counter:counter + columns_amt
] = feature_val[:]
counter += feature_val.shape[0]
else:
return_array[i[0], counter] = feature_val
counter += 1
else:
columns_amt = 0
for feature in tmp_object.features:
if feature in names:
if type(tmp_object.features[feature]) is np.ndarray:
columns_amt += tmp_object.features[feature].shape[0]
else:
columns_amt += 1
return_array = np.zeros([points_amt, columns_amt])
for i in enumerate(session.query(set_object).order_by(set_object.id)):
counter = 0
for feature in i[1].features:
if feature in names:
feature_val = i[1].features[feature]
if type(feature_val) is np.ndarray:
columns_amt = feature_val.shape[0]
return_array[i[0], counter:counter + columns_amt
] = feature_val[:]
counter += feature_val.shape[0]
else:
return_array[i[0], counter] = feature_val
counter += 1
session.close()
return return_array
| return_features_numpy_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, points_amt, names):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_... |
def x(dbpath, set_object):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
return_list = []
for i in session.query(set_object).order_by(set_object.id):
return_list.append(i.real_id)
session.close()
return return_list
| return_real_id_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n return_li... |
def x(dbpath, set_object):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
return_list = []
tmp_object = session.query(set_object).get(1)
for feature in tmp_object.features:
return_list.append(feature)
session.close()
return return_list
| return_feature_list_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n return_li... |
def x(dbpath, set_object):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
return_list = []
tmp_object = session.query(set_object).get(1)
for feature in tmp_object.features:
if type(tmp_object.features[feature]) is np.ndarray:
flength = tmp_object.features[feature].shape[0]
else:
flength = 1
return_list.append((feature, flength))
session.close()
return return_list
| return_feature_list_numpy_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n return_li... |
def x(dbpath_origin, dbpath_destination, set_object, force_copy=False):
engine_origin = create_engine('sqlite:////' + dbpath_origin)
engine_destination = create_engine('sqlite:////' + dbpath_destination)
session_cl_origin = sessionmaker(bind=engine_origin)
session_cl_destination = sessionmaker(bind=engine_destination)
session_origin = session_cl_origin()
session_destination = session_cl_destination()
if force_copy is True:
for i in session_origin.query(set_object).order_by(set_object.id):
dest_obj = session_destination.query(set_object).get(i.id)
for feature in i.features:
if dest_obj.features is not None:
dest_obj.features[feature] = i.features[feature]
else:
dest_obj.features = {feature: i.features[feature]}
else:
for i in session_origin.query(set_object).order_by(set_object.id):
dest_obj = session_destination.query(set_object).get(i.id)
for feature in i.features:
if dest_obj.features is not None:
if feature not in dest_obj.features or force_copy is True:
dest_obj.features[feature] = i.features[feature]
else:
dest_obj.features = {feature: i.features[feature]}
session_origin.close()
session_destination.commit()
session_destination.close()
return None
| copy_features_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath_origin, dbpath_destination, set_object, force_copy=False):\n engine_origin = create_engine('sqlite:////' + dbpath_origin)\n engine_destination = c... |
def x(dbpath, set_object, object_id):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(object_id)
session.close()
return tmp_object.real_id
| return_single_real_id_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, object_id):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n ... |
def x(dbpath, set_object, object_id):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(object_id)
session.close()
return tmp_object.path
| return_single_path_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, object_id):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n ... |
def x(dbpath, set_object, object_id):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(object_id)
session.close()
return tmp_object.features
| return_single_features_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, object_id):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n ... |
def x(dbpath, folder_path, set_object, object_id, converter, add_args=None):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(object_id)
session.close()
if add_args is None:
return converter(join(folder_path, tmp_object.path))
else:
return converter(join(folder_path, tmp_object.path), add_args)
| return_single_convert_numpy_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, folder_path, set_object, object_id, converter, add_args=None):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=... |
def x(dbpath, folder_path, set_object, start_id, end_id, converter,
add_args=None):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(start_id)
if add_args is None:
converted = converter(join(folder_path, tmp_object.path))
else:
converted = converter(join(folder_path, tmp_object.path), add_args)
if len(converted.shape) == 0:
columns_amt = 1
else:
columns_amt = converted.shape[0]
return_array = np.zeros([end_id - start_id + 1, columns_amt])
for i in xrange(end_id - start_id + 1):
tmp_object = session.query(set_object).get(start_id + i)
if add_args is None:
return_array[i, :] = converter(join(folder_path, tmp_object.path))
else:
return_array[i, :] = converter(join(folder_path, tmp_object.
path), add_args)
session.close()
return return_array
| return_multiple_convert_numpy_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, folder_path, set_object, start_id, end_id, converter,\n add_args=None):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessio... |
def x(dbpath, set_object, points_amt, feature_name, feature,
force_extraction=True):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
a = 0
tmp_object = session.query(set_object).get(1)
if type(feature) is np.ndarray:
if feature.shape[0] != points_amt:
raise errors.WrongSize(feature_name)
elif tmp_object.features is None:
for i in session.query(set_object).order_by(set_object.id):
i.features = {feature_name: feature_name[a, :]}
a += 1
elif feature_name not in tmp_object.features or force_extraction is True:
for i in session.query(set_object).order_by(set_object.id):
i.features[feature_name] = feature_name[a, :]
a += 1
elif len(feature) != points_amt:
raise errors.WrongSize(feature_name)
elif tmp_object.features is None:
for i in session.query(set_object).order_by(set_object.id):
i.features = {feature_name: feature_name[a]}
a += 1
elif feature_name not in tmp_object.features or force_extraction is True:
for i in session.query(set_object).order_by(set_object.id):
i.features[feature_name] = feature_name[a]
a += 1
session.commit()
session.close()
return None
| dump_feature_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, points_amt, feature_name, feature,\n force_extraction=True):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessi... |
def x(dbpath, set_object, name):
engine = create_engine('sqlite:////' + dbpath)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(set_object).get(1)
if tmp_object.features is not None and name in tmp_object.features:
for i in session.query(set_object).order_by(set_object.id):
del i.features[name]
session.commit()
session.close()
return None
| delete_feature_base | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dbpath, set_object, name):\n engine = create_engine('sqlite:////' + dbpath)\n session_cl = sessionmaker(bind=engine)\n session = session_cl()\n tmp... |
def x(self):
if self._prepopulated is False:
engine = create_engine('sqlite:////' + self.dbpath)
self._db_base.metadata.create_all(engine)
self._prepopulated = True
session_cl = sessionmaker(bind=engine)
session = session_cl()
for dirpath, dirnames, filenames in walk(self.path_to_set):
for f_name in filenames:
datapoint = self._set_object(real_id=cutoff_filename(self.
file_prefix, self.file_suffix, f_name), path=f_name,
features=None)
session.add(datapoint)
self.points_amt += 1
session.commit()
session.close()
return None
| prepopulate | [
{
"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._prepopulated is False:\n engine = create_engine('sqlite:////' + self.dbpath)\n self._db_base.metadata.create_all(engine)\n ... |
def x(self, extractor, force_extraction=False, verbose=0, add_args=None,
custom_name=None):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
return extract_feature_base(self.dbpath, self.path_to_set, self.
_set_object, extractor, force_extraction, verbose, add_args,
custom_name)
| extract_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extractor, force_extraction=False, verbose=0, add_args=None,\n custom_name=None):\n if self._prepopulated is False:\n raise errors.EmptyData... |
def x(self, extractor, force_extraction=False, verbose=0, add_args=None,
custom_name=None):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
return extract_feature_dependent_feature_base(self.dbpath, self.
path_to_set, self._set_object, extractor, force_extraction,
verbose, add_args, custom_name)
| extract_feature_dependent_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, extractor, force_extraction=False, verbose=0, add_args=None,\n custom_name=None):\n if self._prepopulated is False:\n raise errors.EmptyData... |
def x(self, names='all'):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
return return_features_base(self.dbpath, self._set_object, names)
| return_features | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, names='all'):\n if self._prepopulated is False:\n raise errors.EmptyDatabase(self.dbpath)\n else:\n return return_features_base(self.... |
def x(self, names='all'):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
return return_features_numpy_base(self.dbpath, self._set_object,
self.points_amt, names)
| return_features_numpy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, names='all'):\n if self._prepopulated is False:\n raise errors.EmptyDatabase(self.dbpath)\n else:\n return return_features_numpy_base... |
def x(self):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
return return_real_id_base(self.dbpath, self._set_object)
| return_real_id | [
{
"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._prepopulated is False:\n raise errors.EmptyDatabase(self.dbpath)\n else:\n return return_real_id_base(self.dbpath, self._... |
def x(self, dbpath_origin, force_copy=False):
copy_features_base(dbpath_origin, self.dbpath, self._set_object, force_copy
)
return None
| copy_features | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dbpath_origin, force_copy=False):\n copy_features_base(dbpath_origin, self.dbpath, self._set_object, force_copy\n )\n return None\n",
"r... |
def x(self, object_id, converter, add_args=None):
return return_single_convert_numpy_base(self.dbpath, self.path_to_set,
self._set_object, object_id, converter, add_args)
| return_single_convert_numpy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_id, converter, add_args=None):\n return return_single_convert_numpy_base(self.dbpath, self.path_to_set,\n self._set_object, object_id, c... |
def x(self, start_id, end_id, converter, add_args=None):
if end_id == -1:
end_id = self.points_amt
return return_multiple_convert_numpy_base(self.dbpath, self.path_to_set,
self._set_object, start_id, end_id, converter, add_args)
| return_multiple_convert_numpy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_id, end_id, converter, add_args=None):\n if end_id == -1:\n end_id = self.points_amt\n return return_multiple_convert_numpy_base(self.... |
def x(self, feature_name, feature, force_extraction=True):
dump_feature_base(self.dbpath, self._set_object, self.points_amt,
feature_name, feature, force_extraction)
return None
| dump_feature | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, feature_name, feature, force_extraction=True):\n dump_feature_base(self.dbpath, self._set_object, self.points_amt,\n feature_name, feature, for... |
def x(self, original=False):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
engine = create_engine('sqlite:////' + self.dbpath)
trainset.Base.metadata.create_all(engine)
session_cl = sessionmaker(bind=engine)
session = session_cl()
return_list = []
for i in session.query(trainset.TrainSet).order_by(trainset.TrainSet.id
):
if original is True:
row_list = i.labels['original']
else:
row_list = i.labels['transformed']
return_list.append(row_list[:])
session.close()
return return_list
| return_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, original=False):\n if self._prepopulated is False:\n raise errors.EmptyDatabase(self.dbpath)\n else:\n engine = create_engine('sqlite... |
def x(self, original=False):
if self._prepopulated is False:
raise errors.EmptyDatabase(self.dbpath)
else:
engine = create_engine('sqlite:////' + self.dbpath)
trainset.Base.metadata.create_all(engine)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(trainset.TrainSet).get(1)
columns_amt = len(tmp_object.labels['original'])
return_array = np.zeros([self.points_amt, columns_amt])
for i in enumerate(session.query(trainset.TrainSet).order_by(
trainset.TrainSet.id)):
if original is False:
return_array[i[0], :] = i[1].labels['transformed']
else:
return_array[i[0], :] = i[1].labels['original']
session.close()
return return_array
| return_labels_numpy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, original=False):\n if self._prepopulated is False:\n raise errors.EmptyDatabase(self.dbpath)\n else:\n engine = create_engine('sqlite... |
def x(self, object_id):
engine = create_engine('sqlite:////' + self.dbpath)
trainset.Base.metadata.create_all(engine)
session_cl = sessionmaker(bind=engine)
session = session_cl()
tmp_object = session.query(trainset.TrainSet).get(object_id)
return tmp_object.labels
| return_single_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_id):\n engine = create_engine('sqlite:////' + self.dbpath)\n trainset.Base.metadata.create_all(engine)\n session_cl = sessionmaker(bind=e... |
def x(self, filename, metahash):
cpath = self._genpath(filename, metahash)
if os.path.exists(cpath):
return cpath
else:
raise CacheMiss
| path_in_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, metahash):\n cpath = self._genpath(filename, metahash)\n if os.path.exists(cpath):\n return cpath\n else:\n raise CacheM... |
def x(self, filename, mhash):
mhash = mhash.hexdigest()
return os.path.join(self.mh_cachedir, mhash[0:2], mhash[2:4], mhash,
filename)
| genpath | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filename, mhash):\n mhash = mhash.hexdigest()\n return os.path.join(self.mh_cachedir, mhash[0:2], mhash[2:4], mhash,\n filename)\n",
"ro... |
def x(self, filepath, buildroot, metahash):
def x(filename):
filehash = util.hash_file(filepath).hexdigest()
return filehash, os.path.join(self.obj_cachedir, filehash[0:2],
filehash[2:4], filehash)
filepath_relative = filepath.split(buildroot)[1][1:]
incachepath = self._genpath(filepath_relative, metahash)
filehash, obj_path = gen_obj_path(filepath)
if not os.path.exists(obj_path):
obj_dir = os.path.dirname(obj_path)
if not os.path.exists(obj_dir):
os.makedirs(obj_dir)
log.debug('Adding to obj cache: %s -> %s', filepath, obj_path)
os.link(filepath, obj_path)
if os.path.exists(incachepath):
existingfile_hash = util.hash_file(incachepath).hexdigest()
if filehash != existingfile_hash:
log.warn(
'File found in mh cache, but checksum differs. Replacing with this new version. (File: %s)'
, filepath)
log.warn('Possible reasons for this:')
log.warn(
' 1. This build is not hermetic, and something differs about the build environment compared to the previous build.'
)
log.warn(
' 2. This file has a timestamp or other build-time related data encoded into it, which will always cause the checksum to differ when built.'
)
log.warn(' 3. Everything is terrible and nothing works.')
os.unlink(incachepath)
if not os.path.exists(incachepath):
log.debug('Adding to mh cache: %s -> %s', filepath, incachepath)
if not os.path.exists(os.path.dirname(incachepath)):
os.makedirs(os.path.dirname(incachepath))
os.link(obj_path, incachepath)
| putfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, buildroot, metahash):\n\n def x(filename):\n filehash = util.hash_file(filepath).hexdigest()\n return filehash, os.path.join(s... |
def x(self, objpath, metahash):
try:
self.path_in_cache(objpath, metahash)
return True
except CacheMiss:
return False
| in_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objpath, metahash):\n try:\n self.path_in_cache(objpath, metahash)\n return True\n except CacheMiss:\n return False\n",
"r... |
def x(self, objpath, metahash, dst_path):
incachepath = self.path_in_cache(objpath, metahash)
if not os.path.exists(incachepath):
raise CacheMiss('%s not in cache.' % incachepath)
else:
log.debug('Cache hit! %s~%s', objpath, metahash.hexdigest())
if not os.path.exists(os.path.dirname(dst_path)):
os.makedirs(os.path.dirname(dst_path))
os.link(incachepath, dst_path)
| get_obj | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, objpath, metahash, dst_path):\n incachepath = self.path_in_cache(objpath, metahash)\n if not os.path.exists(incachepath):\n raise CacheMiss(... |
def x(self, peer):
assert isinstance(peer, beans.Peer)
for router in self._routers:
link = router.get_link(peer)
if link:
return link
raise ValueError('No link to peer {0}'.format(peer))
| get_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peer):\n assert isinstance(peer, beans.Peer)\n for router in self._routers:\n link = router.get_link(peer)\n if link:\n re... |
def x(self, peer_id, message):
assert isinstance(message, beans.RawMessage)
peer = self._directory.get_peer(peer_id)
link = self._get_link(peer)
assert isinstance(link, beans.AbstractLink)
return link.send(message)
| send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, peer_id, message):\n assert isinstance(message, beans.RawMessage)\n peer = self._directory.get_peer(peer_id)\n link = self._get_link(peer)\n ... |
def x(template_for_namespace='%(name)s', list_splitter_fn=
_default_list_splitter, class_extractor=_default_class_extractor,
name_of_class_option='qualified_class_name', instantiate_classes=False):
def x(class_list_str):
if isinstance(class_list_str, basestring):
class_str_list = list_splitter_fn(class_list_str)
else:
raise TypeError('must be derivative of a basestring')
class InnerClassList(RequiredConfig):
"""This nested class is a proxy list for the classes. It collects
all the config requirements for the listed classes and places them
each into their own Namespace.
"""
required_config = Namespace()
subordinate_namespace_names = []
namespace_template = template_for_namespace
original_input = class_list_str.replace('\n', '\\n')
class_list = []
for namespace_index, class_list_element in enumerate(class_str_list
):
a_class = class_converter(class_extractor(class_list_element))
namespace_name_dict = {'name': a_class.__name__, 'index':
namespace_index}
namespace_name = template_for_namespace % namespace_name_dict
class_list.append((a_class.__name__, a_class, namespace_name))
subordinate_namespace_names.append(namespace_name)
required_config.namespace(namespace_name)
a_class_namespace = required_config[namespace_name]
a_class_namespace.add_option(name_of_class_option, doc=
'fully qualified classname', default=class_list_element,
from_string_converter=class_converter,
likely_to_be_changed=True)
@classmethod
def x(cls):
return "'%s'" % cls.original_input
return InnerClassList
return class_list_converter
| str_to_classes_in_namespaces_converter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_for_namespace='%(name)s', list_splitter_fn=\n _default_list_splitter, class_extractor=_default_class_extractor,\n name_of_class_option='qualifie... |
def x(list_splitter_fn=ujson.loads):
def x(collector_services_str):
if isinstance(collector_services_str, basestring):
all_collector_services = list_splitter_fn(collector_services_str)
else:
raise TypeError('must be derivative of a basestring')
class InnerClassList(RequiredConfig):
"""This nested class is a proxy list for the classes. It collects
all the config requirements for the listed classes and places them
each into their own Namespace.
"""
required_config = Namespace()
subordinate_namespace_names = []
original_input = collector_services_str.replace('\n', '\\n')
service_list = []
for namespace_index, collector_service_element in enumerate(
all_collector_services):
service_name = collector_service_element['name']
service_uri = collector_service_element['uri']
service_implementation_class = class_converter(
collector_service_element['service_implementation_class'])
service_list.append((service_name, service_uri,
service_implementation_class))
subordinate_namespace_names.append(service_name)
required_config.namespace(service_name)
a_class_namespace = required_config[service_name]
a_class_namespace.add_option('service_implementation_class',
doc=
'fully qualified classname for a class that implementsthe action associtated with the URI'
, default=service_implementation_class,
from_string_converter=class_converter,
likely_to_be_changed=True)
a_class_namespace.add_option('uri', doc=
'uri for this service', default=service_uri,
likely_to_be_changed=True)
@classmethod
def x(cls):
return "'%s'" % cls.original_input
return InnerClassList
return class_list_converter
| web_services_from_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(list_splitter_fn=ujson.loads):\n\n def x(collector_services_str):\n if isinstance(collector_services_str, basestring):\n all_collector_ser... |
def x(kls, key, new_default, new_converter=None, new_reference_value=None):
an_option = kls.get_required_config()[key].copy()
an_option.default = new_default
if new_converter:
an_option.from_string_converter = new_converter
if new_reference_value:
an_option.reference_value_from = new_reference_value
return an_option
| change_default | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(kls, key, new_default, new_converter=None, new_reference_value=None):\n an_option = kls.get_required_config()[key].copy()\n an_option.default = new_defau... |
def x(self):
with open('%s/project.properties' % self.path) as f:
for line in f.readlines():
matches = re.findall('^target=(.*)', line)
if len(matches) == 0:
continue
return matches[0].replace('\n', '')
return 'android-%s' % config.sdk_version
| get_target | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with open('%s/project.properties' % self.path) as f:\n for line in f.readlines():\n matches = re.findall('^target=(.*)', line)\n ... |
def x(self, storepass=None, keypass=None, keystore=None, apk=None, alias=
None, name='app'):
target = self.get_target()
build_tool = android_helper.get_highest_build_tool(target.split('-')[1])
if keystore is None:
keystore, storepass, keypass, alias = (android_helper.
get_default_keystore())
dist = '%s/%s.apk' % ('/'.join(apk.split('/')[:-1]), name)
android_helper.jarsign(storepass, keypass, keystore, apk, alias, path=
self.path)
android_helper.zipalign(apk, dist, build_tool=build_tool, path=self.path)
| sign | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, storepass=None, keypass=None, keystore=None, apk=None, alias=\n None, name='app'):\n target = self.get_target()\n build_tool = android_helper.ge... |
def x(self):
cmd = ['android', 'update', 'project', '-p', self.path, '-t', self.
get_target()]
self.run_cmd(cmd, 'prepare')
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n cmd = ['android', 'update', 'project', '-p', self.path, '-t', self.\n get_target()]\n self.run_cmd(cmd, 'prepare')\n",
"role": "user"... |
def x(length):
def x(func):
def x(*args, **kwargs):
from django.core.cache import cache
value = cache.get(func)
if func in cache:
return value
else:
class MethodNotFinishedError(Exception):
pass
cache.set(func, MethodNotFinishedError(
'The function %s has not finished processing yet. This value will be replaced when it finishes.'
% func.__name__), length)
result = func(*args, **kwargs)
cache.set(func, result, length)
return result
return inner_func
return decorator
| cache_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(length):\n\n def x(func):\n\n def x(*args, **kwargs):\n from django.core.cache import cache\n value = cache.get(func)\n ... |
def x(data):
conditions = list()
for k, v in data.items():
for feature in v.get('after', list()):
conditions.append(dict(name=k, subject=feature, ctype='after'))
if v.get('first', False):
conditions.append(dict(name=k, subject=None, ctype='first'))
if v.get('last', False):
conditions.append(dict(name=k, subject=None, ctype='last'))
return conditions
| get_formatted_feature_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n conditions = list()\n for k, v in data.items():\n for feature in v.get('after', list()):\n conditions.append(dict(name=k, subj... |
def x(data):
conditions = list()
for cond in data:
conditions.append(OrderingCondition(name=cond.get('name'), subject=
cond.get('subject'), ctype=cond.get('ctype')))
return conditions
| get_condition_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n conditions = list()\n for cond in data:\n conditions.append(OrderingCondition(name=cond.get('name'), subject=\n cond.get('subj... |
def x(self) ->str:
relDir = self._packageCfg.config.plugin.title(require_string)
dir = os.path.join(self._pluginRoot, relDir)
if not os.path.isdir(dir):
raise NotADirectoryError(dir)
return dir
| angularFrontendAppDir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n relDir = self._packageCfg.config.plugin.title(require_string)\n dir = os.path.join(self._pluginRoot, relDir)\n if not os.path.isdir(dir... |
def x(self, path):
return self.parse_uri(urlparse(os.path.join(str(self), path)),
storage_args=self.storage_args)
| join | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n return self.parse_uri(urlparse(os.path.join(str(self), path)),\n storage_args=self.storage_args)\n",
"role": "user"
},
{
"... |
def x(self):
try:
self.s3_object.load()
return True
except botocore.exceptions.ClientError:
return False
| exists | [
{
"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 self.s3_object.load()\n return True\n except botocore.exceptions.ClientError:\n return False\n",
"role": "user"
... |
def x(self):
bucket = self.s3_object.Bucket()
prefix = self.s3_object.key
if not prefix.endswith('/'):
prefix += '/'
for obj in bucket.objects.filter(Delimiter='/', Prefix=prefix):
yield 's3://{}/{}'.format(obj.bucket_name, obj.key)
| list_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bucket = self.s3_object.Bucket()\n prefix = self.s3_object.key\n if not prefix.endswith('/'):\n prefix += '/'\n for obj in bucket.o... |
def x(self, content):
self.blob.content_encoding = self.content_encoding
self.blob.metadata = self.metadata
return self.blob.upload_from_string(content, content_type=self.content_type
)
| put_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n self.blob.content_encoding = self.content_encoding\n self.blob.metadata = self.metadata\n return self.blob.upload_from_string(conten... |
def x(self):
try:
self.blob.reload()
return True
except google.cloud.exceptions.NotFound:
return False
| exists | [
{
"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 self.blob.reload()\n return True\n except google.cloud.exceptions.NotFound:\n return False\n",
"role": "user"
... |
def x(self):
bucket = self.blob.bucket
prefix = self.blob.name
if not prefix.endswith('/'):
prefix += '/'
for blob in bucket.list_blobs(prefix=prefix, delimiter='/'):
yield 'gs://{}/{}'.format(blob.bucket.name, blob.name)
| list_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bucket = self.blob.bucket\n prefix = self.blob.name\n if not prefix.endswith('/'):\n prefix += '/'\n for blob in bucket.list_blobs(... |
def x(self, content):
r = requests.request(self.method if self.method else 'PUT', self.url,
data=content, **self.storage_args)
if self.raise_for_status:
r.raise_for_status()
| put_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n r = requests.request(self.method if self.method else 'PUT', self.url,\n data=content, **self.storage_args)\n if self.raise_for_s... |
def x(self):
r = requests.request(self.method if self.method else 'HEAD', self.url,
**self.storage_args)
try:
r.raise_for_status()
except Exception:
return False
return True
| dir_exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = requests.request(self.method if self.method else 'HEAD', self.url,\n **self.storage_args)\n try:\n r.raise_for_status()\n e... |
def x(self, content):
if not isinstance(content, str):
content = content.decode('utf-8')
self.topic.publish(Message=content, **self.storage_args)
| put_content | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content):\n if not isinstance(content, str):\n content = content.decode('utf-8')\n self.topic.publish(Message=content, **self.storage_args)\... |
def x(text):
if text == '' or text == 'zero':
return ZERO
amount, interval = re.match('([\\d\\.]*)(.*)', text).groups()
amount = int(amount) if amount else 1
if MILLI_VALUES[interval] == None:
from mo_logs import Log
Log.error(
'{{interval|quote}} in {{text|quote}} is not a recognized duration type (did you use the pural form by mistake?'
, interval=interval, text=text)
output = Duration(0)
if MONTH_VALUES[interval] == 0:
output.milli = amount * MILLI_VALUES[interval]
else:
output.milli = amount * MONTH_VALUES[interval] * MILLI_VALUES.month
output.month = amount * MONTH_VALUES[interval]
return output
| string2Duration | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if text == '' or text == 'zero':\n return ZERO\n amount, interval = re.match('([\\\\d\\\\.]*)(.*)', text).groups()\n amount = int(amou... |
def x():
if state.isExitHooked:
return
state.isExitHooked = True
from atexit import register
register(core.start)
| registerExitCall | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if state.isExitHooked:\n return\n state.isExitHooked = True\n from atexit import register\n register(core.start)\n",
"role": "user"... |
def x(x, k):
return k / (2 * np.sinh(k)) * np.exp(k * np.cos(x)) * np.sin(x)
| fisher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, k):\n return k / (2 * np.sinh(k)) * np.exp(k * np.cos(x)) * np.sin(x)\n",
"role": "user"
},
{
"content": "fisher",
"role": "assistant"
... |
def x(y, k):
return 1 / np.sqrt(1 - y ** 2) * (k / np.sinh(k) * y * np.cosh(k * np.
sqrt(1 - y ** 2)))
| sin_fisher | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(y, k):\n return 1 / np.sqrt(1 - y ** 2) * (k / np.sinh(k) * y * np.cosh(k * np.\n sqrt(1 - y ** 2)))\n",
"role": "user"
},
{
"content": "... |
def x(z, k=1):
return 2 * k / (np.pi * np.sinh(k)) * quad(cosi_integrand, z, 1, args=(
k, z))[0]
| cosi_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(z, k=1):\n return 2 * k / (np.pi * np.sinh(k)) * quad(cosi_integrand, z, 1, args=(\n k, z))[0]\n",
"role": "user"
},
{
"content": "cosi_p... |
def x(R=1.3, dR=0.1, Prot=6, dProt=0.1, nsamples=10000.0, plot=False,
R_samples=None, Prot_samples=None):
if R_samples is None:
R_samples = R * (1 + rand.normal(size=nsamples) * dR)
else:
inds = rand.randint(len(R_samples), size=nsamples)
R_samples = R_samples[inds]
if Prot_samples is None:
Prot_samples = Prot * (1 + rand.normal(size=nsamples) * dProt)
else:
inds = rand.randint(len(Prot_samples), size=nsamples)
Prot_samples = Prot_samples[inds]
veq_samples = 2 * np.pi * R_samples * RSUN / (Prot_samples * DAY
) / 100000.0
if plot:
plt.hist(veq_samples, histtype='step', color='k', bins=50, normed=True)
d = stats.norm(scale=veq_samples.std(), loc=veq_samples.mean())
vs = np.linspace(veq_samples.min(), veq_samples.max(), 10000.0)
plt.plot(vs, d.pdf(vs), 'r')
return veq_samples.mean(), veq_samples.std()
| generate_veq | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(R=1.3, dR=0.1, Prot=6, dProt=0.1, nsamples=10000.0, plot=False,\n R_samples=None, Prot_samples=None):\n if R_samples is None:\n R_samples = R * (1... |
def x(cosi, vsini_dist, veq_dist, vgrid=None):
sini = np.sqrt(1 - cosi ** 2)
def x(v):
return vsini_dist(v * sini) * veq_dist(v)
if vgrid is None:
return quad(integrand, 0, np.inf)[0]
else:
return np.trapz(integrand(vgrid), vgrid)
| like_cosi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cosi, vsini_dist, veq_dist, vgrid=None):\n sini = np.sqrt(1 - cosi ** 2)\n\n def x(v):\n return vsini_dist(v * sini) * veq_dist(v)\n if vgrid i... |
def x(vsini_dist, veq_dist, vgrid=None, npts=100, vgrid_pts=1000):
if vgrid is None:
vgrid = np.linspace(min(veq_dist.ppf(0.001), vsini_dist.ppf(0.001)),
max(veq_dist.ppf(0.999), vsini_dist.ppf(0.999)), vgrid_pts)
logging.debug('vgrid: {} pts, {} to {}'.format(vgrid_pts, vgrid[0],
vgrid[-1]))
cs = np.linspace(0, 1, npts)
Ls = cs * 0
for i, c in enumerate(cs):
Ls[i] = like_cosi(c, vsini_dist, veq_dist, vgrid=vgrid)
if np.isnan(Ls[-1]):
Ls[-1] = Ls[-2]
Ls /= np.trapz(Ls, cs)
return cs, Ls
| cosi_posterior | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vsini_dist, veq_dist, vgrid=None, npts=100, vgrid_pts=1000):\n if vgrid is None:\n vgrid = np.linspace(min(veq_dist.ppf(0.001), vsini_dist.ppf(0.001)... |
def x(x, post, nsamples=1):
cdf = post.cumsum()
cdf /= cdf.max()
u = rand.random(size=nsamples)
inds = np.digitize(u, cdf)
return x[inds]
| sample_posterior | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, post, nsamples=1):\n cdf = post.cumsum()\n cdf /= cdf.max()\n u = rand.random(size=nsamples)\n inds = np.digitize(u, cdf)\n return x[inds]\n"... |
def x(df, N=10000.0, alpha=0.23, l0=20, sigl=20):
vsini_posts = []
veq_posts = []
if 'ep_R' in df:
for R, dR_p, dR_m, P, dP, v, dv in zip(df['R'], df['ep_R'], df[
'em_R'], df['Prot'], df['e_Prot'], df['vsini'], df['e_vsini']):
vsini_posts.append(stats.norm(v, dv))
if dR_p == dR_m:
veq_posts.append(Veq_Posterior(R, dR_p, P, dP))
else:
R_dist = dists.fit_doublegauss(R, dR_m, dR_p)
Prot_dist = stats.norm(P, dP)
veq_posts.append(Veq_Posterior_General(R_dist, Prot_dist, N
=N, l0=l0, sigl=sigl))
else:
for R, dR, P, dP, v, dv in zip(df['R'], df['e_R'], df['Prot'], df[
'e_Prot'], df['vsini'], df['e_vsini']):
vsini_posts.append(stats.norm(v, dv))
veq_posts.append(Veq_Posterior(R, dR, P, dP))
return vsini_posts, veq_posts
| v_posts_from_dataframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, N=10000.0, alpha=0.23, l0=20, sigl=20):\n vsini_posts = []\n veq_posts = []\n if 'ep_R' in df:\n for R, dR_p, dR_m, P, dP, v, dv in zip(df[... |
def x(self, paths, dry_run=False, **options):
with post_process_error_counter(self):
with patched_name_fn(self, 'hashed_name', 'hashed name'):
with patched_name_fn(self, 'url', 'url'):
for result in super(LaxPostProcessorMixin, self).post_process(
paths, dry_run, **options):
yield result
error_count = self._post_process_error_count
if error_count:
print('%s post-processing error%s.' % (error_count, '' if
error_count == 1 else 's'))
| post_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths, dry_run=False, **options):\n with post_process_error_counter(self):\n with patched_name_fn(self, 'hashed_name', 'hashed name'):\n ... |
def x(self, paths, dry_run=False, **options):
if self.postprocess_exclusions:
paths = dict((k, v) for k, v in paths.items() if not self.
exclude_file(k))
return super(CachedFilesMixin, self).post_process(paths, dry_run, **options
)
| post_process | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths, dry_run=False, **options):\n if self.postprocess_exclusions:\n paths = dict((k, v) for k, v in paths.items() if not self.\n e... |
def x(self):
venv_site_packages = '%s/lib/site-packages' % self.venv_dir
if not os.path.isdir(venv_site_packages):
venv_site_packages_glob = glob.glob('%s/lib/*/site-packages' % self
.venv_dir)
if len(venv_site_packages_glob):
venv_site_packages = venv_site_packages_glob[0]
return [self.venv_dir, venv_site_packages]
| get_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n venv_site_packages = '%s/lib/site-packages' % self.venv_dir\n if not os.path.isdir(venv_site_packages):\n venv_site_packages_glob = glob.... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.