source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, player_handle):
url = self.pubg_url + player_handle
response = requests.request('GET', url, headers=self.headers)
data = json.loads(response.text)
return data
| get_player_profile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, player_handle):\n url = self.pubg_url + player_handle\n response = requests.request('GET', url, headers=self.headers)\n data = json.loads(respon... |
def x(self, player_handle):
try:
url = self.pubg_url + player_handle
response = requests.request('GET', url, headers=self.headers)
return json.loads(response.text)
except BaseException as error:
print('Unhandled exception: ' + str(error))
raise
| player | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, player_handle):\n try:\n url = self.pubg_url + player_handle\n response = requests.request('GET', url, headers=self.headers)\n re... |
def x(self, sid):
try:
url = self.pubg_url_steam.format(str(sid))
response = requests.request('GET', url, headers=self.headers)
return json.loads(response.text)
except BaseException as error:
print('Unhandled exception: ' + str(error))
raise
| player_s | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sid):\n try:\n url = self.pubg_url_steam.format(str(sid))\n response = requests.request('GET', url, headers=self.headers)\n retur... |
def x(self, player_handle, game_mode=constants.GAME_MODE_WILDCARD,
game_region=constants.GAME_REGION_WILDCARD):
if game_mode not in constants.GAME_MODES:
raise APIException('game_mode must be one of: solo, duo, squad, all')
if game_region not in constants.GAME_REGIONS:
raise APIException(
'game_region must be one of: as, na, agg, sea, eu, oc, sa, all')
try:
data = self._get_player_profile(player_handle)
data = self._filter_gameplay_stats(data, game_mode, game_region)
return data
except BaseException as error:
print('Unhandled exception: ' + str(error))
raise
| player_mode_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, player_handle, game_mode=constants.GAME_MODE_WILDCARD,\n game_region=constants.GAME_REGION_WILDCARD):\n if game_mode not in constants.GAME_MODES:\n... |
def x(self, data, game_mode, game_region):
return_data = []
for stat in data['Stats']:
if self._is_target_game_mode(stat, game_mode
) and self._is_target_region(stat, game_region):
return_data.append(stat)
return return_data
| filter_gameplay_stats | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, game_mode, game_region):\n return_data = []\n for stat in data['Stats']:\n if self._is_target_game_mode(stat, game_mode\n )... |
def x(self, stat, game_mode):
if game_mode == constants.GAME_MODE_WILDCARD:
return True
return stat['Match'] == game_mode
| is_target_game_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stat, game_mode):\n if game_mode == constants.GAME_MODE_WILDCARD:\n return True\n return stat['Match'] == game_mode\n",
"role": "user"
... |
def x(self, stat, game_region):
if game_region == constants.GAME_REGION_WILDCARD:
return True
return stat['Region'] == game_region
| is_target_region | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stat, game_region):\n if game_region == constants.GAME_REGION_WILDCARD:\n return True\n return stat['Region'] == game_region\n",
"role":... |
def x(self, player_handle, game_mode='solo'):
if game_mode not in constants.GAME_MODES:
raise APIException('game_mode must be one of: solo, duo, squad, all')
try:
data = self._get_player_profile(player_handle)
player_stats = {}
return_data = []
for stat in data['Stats']:
if stat['Match'] == game_mode:
for datas in stat['Stats']:
if datas['label'] == 'Rating':
player_stats[stat['Region']] = datas['value']
return player_stats
except BaseException as error:
print('Unhandled exception: ' + str(error))
raise
| player_skill | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, player_handle, game_mode='solo'):\n if game_mode not in constants.GAME_MODES:\n raise APIException('game_mode must be one of: solo, duo, squad,... |
def x(nxG, nyG, iBeg, iEnd, jBeg, jEnd, data, title=''):
sz = MPI.COMM_WORLD.Get_size()
rk = MPI.COMM_WORLD.Get_rank()
iBegs = MPI.COMM_WORLD.gather(iBeg, root=0)
iEnds = MPI.COMM_WORLD.gather(iEnd, root=0)
jBegs = MPI.COMM_WORLD.gather(jBeg, root=0)
jEnds = MPI.COMM_WORLD.gather(jEnd, root=0)
arrays = MPI.COMM_WORLD.gather(numpy.array(data), root=0)
if rk == 0:
bigArray = numpy.zeros((nxG, nyG), data.dtype)
for pe in range(sz):
bigArray[iBegs[pe]:iEnds[pe], jBegs[pe]:jEnds[pe]] = arrays[pe]
from matplotlib import pylab
pylab.pcolor(bigArray.transpose())
for pe in range(sz):
pylab.plot([iBegs[pe], iBegs[pe]], [0, nyG - 1], 'w--')
pylab.plot([0, nxG - 1], [jBegs[pe], jBegs[pe]], 'w--')
pylab.title(title)
pylab.show()
| plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nxG, nyG, iBeg, iEnd, jBeg, jEnd, data, title=''):\n sz = MPI.COMM_WORLD.Get_size()\n rk = MPI.COMM_WORLD.Get_rank()\n iBegs = MPI.COMM_WORLD.gather(i... |
def x(nxG, nyG, iBeg, iEnd, jBeg, jEnd, data):
nxGHalf = nxG / 2.0
nyGHalf = nyG / 2.0
nxGQuart = nxGHalf / 2.0
nyGQuart = nyGHalf / 2.0
for i in range(data.shape[0]):
iG = iBeg + i
di = iG - nxG
for j in range(data.shape[1]):
jG = jBeg + j
dj = jG - 0.8 * nyG
data[i, j] = numpy.floor(1.9 * numpy.exp(-di ** 2 / nxGHalf **
2 - dj ** 2 / nyGHalf ** 2))
| setValues | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(nxG, nyG, iBeg, iEnd, jBeg, jEnd, data):\n nxGHalf = nxG / 2.0\n nyGHalf = nyG / 2.0\n nxGQuart = nxGHalf / 2.0\n nyGQuart = nyGHalf / 2.0\n for... |
def x(self, nothing=''):
for d in self.dirs:
self.stdout.write('\x1b[0;34m' + '%s\n' % d + '\x1b[0m')
for f in self.files:
self.stdout.write('%s\n' % f)
| do_ls | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nothing=''):\n for d in self.dirs:\n self.stdout.write('\\x1b[0;34m' + '%s\\n' % d + '\\x1b[0m')\n for f in self.files:\n self.stdout... |
def x(self, path='/'):
path = path[0]
if path == '..':
self.current_path = '/'.join(self.current_path[:-1].split('/')[0:-1]
) + '/'
elif path == '/':
self.current_path = '/'
elif path[-1] == '/':
self.current_path += path
else:
self.current_path += path + '/'
resp = self.n.getList(self.current_path, type=3)
if resp:
self.dirs = []
self.files = []
for f in resp:
name = f['href'].encode('utf-8')
if name[-1] == '/':
self.dirs.append(os.path.basename(name[:-1]))
else:
self.files.append(os.path.basename(name))
self.prompt = '> %s@Ndrive:%s ' % (self.id, self.current_path)
| do_cd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path='/'):\n path = path[0]\n if path == '..':\n self.current_path = '/'.join(self.current_path[:-1].split('/')[0:-1]\n ) + '/'\n... |
def x(self, path):
path = path[0]
tmp_file_path = self.TMP_PATH + 'tmp'
if not os.path.exists(self.TMP_PATH):
os.makedirs(self.TMP_PATH)
f = self.n.downloadFile(self.current_path + path, tmp_file_path)
f = open(tmp_file_path, 'r')
self.stdout.write(f.read())
self.stdout.write('\n')
| do_cat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = path[0]\n tmp_file_path = self.TMP_PATH + 'tmp'\n if not os.path.exists(self.TMP_PATH):\n os.makedirs(self.TMP_PATH)\n ... |
def x(self, path):
path = path[0]
self.n.makeDirectory(self.current_path + path)
self.dirs = self.dir_complete()
| do_mkdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = path[0]\n self.n.makeDirectory(self.current_path + path)\n self.dirs = self.dir_complete()\n",
"role": "user"
},
{
"... |
def x(self, path):
path = path[0]
"""delete a file or directory"""
self.n.delete(self.current_path + path)
self.dirs = self.dir_complete()
self.files = self.file_complete()
| do_rm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n path = path[0]\n \"\"\"delete a file or directory\"\"\"\n self.n.delete(self.current_path + path)\n self.dirs = self.dir_complete()\... |
def x(self, from_path, to_path, nothing=''):
self.n.doMove(self.current_path + from_path, self.current_path + to_path)
| do_mv | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path, nothing=''):\n self.n.doMove(self.current_path + from_path, self.current_path + to_path)\n",
"role": "user"
},
{
"cont... |
def x(self):
s, metadata = self.n.getRegisterUserInfo()
pprint.PrettyPrinter(indent=2).pprint(metadata)
| do_account_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n s, metadata = self.n.getRegisterUserInfo()\n pprint.PrettyPrinter(indent=2).pprint(metadata)\n",
"role": "user"
},
{
"content": "do_... |
def x(self, from_path, to_path):
to_file = open(os.path.expanduser(to_path), 'wb')
self.n.downloadFile(self.current_path + '/' + from_path, to_path)
| do_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path):\n to_file = open(os.path.expanduser(to_path), 'wb')\n self.n.downloadFile(self.current_path + '/' + from_path, to_path)\n",
... |
def x(self, from_path, to_path):
from_file = open(os.path.expanduser(from_path), 'rb')
self.n.put(self.current_path + '/' + from_path, to_path)
| do_put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, from_path, to_path):\n from_file = open(os.path.expanduser(from_path), 'rb')\n self.n.put(self.current_path + '/' + from_path, to_path)\n",
"ro... |
def x(self, string):
results = self.n.doSearch(string, full_path=self.current_path)
if results:
for r in results:
self.stdout.write('%s\n' % r['path'])
| do_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n results = self.n.doSearch(string, full_path=self.current_path)\n if results:\n for r in results:\n self.stdout.write('... |
def x(string1, string2, source, option=''):
if not is_valid_type(source):
raise TypeError('source must be unicode')
from_list = make_char_list(string1)
if option == 's':
from_list = to_unichr(from_list)
return squeeze(from_list, source)
elif 'c' in option:
from_list = to_unichr(from_list)
from_list = [ord(c) for c in set(source) - set(from_list)]
if 'd' in option:
to_list = [None for i in from_list]
else:
to_list = [string2[-1] for i in from_list]
source = translate(from_list, to_list, source)
if 's' in option:
source = squeeze(to_list, source)
return source
elif 'd' in option:
to_list = [None for i in from_list]
source = translate(from_list, to_list, source)
if 's' in option:
to_list = make_char_list(string2)
to_list = to_unichr(to_list)
source = squeeze(to_list, source)
return source
else:
to_list = make_char_list(string2)
length_diff = len(from_list) - len(to_list)
if length_diff:
to_list += [to_list[-1]] * length_diff
to_list = to_unichr(to_list)
return translate(from_list, to_list, source)
| tr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string1, string2, source, option=''):\n if not is_valid_type(source):\n raise TypeError('source must be unicode')\n from_list = make_char_list(str... |
def x(self, filepath, service_path, remove=False):
local = OSFS(os.path.dirname(filepath))
if self.fs.hassyspath(service_path) and self.fs.getsyspath(service_path
) == local.getsyspath(os.path.basename(filepath)):
if remove:
os.remove(filepath)
return
if not self.fs.isdir(fs.path.dirname(service_path)):
self.fs.makedir(fs.path.dirname(service_path), recursive=True,
allow_recreate=True)
if remove:
fs.utils.movefile(local, os.path.basename(filepath), self.fs,
service_path)
else:
fs.utils.copyfile(local, os.path.basename(filepath), self.fs,
service_path)
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, service_path, remove=False):\n local = OSFS(os.path.dirname(filepath))\n if self.fs.hassyspath(service_path) and self.fs.getsyspath(servi... |
def x(self, version=None):
version = _process_version(self, version)
if self.versioned:
return fs.path.join(self.archive_path, str(version))
else:
return self.archive_path
| get_version_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None):\n version = _process_version(self, version)\n if self.versioned:\n return fs.path.join(self.archive_path, str(version))\n ... |
def x(self, filepath, cache=False, remove=False, bumpversion=None,
prerelease=None, dependencies=None, metadata=None, message=None):
if metadata is None:
metadata = {}
latest_version = self.get_latest_version()
hashval = self.api.hash_file(filepath)
checksum = hashval['checksum']
algorithm = hashval['algorithm']
if checksum == self.get_latest_hash():
self.update_metadata(metadata)
if remove and os.path.isfile(filepath):
os.remove(filepath)
return
if self.versioned:
if latest_version is None:
latest_version = BumpableVersion()
next_version = latest_version.bump(kind=bumpversion, prerelease=
prerelease, inplace=False)
else:
next_version = None
next_path = self.get_version_path(next_version)
if cache:
self.cache(next_version)
if self.is_cached(next_version):
self.authority.upload(filepath, next_path)
self.api.cache.upload(filepath, next_path, remove=remove)
else:
self.authority.upload(filepath, next_path, remove=remove)
self._update_manager(archive_metadata=metadata, version_metadata=dict(
checksum=checksum, algorithm=algorithm, version=next_version,
dependencies=dependencies, message=message))
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, cache=False, remove=False, bumpversion=None,\n prerelease=None, dependencies=None, metadata=None, message=None):\n if metadata is None:\n... |
def x(self):
default_dependencies = {k: v for k, v in self.api.default_versions.
items() if k != self.archive_name}
if len(default_dependencies) == 0:
history = self.get_history()
if len(history) > 0:
default_dependencies = history[-1].get('dependencies', {})
return default_dependencies
| get_default_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n default_dependencies = {k: v for k, v in self.api.default_versions.\n items() if k != self.archive_name}\n if len(default_dependencies) =... |
def x(self, mode='r', version=None, bumpversion=None, prerelease=None,
dependencies=None, metadata=None, message=None, *args, **kwargs):
if metadata is None:
metadata = {}
latest_version = self.get_latest_version()
version = _process_version(self, version)
version_hash = self.get_version_hash(version)
if self.versioned:
if latest_version is None:
latest_version = BumpableVersion()
next_version = latest_version.bump(kind=bumpversion, prerelease=
prerelease, inplace=False)
msg = (
'Version must be bumped on write. Provide bumpversion and/or prerelease.'
)
assert next_version > latest_version, msg
read_path = self.get_version_path(version)
write_path = self.get_version_path(next_version)
else:
read_path = self.archive_path
write_path = self.archive_path
next_version = None
def x(chk):
return chk['checksum'] == version_hash
def x(checksum, algorithm):
self._update_manager(archive_metadata=metadata, version_metadata=
dict(version=next_version, dependencies=dependencies, checksum=
checksum, algorithm=algorithm, message=message))
opener = data_file.open_file(self.authority, self.api.cache, updater,
version_check, self.api.hash_file, read_path, write_path, *args,
mode=mode, **kwargs)
with opener as f:
yield f
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='r', version=None, bumpversion=None, prerelease=None,\n dependencies=None, metadata=None, message=None, *args, **kwargs):\n if metadata is Non... |
def x(self, version=None, bumpversion=None, prerelease=None, dependencies=
None, metadata=None, message=None):
if metadata is None:
metadata = {}
latest_version = self.get_latest_version()
version = _process_version(self, version)
version_hash = self.get_version_hash(version)
if self.versioned:
if latest_version is None:
latest_version = BumpableVersion()
next_version = latest_version.bump(kind=bumpversion, prerelease=
prerelease, inplace=False)
msg = (
'Version must be bumped on write. Provide bumpversion and/or prerelease.'
)
assert next_version > latest_version, msg
read_path = self.get_version_path(version)
write_path = self.get_version_path(next_version)
else:
read_path = self.archive_path
write_path = self.archive_path
next_version = None
def x(chk):
return chk['checksum'] == version_hash
def x(checksum, algorithm):
self._update_manager(archive_metadata=metadata, version_metadata=
dict(version=next_version, dependencies=dependencies, checksum=
checksum, algorithm=algorithm, message=message))
path = data_file.get_local_path(self.authority, self.api.cache, updater,
version_check, self.api.hash_file, read_path, write_path)
with path as fp:
yield fp
| get_local_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None, bumpversion=None, prerelease=None, dependencies=\n None, metadata=None, message=None):\n if metadata is None:\n metadata = {}\... |
def x(self, filepath, version=None):
version = _process_version(self, version)
dirname, filename = os.path.split(os.path.abspath(os.path.expanduser(
filepath)))
assert os.path.isdir(dirname), 'Directory not found: "{}"'.format(dirname)
local = OSFS(dirname)
version_hash = self.get_version_hash(version)
def x(chk):
return chk['checksum'] == version_hash
if os.path.exists(filepath):
if version_check(self.api.hash_file(filepath)):
return
read_path = self.get_version_path(version)
with data_file._choose_read_fs(self.authority, self.api.cache,
read_path, version_check, self.api.hash_file) as read_fs:
fs.utils.copyfile(read_fs, read_path, local, filename)
| download | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filepath, version=None):\n version = _process_version(self, version)\n dirname, filename = os.path.split(os.path.abspath(os.path.expanduser(\n ... |
def x(self):
versions = self.get_versions()
self.api.manager.delete_archive_record(self.archive_name)
for version in versions:
if self.authority.fs.exists(self.get_version_path(version)):
self.authority.fs.remove(self.get_version_path(version))
if self.api.cache:
if self.api.cache.fs.exists(self.get_version_path(version)):
self.api.cache.fs.remove(self.get_version_path(version))
if self.authority.fs.exists(self.archive_name):
self.authority.fs.removedir(self.archive_name)
if self.api.cache:
if self.api.cache.fs.exists(self.archive_name):
self.api.cache.fs.removedir(self.archive_name)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n versions = self.get_versions()\n self.api.manager.delete_archive_record(self.archive_name)\n for version in versions:\n if self.author... |
def x(self, version=None, *args, **kwargs):
version = _process_version(self, version)
path = self.get_version_path(version)
self.authority.fs.isfile(path, *args, **kwargs)
| isfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None, *args, **kwargs):\n version = _process_version(self, version)\n path = self.get_version_path(version)\n self.authority.fs.isfile(p... |
def x(self, version=None):
version = _process_version(self, version)
if self.api.cache and self.api.cache.fs.isfile(self.get_version_path(
version)):
return True
return False
| is_cached | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None):\n version = _process_version(self, version)\n if self.api.cache and self.api.cache.fs.isfile(self.get_version_path(\n version... |
def x(self, version=None):
version = _process_version(self, version)
history = self.get_history()
for v in reversed(history):
if BumpableVersion(v['version']) == version:
return v['dependencies']
raise ValueError('Version {} not found'.format(version))
| get_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version=None):\n version = _process_version(self, version)\n history = self.get_history()\n for v in reversed(history):\n if BumpableVers... |
def x(self, *tags):
normed_tags = self.api.manager._normalize_tags(tags)
self.api.manager.add_tags(self.archive_name, normed_tags)
| add_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *tags):\n normed_tags = self.api.manager._normalize_tags(tags)\n self.api.manager.add_tags(self.archive_name, normed_tags)\n",
"role": "user"
... |
def x(file, mode='r', buffering=-1, encoding=None, errors=None, newline=
None, closefd=True, opener=None):
result = sync_io.open(file, mode, buffering, encoding, errors, newline,
closefd, opener)
return wrap_file(result)
| open | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, mode='r', buffering=-1, encoding=None, errors=None, newline=\n None, closefd=True, opener=None):\n result = sync_io.open(file, mode, buffering, enc... |
def x(file_like_obj):
if isinstance(file_like_obj, AsyncIOBaseWrapper):
return file_like_obj
if isinstance(file_like_obj, sync_io.FileIO):
return AsyncFileIOWrapper(file_like_obj)
if isinstance(file_like_obj, sync_io.BufferedRandom):
return AsyncBufferedRandomWrapper(file_like_obj)
if isinstance(file_like_obj, sync_io.BufferedReader):
return AsyncBufferedReaderWrapper(file_like_obj)
if isinstance(file_like_obj, sync_io.BufferedWriter):
return AsyncBufferedWriterWrapper(file_like_obj)
if isinstance(file_like_obj, sync_io.TextIOWrapper):
return AsyncTextIOWrapperWrapper(file_like_obj)
raise TypeError('Unrecognized file stream type {}.'.format(
file_like_obj.__class__))
| wrap_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_like_obj):\n if isinstance(file_like_obj, AsyncIOBaseWrapper):\n return file_like_obj\n if isinstance(file_like_obj, sync_io.FileIO):\n ... |
def x(*args, **kwargs):
raw = sync_io.StringIO(*args, **kwargs)
return AsyncStringIOWrapper(raw)
| StringIO | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n raw = sync_io.StringIO(*args, **kwargs)\n return AsyncStringIOWrapper(raw)\n",
"role": "user"
},
{
"content": "StringIO",... |
def x(*args, **kwargs):
raw = sync_io.BytesIO(*args, **kwargs)
return AsyncBytesIOWrapper(raw)
| BytesIO | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kwargs):\n raw = sync_io.BytesIO(*args, **kwargs)\n return AsyncBytesIOWrapper(raw)\n",
"role": "user"
},
{
"content": "BytesIO",
... |
async def seek(self, pos, whence=sync_io.SEEK_SET):
"""Move to new file position.
Argument offset is a byte count. Optional argument whence defaults to
SEEK_SET or 0 (offset from start of file, offset should be >= 0); other
values are SEEK_CUR or 1 (move relative to current position, positive
or negative), and SEEK_END or 2 (move relative to end of file, usually
negative, although many platforms allow seeking beyond the end of a
file).
Note that not all file objects are seekable.
"""
return self._stream.seek(pos, whence)
| seek | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def seek(self, pos, whence=sync_io.SEEK_SET):\n \"\"\"Move to new file position.\n\n Argument offset is a byte count. Optional argument whence defau... |
def x(self, query, limit, as_df=False):
if limit:
query = query.limit(limit)
if as_df:
results = read_sql(query.statement, self.engine)
else:
results = query.all()
return results
| limit_and_df | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, query, limit, as_df=False):\n if limit:\n query = query.limit(limit)\n if as_df:\n results = read_sql(query.statement, self.engine)\n... |
def x(query, gene_name, gene_symbol, gene_id):
if gene_name or gene_symbol:
query = query.join(models.Gene)
if gene_symbol:
query = query.filter(models.Gene.gene_symbol.like(gene_symbol))
if gene_name:
query = query.filter(models.Gene.gene_name.like(gene_name))
if gene_id:
query = query.filter(models.Gene.gene_id.like(gene_id))
return query
| join_gene | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, gene_name, gene_symbol, gene_id):\n if gene_name or gene_symbol:\n query = query.join(models.Gene)\n if gene_symbol:\n query... |
def x(query, cas_rn, chemical_id, chemical_name, chemical_definition):
if cas_rn or chemical_id or chemical_name or chemical_definition:
query = query.join(models.Chemical)
if cas_rn:
query = query.filter(models.Chemical.cas_rn.like(cas_rn))
if chemical_id:
query = query.filter(models.Chemical.chemical_id == chemical_id)
if chemical_name:
query = query.filter(models.Chemical.chemical_name.like(
chemical_name))
if chemical_definition:
query = query.filter(models.Chemical.definition.like(
chemical_definition))
return query
| join_chemical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, cas_rn, chemical_id, chemical_name, chemical_definition):\n if cas_rn or chemical_id or chemical_name or chemical_definition:\n query = query.... |
def x(query, disease_definition, disease_id, disease_name):
if disease_definition or disease_id or disease_name:
query = query.join(models.Disease)
if disease_definition:
query = query.filter(models.Disease.definition.like(
disease_definition))
if disease_id:
query = query.filter(models.Disease.disease_id == disease_id)
if disease_name:
query = query.filter(models.Disease.disease_name.like(disease_name)
)
return query
| join_disease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, disease_definition, disease_id, disease_name):\n if disease_definition or disease_id or disease_name:\n query = query.join(models.Disease)\n ... |
def x(query, pathway_id, pathway_name):
if pathway_id or pathway_name:
if pathway_id:
query = query.filter(models.Pathway.pathway_id.like(pathway_id))
if pathway_name:
query = query.filter(models.Pathway.pathway_name.like(pathway_name)
)
return query
| join_pathway | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(query, pathway_id, pathway_name):\n if pathway_id or pathway_name:\n if pathway_id:\n query = query.filter(models.Pathway.pathway_id.like(... |
def x(self, disease_name=None, disease_id=None, definition=None, parent_ids
=None, tree_numbers=None, parent_tree_numbers=None, slim_mapping=None,
synonym=None, alt_disease_id=None, limit=None, as_df=False):
q = self.session.query(models.Disease)
if disease_name:
q = q.filter(models.Disease.disease_name.like(disease_name))
if disease_id:
q = q.filter(models.Disease.disease_id == disease_id)
if definition:
q = q.filter(models.Disease.definition.like(definition))
if parent_ids:
q = q.filter(models.Disease.parent_ids.like(parent_ids))
if tree_numbers:
q = q.filter(models.Disease.tree_numbers.like(tree_numbers))
if parent_tree_numbers:
q = q.filter(models.Disease.parent_tree_numbers.like(
parent_tree_numbers))
if slim_mapping:
q = q.join(models.DiseaseSlimmapping).filter(models.
DiseaseSlimmapping.slim_mapping.like(slim_mapping))
if synonym:
q = q.join(models.DiseaseSynonym).filter(models.DiseaseSynonym.
synonym.like(synonym))
if alt_disease_id:
q = q.join(models.DiseaseAltdiseaseid).filter(models.
DiseaseAltdiseaseid.alt_disease_id == alt_disease_id)
return self._limit_and_df(q, limit, as_df)
| get_disease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, disease_name=None, disease_id=None, definition=None, parent_ids\n =None, tree_numbers=None, parent_tree_numbers=None, slim_mapping=None,\n synonym=... |
def x(self, gene_name=None, gene_symbol=None, gene_id=None, synonym=None,
uniprot_id=None, pharmgkb_id=None, biogrid_id=None, alt_gene_id=None,
limit=None, as_df=False):
q = self.session.query(models.Gene)
if gene_symbol:
q = q.filter(models.Gene.gene_symbol.like(gene_symbol))
if gene_name:
q = q.filter(models.Gene.gene_name.like(gene_name))
if gene_id:
q = q.filter(models.Gene.gene_id.like(gene_id))
if synonym:
q = q.join(models.GeneSynonym).filter(models.GeneSynonym.synonym ==
synonym)
if uniprot_id:
q = q.join(models.GeneUniprot).filter(models.GeneUniprot.uniprot_id ==
uniprot_id)
if pharmgkb_id:
q = q.join(models.GenePharmgkb).filter(models.GenePharmgkb.
pharmgkb_id == pharmgkb_id)
if biogrid_id:
q = q.join(models.GeneBiogrid).filter(models.GeneBiogrid.biogrid_id ==
biogrid_id)
if alt_gene_id:
q = q.join(models.GeneAltGeneId.alt_gene_id == alt_gene_id)
return self._limit_and_df(q, limit, as_df)
| get_gene | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gene_name=None, gene_symbol=None, gene_id=None, synonym=None,\n uniprot_id=None, pharmgkb_id=None, biogrid_id=None, alt_gene_id=None,\n limit=None,... |
def x(self, pathway_name=None, pathway_id=None, limit=None, as_df=False):
q = self.session.query(models.Pathway)
if pathway_name:
q = q.filter(models.Pathway.pathway_name.like(pathway_name))
if pathway_id:
q = q.filter(models.Pathway.pathway_id.like(pathway_id))
return self._limit_and_df(q, limit, as_df)
| get_pathway | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pathway_name=None, pathway_id=None, limit=None, as_df=False):\n q = self.session.query(models.Pathway)\n if pathway_name:\n q = q.filter(mod... |
def x(self, chemical_name=None, chemical_id=None, cas_rn=None, drugbank_id=
None, parent_id=None, parent_tree_number=None, tree_number=None,
synonym=None, limit=None, as_df=False):
q = self.session.query(models.Chemical)
if chemical_name:
q = q.filter(models.Chemical.chemical_name.like(chemical_name))
if chemical_id:
q = q.filter(models.Chemical.chemical_id == chemical_id)
if cas_rn:
q = q.filter(models.Chemical.cas_rn == cas_rn)
if drugbank_id:
q = q.join(models.ChemicalDrugbank).filter(models.ChemicalDrugbank.
drugbank_id == drugbank_id)
if parent_id:
q = q.join(models.ChemicalParentid).filter(models.ChemicalParentid.
parent_id == parent_id)
if tree_number:
q = q.join(models.ChemicalTreenumber).filter(models.
ChemicalTreenumber.tree_number == tree_number)
if parent_tree_number:
q = q.join(models.ChemicalParenttreenumber).filter(models.
ChemicalParenttreenumber.parent_tree_number == parent_tree_number)
if synonym:
q = q.join(models.ChemicalSynonym).filter(models.ChemicalSynonym.
synonym.like(synonym))
return self._limit_and_df(q, limit, as_df)
| get_chemical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, chemical_name=None, chemical_id=None, cas_rn=None, drugbank_id=\n None, parent_id=None, parent_tree_number=None, tree_number=None,\n synonym=None, ... |
def x(self, gene_name=None, gene_symbol=None, gene_id=None, limit=None,
cas_rn=None, chemical_id=None, chemical_name=None, organism_id=None,
interaction_sentence=None, chemical_definition=None, gene_form=None,
interaction_action=None, as_df=False):
q = self.session.query(models.ChemGeneIxn)
if organism_id:
q = q.filter(models.ChemGeneIxn.organism_id == organism_id)
if interaction_sentence:
q = q.filter(models.ChemGeneIxn.interaction == interaction_sentence)
if gene_form:
q = q.join(models.ChemGeneIxnGeneForm).filter(models.
ChemGeneIxnGeneForm.gene_form == gene_form)
if interaction_action:
q = q.join(models.ChemGeneIxnInteractionAction).filter(models.
ChemGeneIxnInteractionAction.interaction_action.like(
interaction_action))
q = self._join_gene(query=q, gene_name=gene_name, gene_symbol=
gene_symbol, gene_id=gene_id)
q = self._join_chemical(query=q, cas_rn=cas_rn, chemical_id=chemical_id,
chemical_name=chemical_name, chemical_definition=chemical_definition)
return self._limit_and_df(q, limit, as_df)
| get_chem_gene_interaction_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gene_name=None, gene_symbol=None, gene_id=None, limit=None,\n cas_rn=None, chemical_id=None, chemical_name=None, organism_id=None,\n interaction_se... |
def x(self):
q = self.session.query(distinct(models.ChemGeneIxnGeneForm.gene_form))
return [x[0] for x in q.all()]
| gene_forms | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n q = self.session.query(distinct(models.ChemGeneIxnGeneForm.gene_form))\n return [x[0] for x in q.all()]\n",
"role": "user"
},
{
"con... |
def x(self):
r = self.session.query(distinct(models.ChemGeneIxnInteractionAction.
interaction_action)).all()
return [x[0] for x in r]
| interaction_actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self.session.query(distinct(models.ChemGeneIxnInteractionAction.\n interaction_action)).all()\n return [x[0] for x in r]\n",
"rol... |
def x(self):
r = self.session.query(models.Action).all()
return [x.type_name for x in r]
| actions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = self.session.query(models.Action).all()\n return [x.type_name for x in r]\n",
"role": "user"
},
{
"content": "actions",
"rol... |
def x(self, direct_evidence=None, inference_chemical_name=None,
inference_score=None, gene_name=None, gene_symbol=None, gene_id=None,
disease_name=None, disease_id=None, disease_definition=None, limit=None,
as_df=False):
q = self.session.query(models.GeneDisease)
if direct_evidence:
q = q.filter(models.GeneDisease.direct_evidence == direct_evidence)
if inference_chemical_name:
q = q.filter(models.GeneDisease.inference_chemical_name ==
inference_chemical_name)
if inference_score:
q = q.filter(models.GeneDisease.inference_score == inference_score)
q = self._join_disease(query=q, disease_definition=disease_definition,
disease_id=disease_id, disease_name=disease_name)
q = self._join_gene(q, gene_name=gene_name, gene_symbol=gene_symbol,
gene_id=gene_id)
return self._limit_and_df(q, limit, as_df)
| get_gene_disease | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direct_evidence=None, inference_chemical_name=None,\n inference_score=None, gene_name=None, gene_symbol=None, gene_id=None,\n disease_name=None, di... |
def x(self):
q = self.session.query(distinct(models.GeneDisease.direct_evidence))
return q.all()
| direct_evidences | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n q = self.session.query(distinct(models.GeneDisease.direct_evidence))\n return q.all()\n",
"role": "user"
},
{
"content": "direct_evi... |
def x(self, disease_id=None, disease_name=None, pathway_id=None,
pathway_name=None, disease_definition=None, limit=None, as_df=False):
q = self.session.query(models.DiseasePathway)
q = self._join_disease(query=q, disease_id=disease_id, disease_name=
disease_name, disease_definition=disease_definition)
q = self._join_pathway(query=q, pathway_id=pathway_id, pathway_name=
pathway_name)
return self._limit_and_df(q, limit, as_df)
| get_disease_pathways | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, disease_id=None, disease_name=None, pathway_id=None,\n pathway_name=None, disease_definition=None, limit=None, as_df=False):\n q = self.session.que... |
def x(self, direct_evidence=None, inference_gene_symbol=None,
inference_score=None, inference_score_operator=None, cas_rn=None,
chemical_name=None, chemical_id=None, chemical_definition=None,
disease_definition=None, disease_id=None, disease_name=None, limit=None,
as_df=False):
q = self.session.query(models.ChemicalDisease)
if direct_evidence:
q = q.filter(models.ChemicalDisease.direct_evidence.like(
direct_evidence))
if inference_gene_symbol:
q = q.filter(models.ChemicalDisease.inference_gene_symbol.like(
inference_gene_symbol))
if inference_score:
if inference_score_operator == '>':
q = q.filter_by(models.ChemicalDisease.inference_score >
inference_score)
elif inference_score_operator == '<':
q = q.filter_by(models.ChemicalDisease.inference_score >
inference_score)
q = self._join_chemical(q, cas_rn=cas_rn, chemical_id=chemical_id,
chemical_name=chemical_name, chemical_definition=chemical_definition)
q = self._join_disease(q, disease_definition=disease_definition,
disease_id=disease_id, disease_name=disease_name)
return self._limit_and_df(q, limit, as_df)
| get_chemical_diseases | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direct_evidence=None, inference_gene_symbol=None,\n inference_score=None, inference_score_operator=None, cas_rn=None,\n chemical_name=None, chemica... |
def x(self, gene_name=None, gene_symbol=None, gene_id=None, pathway_id=None,
pathway_name=None, limit=None, as_df=False):
q = self.session.query(models.GenePathway)
q = self._join_gene(q, gene_name=gene_name, gene_symbol=gene_symbol,
gene_id=gene_id)
q = self._join_pathway(q, pathway_id=pathway_id, pathway_name=pathway_name)
return self._limit_and_df(q, limit, as_df)
| get_gene_pathways | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, gene_name=None, gene_symbol=None, gene_id=None, pathway_id=None,\n pathway_name=None, limit=None, as_df=False):\n q = self.session.query(models.Gen... |
def x(self):
kwargs = {'storage': self.get_storage(), 'upload_to': self.
get_upload_to(), 'content_type_prefix': self.
get_content_type_prefix(), 'process_to': self.get_process_to(),
'processed_key_generator': self.get_processed_key_generator()}
data = {'bucket_name': self._get_bucket_name(), 'key_name': self.
_get_key_name(), 'etag': self._get_etag()}
kwargs.update({'data': data})
return kwargs
| get_validate_upload_form_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n kwargs = {'storage': self.get_storage(), 'upload_to': self.\n get_upload_to(), 'content_type_prefix': self.\n get_content_type_prefix... |
def x(state):
filename = None
if state == SoundService.State.welcome:
filename = 'pad_glow_welcome1.wav'
elif state == SoundService.State.goodbye:
filename = 'pad_glow_power_off.wav'
elif state == SoundService.State.hotword_detected:
filename = 'pad_soft_on.wav'
elif state == SoundService.State.asr_text_captured:
filename = 'pad_soft_off.wav'
elif state == SoundService.State.error:
filename = 'music_marimba_error_chord_2x.wav'
if filename is not None:
AudioPlayer.play_async('{}/{}'.format(ABS_SOUND_DIR, filename))
| play | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(state):\n filename = None\n if state == SoundService.State.welcome:\n filename = 'pad_glow_welcome1.wav'\n elif state == SoundService.State.goo... |
def x():
pandoc = None
for path in os.environ['PATH'].split(os.pathsep):
path = path.strip('"')
pandoc = os.path.join(path, 'pandoc')
if os.path.isfile(pandoc) and os.access(pandoc, os.X_OK):
break
else:
pandoc = None
try:
if pandoc:
cmd = [pandoc, '-t', 'rst', 'README.md']
long_description = os.popen(' '.join(cmd)).read()
else:
raise ValueError
except BaseException:
long_description = open('README.md').read()
return long_description
| get_readme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n pandoc = None\n for path in os.environ['PATH'].split(os.pathsep):\n path = path.strip('\"')\n pandoc = os.path.join(path, 'pandoc')\n ... |
def x():
lic = (
'License :: OSI Approved :: GNU Affero General Public License v3 or later (AGPLv3+)'
)
version = load_source('version', os.path.join('spamc', 'version.py'))
opts = dict(name='spamc', version=version.__version__, description=
'Python spamassassin spamc client library', long_description=
get_readme(), keywords='spam spamc spamassassin', author=
'Andrew Colin Kissa', author_email='andrew@topdog.za.net', url=
'https://github.com/akissa/spamc', license='AGPLv3+', packages=
find_packages(exclude=['tests']), include_package_data=True,
zip_safe=False, tests_require=TESTS_REQUIRE, install_requires=
INSTALL_REQUIRES, classifiers=['Development Status :: 4 - Beta',
'Programming Language :: Python',
'Programming Language :: Python :: 2.6',
'Programming Language :: Python :: 2.7',
'Topic :: Software Development :: Libraries :: Python Modules',
'Intended Audience :: Developers', lic,
'Natural Language :: English', 'Operating System :: OS Independent'])
setup(**opts)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n lic = (\n 'License :: OSI Approved :: GNU Affero General Public License v3 or later (AGPLv3+)'\n )\n version = load_source('version', ... |
def x(meeting):
now = datetime.datetime.utcnow()
mdate = meeting['meeting_date']
mtime = meeting['meeting_time_start']
dt_string = '%s %s' % (mdate, mtime)
meeting_dt = datetime.datetime.strptime(dt_string, '%Y-%m-%d %H:%M:%S')
relative_td = dateutil.relativedelta.relativedelta(meeting_dt, now)
denominations = ['years', 'months', 'days', 'hours', 'minutes']
for denomination in denominations:
value = getattr(relative_td, denomination)
if value:
if value == 1:
denomination = denomination[:-1]
return 'in %i %s' % (value, denomination)
return 'right now'
| casual_timedelta_string | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meeting):\n now = datetime.datetime.utcnow()\n mdate = meeting['meeting_date']\n mtime = meeting['meeting_time_start']\n dt_string = '%s %s' % (mda... |
def x(msg):
try:
path = msg['msg']['commit']['path']
project = path.split('.git')[0][9:]
except KeyError:
project = msg['msg']['commit']['repo']
return project
| repo_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n try:\n path = msg['msg']['commit']['path']\n project = path.split('.git')[0][9:]\n except KeyError:\n project = msg['msg']['... |
def x(self, period=None, start=None, end=None):
params = {}
if period:
params['period'] = period
if start:
params['start'] = start
if end:
params['end'] = end
return self.request.get('usage', params)
| usage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, period=None, start=None, end=None):\n params = {}\n if period:\n params['period'] = period\n if start:\n params['start'] = start\n... |
def x(file_column_name):
found = id_re.findall(file_column_name)
if not found:
return file_column_name
return '_'.join(x[0].lower() for x in found)
| standard_db_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_column_name):\n found = id_re.findall(file_column_name)\n if not found:\n return file_column_name\n return '_'.join(x[0].lower() for x in ... |
def x(input_txt):
if isinstance(input_txt, str):
text = u'{}'.format(input_txt)
elif isinstance(input_txt, bytes):
text = input_txt.decode('utf-8')
else:
raise TypeError(
"Expecting <class 'str'> or <class 'bytes'>, but {} was passed"
.format(type(input_txt)))
inputq = deque(text.split(u'\n'))
outputq = deque()
while len(inputq) > 0:
line = inputq.popleft()
if line.lstrip().startswith(u'#'):
comment = u'' + line + u'\n'
line = inputq.popleft()
while line.lstrip().startswith(u'#'):
comment += line + u'\n'
line = inputq.popleft()
outputq.append(comment)
for character in line:
outputq.append(character)
elif line.startswith(u';'):
multiline = u''
multiline += line + u'\n'
line = inputq.popleft()
while not line.startswith(u';'):
multiline += line + u'\n'
line = inputq.popleft()
multiline += line[:1]
outputq.append(multiline[1:-1])
for character in line[1:]:
outputq.append(character)
else:
for character in line:
outputq.append(character)
outputq.append(u'\n')
outputq.extend([u'\n', u''])
return outputq
| transform_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_txt):\n if isinstance(input_txt, str):\n text = u'{}'.format(input_txt)\n elif isinstance(input_txt, bytes):\n text = input_txt.decod... |
def x(text):
stream = transform_text(text)
wordchars = (
u'abcdfeghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789_ßàáâãäåæçèéêëìíîïðñòóôõöøùúûüýþÿÀÁÂÃÄÅÆÇÈÉÊËÌÍÎÏÐÑÒÓÔÕÖØÙÚÛÜÝÞ!@$%^&*()_+:;?/>.<,~`|\\{[}]-='
)
whitespace = u' \t\x0b\r\n'
comment = u'#'
state = u' '
token = u''
single_line_comment = u''
while len(stream) > 0:
nextnextchar = stream.popleft()
while True:
nextchar = nextnextchar
if len(stream) > 0:
nextnextchar = stream.popleft()
else:
nextnextchar = u''
if len(nextchar) > 1:
state = u' '
token = nextchar
break
elif nextchar in whitespace and nextnextchar in comment and state not in (
u"'", u'"'):
single_line_comment = u''
state = u'#'
if state is None:
token = u''
break
elif state == u' ':
if not nextchar:
state = None
break
elif nextchar in whitespace:
if token:
state = u' '
break
else:
continue
elif nextchar in wordchars:
token = nextchar
state = u'a'
elif nextchar == u"'" or nextchar == u'"':
token = nextchar
state = nextchar
else:
token = nextchar
if token:
state = u' '
break
else:
continue
elif state == u"'" or state == u'"':
token += nextchar
if nextchar == state:
if nextnextchar in whitespace:
state = u' '
token = token[1:-1]
break
elif state == u'#':
single_line_comment += nextchar
if nextchar == u'\n':
state = u' '
break
elif state == u'a':
if not nextchar:
state = None
break
elif nextchar in whitespace:
state = u' '
if token:
break
else:
continue
else:
token += nextchar
if nextnextchar:
stream.appendleft(nextnextchar)
yield token
token = u''
| bmrblex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n stream = transform_text(text)\n wordchars = (\n u'abcdfeghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789_ßàáâãäåæçèéêëìíîïðñòóôõö... |
def x():
available = []
try:
shell('ebook-convert')
available.append('calibre')
except OSError:
pass
try:
shell('pandoc --help')
available.append('pandoc')
except OSError:
pass
if not available:
sys.exit(error('No generator found, you cannot use md2ebook.'))
check_dependency_epubcheck()
return available
| check_dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n available = []\n try:\n shell('ebook-convert')\n available.append('calibre')\n except OSError:\n pass\n try:\n she... |
def x(self, key, owner, timeout=None, expire=None):
expire = datetime.utcnow() + timedelta(seconds=expire) if expire else None
try:
self.collection.insert({'_id': key, 'locked': True, 'owner': owner,
'created': datetime.utcnow(), 'expire': expire})
return True
except DuplicateKeyError:
start_time = datetime.utcnow()
while True:
if self._try_get_lock(key, owner, expire):
return True
if not timeout or datetime.utcnow() >= start_time + timedelta(
seconds=timeout):
return False
time.sleep(self.acquire_retry_step)
| lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, owner, timeout=None, expire=None):\n expire = datetime.utcnow() + timedelta(seconds=expire) if expire else None\n try:\n self.collectio... |
def x(self, key, owner):
status = self.collection.find_and_modify({'_id': key, 'owner': owner},
{'locked': False, 'owner': None, 'created': None, 'expire': None})
| release | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, owner):\n status = self.collection.find_and_modify({'_id': key, 'owner': owner},\n {'locked': False, 'owner': None, 'created': None, 'expi... |
def x(self, key, owner, expire=None):
lock = self.collection.find_one({'_id': key, 'owner': owner})
if not lock:
raise MongoLockException(u"Can't find lock for {key}: {owner}".
format(key=key, owner=owner))
if not lock['expire']:
return
if not expire:
raise MongoLockException(
u"Can't touch lock without expire for {0}: {1}".format(key, owner))
expire = datetime.utcnow() + timedelta(seconds=expire)
self.collection.update({'_id': key, 'owner': owner}, {'$set': {'expire':
expire}})
| touch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, owner, expire=None):\n lock = self.collection.find_one({'_id': key, 'owner': owner})\n if not lock:\n raise MongoLockException(u\"Can't... |
def x(self, archive_name):
res = self.collection.find_one({'_id': archive_name})
if res is None:
raise KeyError
return res
| get_archive_listing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name):\n res = self.collection.find_one({'_id': archive_name})\n if res is None:\n raise KeyError\n return res\n",
"role": "u... |
def x(self, archive_names):
res = self.collection.find({'_id': {'$in': list(archive_names)}})
if res is None:
res = []
return res
| batch_get_archive_listing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_names):\n res = self.collection.find({'_id': {'$in': list(archive_names)}})\n if res is None:\n res = []\n return res\n",
"ro... |
def x(self):
r = {}
keys = filter(lambda x: x.startswith('x-ratelimit-'), self.headers.keys())
for key in keys:
r[key.replace('x-ratelimit-', '')] = int(self.headers[key])
return r
| ratelimits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n r = {}\n keys = filter(lambda x: x.startswith('x-ratelimit-'), self.headers.keys())\n for key in keys:\n r[key.replace('x-ratelimit-',... |
def x(cls):
number_IO_expanders = (len(cls._list) - 1) / 4 + 1
cls.master_mask = [0, 0] * number_IO_expanders
for ctrlobj in cls:
cls.master_mask[ctrlobj.bank] |= ctrlobj.mask
if ctrlobj.pump_request == 1:
cls.master_mask[cls.pump_bank] |= 1 << cls.pump_pin
| compile_instance_masks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n number_IO_expanders = (len(cls._list) - 1) / 4 + 1\n cls.master_mask = [0, 0] * number_IO_expanders\n for ctrlobj in cls:\n cls.master_... |
def x(self):
ControlCluster.compile_instance_masks()
IO_expander_output(ControlCluster.bus, self.IOexpander, self.bank,
ControlCluster.master_mask[self.bank])
if self.bank != ControlCluster.pump_bank:
IO_expander_output(ControlCluster.bus, self.IOexpander,
ControlCluster.pump_bank, ControlCluster.master_mask[
ControlCluster.pump_bank])
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ControlCluster.compile_instance_masks()\n IO_expander_output(ControlCluster.bus, self.IOexpander, self.bank,\n ControlCluster.master_mask... |
def x(self):
if self.ID == 1:
self.IOexpander = 32
self.bank = 0
self.fan = 2
self.light = 3
self.valve = 4
elif self.ID == 2:
self.IOexpander = 32
self.bank = 0
self.fan = 5
self.light = 6
self.valve = 7
elif self.ID == 3:
self.IOexpander = 32
self.bank = 1
self.fan = 0
self.light = 1
self.valve = 2
elif self.ID == 4:
self.IOexpander = 32
self.bank = 1
self.fan = 3
self.light = 5
self.valve = 6
else:
raise InvalidIOMap('Mapping not available for ID: ' + str(self.ID))
if self.bank == 0 and min(self.fan, self.light, self.valve) < 2:
raise InvalidIOMap('Pins A0 and A1 are reserved for other functions')
self.GPIO_dict = [{'ID': self.ID, 'bank': self.bank, 'fan': self.fan,
'valve': self.valve, 'light': self.light}]
ControlCluster.GPIOdict.append(self.GPIO_dict)
| form_GPIO_map | [
{
"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.ID == 1:\n self.IOexpander = 32\n self.bank = 0\n self.fan = 2\n self.light = 3\n self.valve = 4\n el... |
def x(self, operation):
if operation == 'on':
self.controls['pump'] = 'on'
elif operation == 'off':
self.controls['pump'] = 'off'
return True
| manage_pump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, operation):\n if operation == 'on':\n self.controls['pump'] = 'on'\n elif operation == 'off':\n self.controls['pump'] = 'off'\n re... |
def x(self, on=[], off=[]):
controls = {'light', 'valve', 'fan', 'pump'}
def x(arg):
if type(arg) is str:
if arg == 'all':
return controls
else:
return {arg} & controls
else:
return set(arg) & controls
for item in cast_arg(on):
self.manage(item, 'on')
for item in cast_arg(off):
self.manage(item, 'off')
sleep(0.01)
return self.update()
| control | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, on=[], off=[]):\n controls = {'light', 'valve', 'fan', 'pump'}\n\n def x(arg):\n if type(arg) is str:\n if arg == 'all':\n ... |
def x(self):
current_mask = get_IO_reg(ControlCluster.bus, self.IOexpander, self.bank)
if current_mask & 1 << ControlCluster.pump_pin:
self.manage_pump('on')
if current_mask & 1 << self.fan:
self.manage_fan('on')
if current_mask & 1 << self.light:
self.manage_fan('on')
| restore_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n current_mask = get_IO_reg(ControlCluster.bus, self.IOexpander, self.bank)\n if current_mask & 1 << ControlCluster.pump_pin:\n self.manage... |
def x(key=''):
if not isinstance(key, datastore.Key):
safe_key = key.replace(':', '|')
key = datastore.Key(os.path.join(NAMESPACE, safe_key))
return key
| key | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key=''):\n if not isinstance(key, datastore.Key):\n safe_key = key.replace(':', '|')\n key = datastore.Key(os.path.join(NAMESPACE, safe_key))\... |
def x(cls, key, defaults={}):
instance = cls.get(key)
if not instance:
created = True
data = dict(key=key)
data.update(defaults)
instance = cls.update(data, data, upsert=True)
else:
created = False
return instance, created
| get_or_create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, key, defaults={}):\n instance = cls.get(key)\n if not instance:\n created = True\n data = dict(key=key)\n data.update(defaults)... |
def x(cls, spec, updates, upsert=False):
if 'key' in spec:
previous = cls.get(spec['key'])
else:
previous = None
if previous:
current = cls(**previous.__dict__)
elif upsert:
current = cls(**spec)
else:
current = None
if current:
current.__dict__.update(updates)
current.save()
return current
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, spec, updates, upsert=False):\n if 'key' in spec:\n previous = cls.get(spec['key'])\n else:\n previous = None\n if previous:\n ... |
def x(cls):
if hasattr(cls.ds, '_redis'):
r = cls.ds._redis
keys = r.keys()
serializer = cls.ds.child_datastore.serializer
def x(k):
value = r.get(k)
return value if value is None else serializer.loads(value)
return [get_value(k) for k in keys]
else:
raise NotImplementedError
| queryless_all | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n if hasattr(cls.ds, '_redis'):\n r = cls.ds._redis\n keys = r.keys()\n serializer = cls.ds.child_datastore.serializer\n\n ... |
def x(self, manager, condition_set, field_name, condition, commit=True):
condition_set = manager.get_condition_set_by_id(condition_set)
namespace = condition_set.get_namespace()
if namespace not in self.value:
return
if field_name not in self.value[namespace]:
return
conditions = self.value[namespace][field_name]
self.value[namespace][field_name] = [c for c in conditions if c[1] !=
condition]
if not self.value[namespace][field_name]:
del self.value[namespace][field_name]
if not self.value[namespace]:
del self.value[namespace]
if commit:
self.save()
| remove_condition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manager, condition_set, field_name, condition, commit=True):\n condition_set = manager.get_condition_set_by_id(condition_set)\n namespace = conditi... |
def x(self, manager):
for condition_set in sorted(manager.get_condition_sets(), key=lambda x:
x.get_group_label()):
ns = condition_set.get_namespace()
condition_set_id = condition_set.get_id()
if ns in self.value:
group = condition_set.get_group_label()
for name, field in condition_set.fields.iteritems():
for value in self.value[ns].get(name, []):
try:
yield condition_set_id, group, field, value[1], value[0
] == EXCLUDE
except TypeError:
continue
| get_active_conditions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, manager):\n for condition_set in sorted(manager.get_condition_sets(), key=lambda x:\n x.get_group_label()):\n ns = condition_set.get_nam... |
def x(self, output_type, output_params):
return self.request.post('validate', dict(output_type=output_type,
output_params=output_params))
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, output_type, output_params):\n return self.request.post('validate', dict(output_type=output_type,\n output_params=output_params))\n",
"role... |
def x(self, stream, name, output_type, output_params, initial_status=None,
start=None, end=None):
return self._create(True, stream, name, output_type, output_params,
initial_status, start, end)
| create_from_hash | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, stream, name, output_type, output_params, initial_status=None,\n start=None, end=None):\n return self._create(True, stream, name, output_type, outp... |
def x(self, historics_id, name, output_type, output_params, initial_status=
None, start=None, end=None):
return self._create(False, historics_id, name, output_type,
output_params, initial_status, start, end)
| create_from_historics | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, historics_id, name, output_type, output_params, initial_status=\n None, start=None, end=None):\n return self._create(False, historics_id, name, out... |
def x(self, subscription_id):
return self.request.post('pause', data=dict(id=subscription_id))
| pause | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id):\n return self.request.post('pause', data=dict(id=subscription_id))\n",
"role": "user"
},
{
"content": "pause",
"role... |
def x(self, subscription_id):
return self.request.post('resume', data=dict(id=subscription_id))
| resume | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id):\n return self.request.post('resume', data=dict(id=subscription_id))\n",
"role": "user"
},
{
"content": "resume",
"ro... |
def x(self, subscription_id, output_params, name=None):
params = {'id': subscription_id, 'output_params': output_params}
if name:
params['name'] = name
return self.request.post('update', params)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id, output_params, name=None):\n params = {'id': subscription_id, 'output_params': output_params}\n if name:\n params['name'] =... |
def x(self, subscription_id):
return self.request.post('stop', data=dict(id=subscription_id))
| stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id):\n return self.request.post('stop', data=dict(id=subscription_id))\n",
"role": "user"
},
{
"content": "stop",
"role":... |
def x(self, subscription_id):
return self.request.post('delete', data=dict(id=subscription_id))
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id):\n return self.request.post('delete', data=dict(id=subscription_id))\n",
"role": "user"
},
{
"content": "delete",
"ro... |
def x(self, subscription_id=None, page=None, per_page=None, order_by=None,
order_dir=None):
params = {}
if subscription_id:
params['id'] = subscription_id
if page:
params['page'] = page
if per_page:
params['per_page'] = per_page
if order_by:
params['order_by'] = order_by
if order_dir:
params['order_dir'] = order_dir
return self.request.get('log', params=params)
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id=None, page=None, per_page=None, order_by=None,\n order_dir=None):\n params = {}\n if subscription_id:\n params['id'] = su... |
def x(self, subscription_id=None, stream=None, historics_id=None, page=None,
per_page=None, order_by=None, order_dir=None, include_finished=None):
params = {}
if subscription_id:
params['id'] = subscription_id
if stream:
params['hash'] = stream
if historics_id:
params['historics_id'] = historics_id
if page:
params['page'] = page
if per_page:
params['per_page'] = per_page
if order_by:
params['order_by'] = order_by
if order_dir:
params['order_dir'] = order_dir
if include_finished:
params['include_finished'] = 1 if include_finished else 0
return self.request.get('get', params=params)
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subscription_id=None, stream=None, historics_id=None, page=None,\n per_page=None, order_by=None, order_dir=None, include_finished=None):\n params =... |
def x(msg, key='project'):
project = msg[key]['name']
ns = msg[key].get('namespace')
if ns:
project = '/'.join([ns, project])
if msg[key]['parent']:
user = msg[key]['user']['name']
project = '/'.join(['fork', user, project])
return project
| get_project | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, key='project'):\n project = msg[key]['name']\n ns = msg[key].get('namespace')\n if ns:\n project = '/'.join([ns, project])\n if msg[key... |
def x(msg, tmpl, **config):
repo = _get_project(msg['msg']['commit'], key='repo')
email = msg['msg']['commit']['email']
user = email2fas(email, **config)
summ = msg['msg']['commit']['summary']
whole = msg['msg']['commit']['message']
if summ.strip() != whole.strip():
summ += ' (..more)'
branch = msg['msg']['commit']['branch']
if 'refs/heads/' in branch:
branch = branch.replace('refs/heads/', '')
return tmpl.format(user=user or email, repo=repo, branch=branch,
summary=summ)
| git_receive_v1 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, tmpl, **config):\n repo = _get_project(msg['msg']['commit'], key='repo')\n email = msg['msg']['commit']['email']\n user = email2fas(email, **conf... |
def x(msg, tmpl):
repo = _get_project(msg['msg'], key='repo')
user = msg['msg']['agent']
n_commits = msg['msg']['total_commits']
commit_lbl = 'commit' if str(n_commits) == '1' else 'commits'
branch = msg['msg']['branch']
if 'refs/heads/' in branch:
branch = branch.replace('refs/heads/', '')
return tmpl.format(user=user, repo=repo, branch=branch, n_commits=
n_commits, commit_lbl=commit_lbl)
| git_receive_v2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg, tmpl):\n repo = _get_project(msg['msg'], key='repo')\n user = msg['msg']['agent']\n n_commits = msg['msg']['total_commits']\n commit_lbl = 'co... |
def x(self, archive_name, version_metadata):
version_metadata['updated'] = self.create_timestamp()
version_metadata['version'] = str(version_metadata.get('version', None))
if version_metadata.get('message') is not None:
version_metadata['message'] = str(version_metadata['message'])
self._update(archive_name, version_metadata)
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, version_metadata):\n version_metadata['updated'] = self.create_timestamp()\n version_metadata['version'] = str(version_metadata.get('... |
def x(self, archive_name, archive_metadata):
required_metadata_keys = self.required_archive_metadata.keys()
for key, val in archive_metadata.items():
if key in required_metadata_keys and val is None:
raise ValueError('Cannot remove required metadata attribute "{}"'
.format(key))
self._update_metadata(archive_name, archive_metadata)
| update_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, archive_name, archive_metadata):\n required_metadata_keys = self.required_archive_metadata.keys()\n for key, val in archive_metadata.items():\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.