source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(args):
try:
p = Popen(args, shell=False, stdout=PIPE, stderr=PIPE, close_fds=os
.name != 'nt', universal_newlines=True)
except OSError as e:
raise OSError("Error executing '{:}': '{:}'".format(args[0], e.
strerror))
output, errors = p.communicate()
return output, text_type(errors), p.returncode
| popen_wrapper | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n try:\n p = Popen(args, shell=False, stdout=PIPE, stderr=PIPE, close_fds=os\n .name != 'nt', universal_newlines=True)\n except ... |
def x(str, print_ret=False, usr_pwd=None, run=True):
if usr_pwd:
str = 'echo {} | sudo -u {} {} '.format(usr_pwd[1], usr_pwd[0], str)
print(' [>] {}'.format(str))
if run:
err, ret = commands.getstatusoutput(str)
else:
err = None
ret = None
if err:
print(' [x] {}'.format(ret))
raise Exception(ret)
if ret and print_ret:
lines = ret.split('\n')
for line in lines:
print(' [<] {}'.format(line))
return ret
| cmd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(str, print_ret=False, usr_pwd=None, run=True):\n if usr_pwd:\n str = 'echo {} | sudo -u {} {} '.format(usr_pwd[1], usr_pwd[0], str)\n print(' [>]... |
def x(plist):
nlist = plist.split('\n')
pkgs = []
for i in nlist:
if i.find('===') > 0:
continue
pkg = i.split()[0]
if pkg == 'Warning:':
continue
elif pkg == 'Could':
continue
elif pkg == 'Some':
continue
elif pkg == 'You':
continue
elif not pkg:
continue
pkgs.append(pkg)
print(' >> Found', len(pkgs), 'packages')
return pkgs
| getPackages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plist):\n nlist = plist.split('\\n')\n pkgs = []\n for i in nlist:\n if i.find('===') > 0:\n continue\n pkg = i.split()[0]\n ... |
def x(usr_pswd=None):
try:
cmd('which pip')
except:
return
print('-[pip]----------')
p = cmd('pip list --outdated')
if not p:
return
pkgs = getPackages(p)
for i, p in enumerate(pkgs):
if p in ['pip', 'setuptools']:
cmd('pip install -U ' + p, usr_pwd=usr_pswd, run=global_run)
pkgs.pop(i)
for p in pkgs:
cmd('pip install -U ' + p, usr_pwd=usr_pswd, run=global_run)
| pip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(usr_pswd=None):\n try:\n cmd('which pip')\n except:\n return\n print('-[pip]----------')\n p = cmd('pip list --outdated')\n if not... |
def x(clean=False):
try:
cmd('which brew')
except:
return
print('-[brew]----------')
cmd('brew update')
p = cmd('brew outdated')
if not p:
return
pkgs = getPackages(p)
for p in pkgs:
cmd('brew upgrade {}'.format(p), run=global_run)
if clean:
print(' > brew prune old sym links and cleanup')
cmd('brew prune')
cmd('brew cleanup')
| brew | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(clean=False):\n try:\n cmd('which brew')\n except:\n return\n print('-[brew]----------')\n cmd('brew update')\n p = cmd('brew outd... |
def x():
print('================================')
print(' WARNING: upgrading the kernel')
print('================================')
time.sleep(5)
print('-[kernel]----------')
cmd('rpi-update', True)
print(' >> You MUST reboot to load the new kernel <<')
| kernel | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n print('================================')\n print(' WARNING: upgrading the kernel')\n print('================================')\n time.sleep(... |
def x(usr_pwd=None, clean=False):
try:
cmd('which npm')
except:
return
print('-[npm]----------')
p = cmd("npm outdated -g | awk 'NR>1 {print $1}'")
if not p:
return
pkgs = getPackages(p)
for p in pkgs:
cmd('{} {}'.format('npm update -g ', p), usr_pwd=usr_pwd, run=
global_run)
| npm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(usr_pwd=None, clean=False):\n try:\n cmd('which npm')\n except:\n return\n print('-[npm]----------')\n p = cmd(\"npm outdated -g | aw... |
def x(self):
self.stop()
interval = Interval()
interval._start_instant = self.stop_instant
return interval
| split | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.stop()\n interval = Interval()\n interval._start_instant = self.stop_instant\n return interval\n",
"role": "user"
},
{
"c... |
def x(self):
if self._start_instant is None:
raise IntervalException(
'Attempt to stop an interval that has not started.')
if self._stop_instant is None:
self._stop_instant = instant()
self._duration = int((self._stop_instant - self._start_instant) * 1000)
return self._duration
return False
| stop | [
{
"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._start_instant is None:\n raise IntervalException(\n 'Attempt to stop an interval that has not started.')\n if self._s... |
def x(self):
if self._start_instant is None:
return False
if self._stop_instant is None:
return int((instant() - self._start_instant) * 1000)
return False
| duration_so_far | [
{
"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._start_instant is None:\n return False\n if self._stop_instant is None:\n return int((instant() - self._start_instant) * 1... |
def x(self):
if self._stop_instant is None:
return int((instant() - self._start_instant) * 1000)
if self._duration is None:
self._duration = int((self._stop_instant - self._start_instant) * 1000)
return self._duration
| duration | [
{
"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._stop_instant is None:\n return int((instant() - self._start_instant) * 1000)\n if self._duration is None:\n self._duratio... |
def x(self, paths, index=0):
try:
value = paths[self.path_preference_order[index]]
except KeyError:
value = self.__get_preferential_value(paths, index + 1)
except IndexError:
msg = (
"Cannot fork to any of the provided path's values. Perhaps add a fallback path (set to `True`) in your fork's instantiation?"
)
raise self.PathNotAvailable(msg)
return value
| get_preferential_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths, index=0):\n try:\n value = paths[self.path_preference_order[index]]\n except KeyError:\n value = self.__get_preferential_value... |
def x(self, name):
if name not in self._objects:
module = _import_module(name)
self._objects[name] = module
self._object_references[id(module)] = name
return self._objects[name]
| import_module | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n if name not in self._objects:\n module = _import_module(name)\n self._objects[name] = module\n self._object_references[i... |
def x(name):
segments = name.split('.')
while segments:
test = '.'.join(segments)
if test in settings.get('COMPONENTS', []):
return test
segments.pop()
if not segments and '.models' in name:
return _component_of(name.replace('.models', ''))
| component_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n segments = name.split('.')\n while segments:\n test = '.'.join(segments)\n if test in settings.get('COMPONENTS', []):\n ... |
def x(self, commit=False):
if not has_identity(self):
session.add(self)
if commit:
session.commit()
else:
session.flush()
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commit=False):\n if not has_identity(self):\n session.add(self)\n if commit:\n session.commit()\n else:\n session.flush()\n... |
def x(sport, league_id, team_id, start_date=None):
url = '%s/%s/%s/' % (SPORT_URLS[sport], league_id, team_id)
if start_date is not None:
url += 'team?&date=%s' % start_date
return url
| url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sport, league_id, team_id, start_date=None):\n url = '%s/%s/%s/' % (SPORT_URLS[sport], league_id, team_id)\n if start_date is not None:\n url += '... |
def x(page):
soup = BeautifulSoup(page)
try:
return soup.find('title').text.split(' | ')[0].split(' - ')[1]
except:
return None
| team | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n soup = BeautifulSoup(page)\n try:\n return soup.find('title').text.split(' | ')[0].split(' - ')[1]\n except:\n return None\n",
... |
def x(page):
soup = BeautifulSoup(page)
try:
return soup.find('title').text.split(' | ')[0].split(' - ')[0]
except:
return None
| league | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n soup = BeautifulSoup(page)\n try:\n return soup.find('title').text.split(' | ')[0].split(' - ')[0]\n except:\n return None\n",
... |
def x(page):
soup = BeautifulSoup(page)
try:
page_date = soup.find('input', attrs={'name': 'date'})['value']
parsed_date = datetime.strptime(page_date, '%Y-%m-%d')
return parsed_date.strftime('%a, %b %d, %Y')
except:
return None
| date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n soup = BeautifulSoup(page)\n try:\n page_date = soup.find('input', attrs={'name': 'date'})['value']\n parsed_date = datetime.strpt... |
def x(page):
soup = BeautifulSoup(page)
try:
bench = soup.find_all('tr', class_='bench')
bench_bios = [p.find('div', class_='ysf-player-name') for p in bench]
names = [p.find('a').text for p in bench_bios]
details = [p.find('span').text for p in bench_bios]
opponents = [p.find_all('td', recursive=False)[3].text for p in bench]
players = [{'name': n, 'details': d, 'opponent': o} for n, d, o in
zip(names, details, opponents)]
return [p for p in players if len(p['opponent']) > 0]
except:
return None
| alternates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n soup = BeautifulSoup(page)\n try:\n bench = soup.find_all('tr', class_='bench')\n bench_bios = [p.find('div', class_='ysf-player-n... |
def x(page):
soup = BeautifulSoup(page)
try:
return soup.find('a', href=True, text='Start Active Players')['href']
except:
return None
| start_active_players_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page):\n soup = BeautifulSoup(page)\n try:\n return soup.find('a', href=True, text='Start Active Players')['href']\n except:\n return No... |
def x(self, metadata: MetaData) ->None:
relDir = self._packageCfg.config.storage.alembicDir(require_string)
alembicDir = os.path.join(self.rootDir, relDir)
if not os.path.isdir(alembicDir):
raise NotADirectoryError(alembicDir)
self._dbConn = DbConnection(dbConnectString=self.platform.
dbConnectString, metadata=metadata, alembicDir=alembicDir,
enableCreateAll=False)
self._dbConn.migrate()
| migrateStorageSchema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, metadata: MetaData) ->None:\n relDir = self._packageCfg.config.storage.alembicDir(require_string)\n alembicDir = os.path.join(self.rootDir, relDir)... |
def x(self, Declarative, count) ->Deferred:
return self._dbConn.prefetchDeclarativeIds(Declarative=Declarative,
count=count)
| prefetchDeclarativeIds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, Declarative, count) ->Deferred:\n return self._dbConn.prefetchDeclarativeIds(Declarative=Declarative,\n count=count)\n",
"role": "user"
}... |
def x(func):
def x(*args, **kwargs):
if func.__name__ in CTX.run_once:
LOGGER.info('skipping %s', func.__name__)
return CTX.run_once[func.__name__]
LOGGER.info('running: %s', func.__name__)
result = func(*args, **kwargs)
CTX.run_once[func.__name__] = result
return result
return _inner
| run_once | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(*args, **kwargs):\n if func.__name__ in CTX.run_once:\n LOGGER.info('skipping %s', func.__name__)\n return CTX... |
def x(self, commands=None, default_command=None, context=None):
if commands:
self._commands.update(commands)
from alchemist.commands import Shell
self._commands['shell'] = Shell(context=context)
if default_command is not None and len(sys.argv) == 1:
sys.argv.append(default_command)
try:
result = self.handle(sys.argv[0], sys.argv[1:])
except SystemExit as e:
result = e.code
sys.exit(result or 0)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, commands=None, default_command=None, context=None):\n if commands:\n self._commands.update(commands)\n from alchemist.commands import Shell\... |
def x(dice: List[int], min_same_faces: int) ->int:
for die, count in Counter(dice).most_common(1):
if count >= min_same_faces:
return sum(dice)
return 0
| score_x_of_a_kind_yahtzee | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int], min_same_faces: int) ->int:\n for die, count in Counter(dice).most_common(1):\n if count >= min_same_faces:\n return sum(... |
def x(dice: List[int], min_same_faces: int) ->int:
for die, count in Counter(dice).most_common(1):
if count >= min_same_faces:
return die * min_same_faces
return 0
| score_x_of_a_kind_yatzy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int], min_same_faces: int) ->int:\n for die, count in Counter(dice).most_common(1):\n if count >= min_same_faces:\n return die ... |
def x(dice: List[int]) ->int:
global CONSTANT_SCORES_YAHTZEE
dice_set = set(dice)
if _are_two_sets_equal({1, 2, 3, 4}, dice_set) or _are_two_sets_equal({
2, 3, 4, 5}, dice_set) or _are_two_sets_equal({3, 4, 5, 6}, dice_set):
return CONSTANT_SCORES_YAHTZEE[Category.SMALL_STRAIGHT]
return 0
| score_small_straight_yahztee | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int]) ->int:\n global CONSTANT_SCORES_YAHTZEE\n dice_set = set(dice)\n if _are_two_sets_equal({1, 2, 3, 4}, dice_set) or _are_two_sets_equa... |
def x(dice: List[int]) ->int:
dice_set = set(dice)
if _are_two_sets_equal({1, 2, 3, 4, 5}, dice_set):
return sum(dice)
return 0
| score_small_straight_yatzy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int]) ->int:\n dice_set = set(dice)\n if _are_two_sets_equal({1, 2, 3, 4, 5}, dice_set):\n return sum(dice)\n return 0\n",
"role... |
def x(dice: List[int]) ->int:
global CONSTANT_SCORES_YAHTZEE
dice_set = set(dice)
if _are_two_sets_equal({1, 2, 3, 4, 5}, dice_set) or _are_two_sets_equal({
2, 3, 4, 5, 6}, dice_set):
return CONSTANT_SCORES_YAHTZEE[Category.LARGE_STRAIGHT]
return 0
| score_large_straight_yahtzee | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int]) ->int:\n global CONSTANT_SCORES_YAHTZEE\n dice_set = set(dice)\n if _are_two_sets_equal({1, 2, 3, 4, 5}, dice_set) or _are_two_sets_e... |
def x(dice: List[int]) ->int:
dice_set = set(dice)
if _are_two_sets_equal({2, 3, 4, 5, 6}, dice_set):
return sum(dice)
return 0
| score_large_straight_yatzy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dice: List[int]) ->int:\n dice_set = set(dice)\n if _are_two_sets_equal({2, 3, 4, 5, 6}, dice_set):\n return sum(dice)\n return 0\n",
"role... |
def x(coll, key, value):
if getattr(value, '__iter__', None):
iterable = value
else:
iterable = [value]
return [v for v in coll if key in v and v[key] in iterable]
| select_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coll, key, value):\n if getattr(value, '__iter__', None):\n iterable = value\n else:\n iterable = [value]\n return [v for v in coll if k... |
def x(stat_dset, atlas=None, p=0.001):
atlas = find_atlas(atlas)
if atlas == None:
return None
mask_dset = nl.suffix(stat_dset, '_atlasfrac')
nl.run(['3dfractionize', '-template', nl.strip_subbrick(stat_dset),
'-input', nl.calc([atlas], '1+step(a-100)', datum='short'),
'-preserve', '-clip', '0.2', '-prefix', mask_dset], products=
mask_dset, quiet=True, stderr=None)
s = nl.roi_stats(mask_dset, nl.thresh(stat_dset, p))
return 100.0 * s[2]['nzvoxels'] / (s[1]['nzvoxels'] + s[2]['nzvoxels'])
| inside_brain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stat_dset, atlas=None, p=0.001):\n atlas = find_atlas(atlas)\n if atlas == None:\n return None\n mask_dset = nl.suffix(stat_dset, '_atlasfrac')... |
def x(dset, atlas=None):
atlas = find_atlas(atlas)
if atlas == None:
return None
cost_func = 'crM'
infile = os.path.abspath(dset)
tmpdir = tempfile.mkdtemp()
with nl.run_in(tmpdir):
o = nl.run(['3dAllineate', '-verb', '-base', atlas, '-source',
infile + '[0]', '-NN', '-final', 'NN', '-cost', cost_func,
'-nmatch', '20%', '-onepass', '-fineblur', '2', '-cmass',
'-prefix', 'test.nii.gz'])
m = re.search('Final\\s+cost = ([\\d.]+) ;', o.output)
if m:
cost = float(m.group(1))
o = nl.run(['3dmaskave', '-mask', atlas, '-q', 'test.nii.gz'],
stderr=None)
data_thresh = float(o.output) / 4
i = nl.dset_info('test.nii.gz')
o = nl.run(['3dmaskave', '-q', '-mask', 'SELF', '-sum', nl.calc([
atlas, 'test.nii.gz'], 'equals(step(a-10),step(b-%.2f))' %
data_thresh)], stderr=None)
overlap = 100 * float(o.output) / (i.voxel_dims[0] * i.voxel_dims[1
] * i.voxel_dims[2])
try:
shutil.rmtree(tmpdir)
except:
pass
return cost, overlap
| atlas_overlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, atlas=None):\n atlas = find_atlas(atlas)\n if atlas == None:\n return None\n cost_func = 'crM'\n infile = os.path.abspath(dset)\n t... |
def x(dset, fraction=0.1):
polort = nl.auto_polort(dset)
info = nl.dset_info(dset)
o = nl.run(['3dToutcount', '-fraction', '-automask', '-polort', polort,
dset], stderr=None, quiet=None)
if o.return_code == 0 and o.output:
oc = [float(x) for x in o.output.split('\n') if x.strip() != '']
binary_outcount = [(x < fraction) for x in oc]
perc_outliers = 1 - sum(binary_outcount) / float(info.reps)
return oc, perc_outliers
| outcount | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, fraction=0.1):\n polort = nl.auto_polort(dset)\n info = nl.dset_info(dset)\n o = nl.run(['3dToutcount', '-fraction', '-automask', '-polort', pol... |
def x(signal_dset, noise_dset, mask=None, prefix='temporal_snr.nii.gz'):
for d in [('mean', signal_dset), ('stdev', noise_dset)]:
new_d = nl.suffix(d[1], '_%s' % d[0])
cmd = ['3dTstat', '-%s' % d[0], '-prefix', new_d]
if mask:
cmd += ['-mask', mask]
cmd += [d[1]]
nl.run(cmd, products=new_d)
nl.calc([nl.suffix(signal_dset, '_mean'), nl.suffix(noise_dset,
'_stdev')], 'a/b', prefix=prefix)
| temporal_snr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(signal_dset, noise_dset, mask=None, prefix='temporal_snr.nii.gz'):\n for d in [('mean', signal_dset), ('stdev', noise_dset)]:\n new_d = nl.suffix(d[1... |
def x(dset, inside_perc=60, atlas=None, p=0.001):
with nl.notify('Running quality check on %s:' % dset):
if not os.path.exists(dset):
nl.notify('Error: cannot find the file!', level=nl.level.error)
return False
info = nl.dset_info(dset)
if not info:
nl.notify('Error: could not read the dataset!', level=nl.level.
error)
if any([('stat' in x) for x in info.subbricks]):
with nl.notify('Statistical results detected...'):
inside = inside_brain(dset, atlas=atlas, p=p)
nl.notify('%.1f significant voxels inside brain')
if inside < inside_perc:
nl.notify('Warning: below quality threshold!', level=nl
.level.warning)
nl.notify('Looks ok')
return inside
if len(info.subbricks) > 1:
with nl.notify('Time-series detected...'):
return_val = True
cost, overlap = atlas_overlap(dset)
if cost > 0.15 or overlap < 80:
nl.notify(
'Warning: does not appear to conform to brain dimensions'
, level=nl.level.warning)
return_val = False
if len(info.subbricks) > 5:
oc, perc_outliers = outcount(dset)
if perc_outliers > 0.1:
nl.notify(
'Warning: large amount of outlier time points',
level=nl.level.warning)
return_val = False
if return_val:
nl.notify('Looks ok')
return min(100 * (1 - cost), overlap, 100 * perc_outliers)
return False
with nl.notify('Single brain image detected...'):
cost, overlap = atlas_overlap(dset)
if cost > 0.45 or overlap < 70:
nl.notify(
'Warning: does not appear to conform to brain dimensions',
level=nl.level.warning)
return False
nl.notify('Looks ok')
return min(100 * (1 - cost), overlap)
| auto_qc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset, inside_perc=60, atlas=None, p=0.001):\n with nl.notify('Running quality check on %s:' % dset):\n if not os.path.exists(dset):\n nl.n... |
def x(func, *resultclasses):
@total_ordering
class __proxy__(Promise):
"""
Encapsulate a function call and act as a proxy for methods that are
called on the result of that function. The function is not evaluated
until one of the methods on the result is called.
"""
__prepared = False
def x(self, args, kw):
self.__args = args
self.__kw = kw
if not self.__prepared:
self.__prepare_class__()
self.__prepared = True
def x(self):
return _lazy_proxy_unpickle, (func, self.__args, self.__kw
) + resultclasses
def x(self):
return repr(self.__cast())
@classmethod
def x(cls):
for resultclass in resultclasses:
for type_ in resultclass.mro():
for method_name in type_.__dict__.keys():
if hasattr(cls, method_name):
continue
meth = cls.__promise__(method_name)
setattr(cls, method_name, meth)
cls._delegate_bytes = bytes in resultclasses
cls._delegate_text = str in resultclasses
assert not (cls._delegate_bytes and cls._delegate_text
), 'Cannot call lazy() with both bytes and text return types.'
if cls._delegate_text:
cls.__str__ = cls.__text_cast
elif cls._delegate_bytes:
cls.__bytes__ = cls.__bytes_cast
@classmethod
def x(cls, method_name):
def x(self, *args, **kw):
res = func(*self.__args, **self.__kw)
return getattr(res, method_name)(*args, **kw)
return __wrapper__
def x(self):
return func(*self.__args, **self.__kw)
def x(self):
return bytes(func(*self.__args, **self.__kw))
def x(self):
return func(*self.__args, **self.__kw).encode()
def x(self):
if self._delegate_bytes:
return self.__bytes_cast()
elif self._delegate_text:
return self.__text_cast()
else:
return func(*self.__args, **self.__kw)
def x(self):
return str(self.__cast())
def x(self, other):
if isinstance(other, Promise):
other = other.__cast()
return self.__cast() == other
def x(self, other):
if isinstance(other, Promise):
other = other.__cast()
return self.__cast() < other
def x(self):
return hash(self.__cast())
def x(self, rhs):
if self._delegate_text:
return str(self) % rhs
return self.__cast() % rhs
def x(self, memo):
memo[id(self)] = self
return self
@wraps(func)
def x(*args, **kw):
return __proxy__(args, kw)
return __wrapper__
| lazy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, *resultclasses):\n\n\n @total_ordering\n class __proxy__(Promise):\n \"\"\"\n Encapsulate a function call and act as a proxy for meth... |
def x(self, conn_retries=None):
if conn_retries is None:
conn_retries = self.conn_retries
count = 0
if self.logger:
self.logger.info('Connecting to Redis..')
while count < conn_retries:
super(redis.client.Redis, self).__init__(*self.args, **self.kwargs)
if self.ping():
if self.logger:
self.logger.info('Connected to Redis!')
return True
else:
sl = min(3 ** count, self.max_sleep)
if self.logger:
self.logger.info('Connecting failed, retrying in {0} seconds'
.format(sl))
time.sleep(sl)
count += 1
raise ConnectionError
| reconnect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conn_retries=None):\n if conn_retries is None:\n conn_retries = self.conn_retries\n count = 0\n if self.logger:\n self.logger.info... |
def x(self, pipe, queue, number):
pipe.lrange(queue, 0, number - 1)
pipe.ltrim(queue, number, -1)
| multi_lpop_pipeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe, queue, number):\n pipe.lrange(queue, 0, number - 1)\n pipe.ltrim(queue, number, -1)\n",
"role": "user"
},
{
"content": "multi_lpo... |
def x(self, queue, number, transaction=False):
try:
pipe = self.pipeline(transaction=transaction)
pipe.multi()
self._multi_lpop_pipeline(pipe, queue, number)
return pipe.execute()[0]
except IndexError:
return []
except:
raise
| multi_lpop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, number, transaction=False):\n try:\n pipe = self.pipeline(transaction=transaction)\n pipe.multi()\n self._multi_lpop_pipel... |
def x(self, pipe, queue, values, bulk_size=0):
cont = 0
for value in values:
pipe.rpush(queue, value)
if bulk_size != 0 and cont % bulk_size == 0:
pipe.execute()
| multi_rpush_pipeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pipe, queue, values, bulk_size=0):\n cont = 0\n for value in values:\n pipe.rpush(queue, value)\n if bulk_size != 0 and cont % bulk_s... |
def x(self, queue, values, bulk_size=0, transaction=False):
if hasattr(values, '__iter__'):
pipe = self.pipeline(transaction=transaction)
pipe.multi()
self._multi_rpush_pipeline(pipe, queue, values, bulk_size)
pipe.execute()
else:
raise ValueError('Expected an iterable')
| multi_rpush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, values, bulk_size=0, transaction=False):\n if hasattr(values, '__iter__'):\n pipe = self.pipeline(transaction=transaction)\n pipe... |
def x(self, queue, values, limit=100000):
lua = """
local queue = KEYS[1]
local max_size = tonumber(KEYS[2])
local table_len = tonumber(table.getn(ARGV))
local redis_queue_len = tonumber(redis.call('LLEN', queue))
local total_size = redis_queue_len + table_len
local from = 0
if total_size >= max_size then
-- Delete the same amount of data we are inserting. Even better, limit the queue to the specified size
redis.call('PUBLISH', 'DEBUG', 'trim')
if redis_queue_len - max_size + table_len > 0 then
from = redis_queue_len - max_size + table_len
else
from = 0
end
redis.call('LTRIM', queue, from, redis_queue_len)
end
for _,key in ipairs(ARGV) do
redis.call('RPUSH', queue, key)
end
return 1
"""
if hasattr(values, '__iter__'):
if len(values) > limit:
raise ValueError(
'The iterable size is bigger than the allowed limit ({1}): {0}'
.format(len(values), limit))
try:
self.multi_rpush_limit_script([queue, limit], values)
except AttributeError:
if self.logger:
self.logger.info('Script not registered... registering')
self.multi_rpush_limit_script = self.register_script(lua)
self.multi_rpush_limit_script([queue, limit], values)
else:
raise ValueError('Expected an iterable')
| multi_rpush_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, values, limit=100000):\n lua = \"\"\"\n local queue = KEYS[1]\n local max_size = tonumber(KEYS[2])\n local table_len = ton... |
def x(self, queue, value, limit=100000):
lua = """
local queue = KEYS[1]
local max_size = tonumber(KEYS[2])
local table_len = 1
local redis_queue_len = tonumber(redis.call('LLEN', queue))
local total_size = redis_queue_len + table_len
local from = 0
if total_size >= max_size then
-- Delete the same amount of data we are inserting. Even better, limit the queue to the specified size
redis.call('PUBLISH', 'DEBUG', 'trim')
if redis_queue_len - max_size + table_len > 0 then
from = redis_queue_len - max_size + table_len
else
from = 0
end
redis.call('LTRIM', queue, from, redis_queue_len)
end
redis.call('RPUSH', queue, ARGV[1])
return 1
"""
try:
self.rpush_limit_script([queue, limit], [value])
except AttributeError:
if self.logger:
self.logger.info('Script not registered... registering')
self.rpush_limit_script = self.register_script(lua)
self.rpush_limit_script([queue, limit], [value])
| rpush_limit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, value, limit=100000):\n lua = \"\"\"\n local queue = KEYS[1]\n local max_size = tonumber(KEYS[2])\n local table_len = 1\n ... |
def x(self, lockname, locktime=60, auto_renewal=False):
pid = os.getpid()
caller = inspect.stack()[0][3]
try:
rl = redis_lock.Lock(self, lockname, expire=locktime, auto_renewal=
auto_renewal)
except:
if self.logger:
self.logger.error(
'Process {0} ({1}) could not get lock {2}. Going ahead without locking!!! {3}'
.format(pid, caller, lockname, traceback.format_exc()))
return False
try:
lock = rl.acquire(blocking=False)
except RedisError:
return False
if not lock:
return False
else:
return rl
| get_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lockname, locktime=60, auto_renewal=False):\n pid = os.getpid()\n caller = inspect.stack()[0][3]\n try:\n rl = redis_lock.Lock(self, lock... |
def x(self, lockname, locktime=60, auto_renewal=False):
pid = os.getpid()
caller = inspect.stack()[0][3]
try:
rl = redis_lock.Lock(self, lockname, expire=locktime, auto_renewal=
auto_renewal)
except AssertionError:
if self.logger:
self.logger.error(
'Process {0} ({1}) could not get lock {2}. Going ahead without locking!!! {3}'
.format(pid, caller, lockname, traceback.format_exc()))
return False
cont = 1
t0 = time.time()
lock = None
while not lock:
time.sleep(0.05)
cont += 1
if cont % 20 == 0:
if self.logger:
self.logger.debug(
'Process {0} ({1}) waiting for lock {2}. {3} seconds elapsed.'
.format(pid, caller, lockname, time.time() - t0))
try:
lock = rl.acquire()
except RedisError:
pass
if self.logger:
self.logger.debug('Process {0} ({1}) got lock {2} for {3} seconds'.
format(pid, caller, lockname, locktime))
return rl
| wait_for_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lockname, locktime=60, auto_renewal=False):\n pid = os.getpid()\n caller = inspect.stack()[0][3]\n try:\n rl = redis_lock.Lock(self, lock... |
def x(self, lock, force=False):
pid = os.getpid()
caller = inspect.stack()[0][3]
if lock and lock._held:
lock.release()
if self.logger:
self.logger.debug('Process {0} ({1}) released lock'.format(pid, caller)
)
| release_lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lock, force=False):\n pid = os.getpid()\n caller = inspect.stack()[0][3]\n if lock and lock._held:\n lock.release()\n if self.logger:\... |
def x(self, transaction=True, shard_hint=None):
args_dict = {'connection_pool': self.connection_pool,
'response_callbacks': self.response_callbacks, 'transaction':
transaction, 'shard_hint': shard_hint, 'logger': self.logger}
return StonePipeline(**args_dict)
| pipeline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transaction=True, shard_hint=None):\n args_dict = {'connection_pool': self.connection_pool,\n 'response_callbacks': self.response_callbacks, 't... |
def x(self, queue, number, transaction=False):
try:
self._multi_lpop_pipeline(self, queue, number)
except:
raise
| multi_lpop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, number, transaction=False):\n try:\n self._multi_lpop_pipeline(self, queue, number)\n except:\n raise\n",
"role": "user"
... |
def x(self, queue, values, bulk_size=0, transaction=False):
if hasattr(values, '__iter__'):
self._multi_rpush_pipeline(self, queue, values, 0)
else:
raise ValueError('Expected an iterable')
| multi_rpush | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, queue, values, bulk_size=0, transaction=False):\n if hasattr(values, '__iter__'):\n self._multi_rpush_pipeline(self, queue, values, 0)\n els... |
def x(data, klass):
if data is None:
return None
if klass in six.integer_types or klass in (float, str, bool):
return _deserialize_primitive(data, klass)
elif klass == object:
return _deserialize_object(data)
elif klass == datetime.date:
return deserialize_date(data)
elif klass == datetime.datetime:
return deserialize_datetime(data)
elif type(klass) == typing.GenericMeta:
if klass.__extra__ == list:
return _deserialize_list(data, klass.__args__[0])
if klass.__extra__ == dict:
return _deserialize_dict(data, klass.__args__[1])
else:
return deserialize_model(data, klass)
| deserialize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, klass):\n if data is None:\n return None\n if klass in six.integer_types or klass in (float, str, bool):\n return _deserialize_primit... |
def x(data, klass):
try:
value = klass(data)
except UnicodeEncodeError:
value = six.u(data)
except TypeError:
value = data
return value
| deserialize_primitive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, klass):\n try:\n value = klass(data)\n except UnicodeEncodeError:\n value = six.u(data)\n except TypeError:\n value = data\... |
def x(data, boxed_type):
return {k: _deserialize(v, boxed_type) for k, v in six.iteritems(data)}
| deserialize_dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, boxed_type):\n return {k: _deserialize(v, boxed_type) for k, v in six.iteritems(data)}\n",
"role": "user"
},
{
"content": "deserialize_dic... |
def x(self, what, call):
type = observerTypeEnum.typeOf(what)
self._observers.remove({'observing': what, 'type': type, 'call': call})
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, what, call):\n type = observerTypeEnum.typeOf(what)\n self._observers.remove({'observing': what, 'type': type, 'call': call})\n",
"role": "user... |
def x(self):
result = []
for observer in self._observers:
result.append({'observing': observer['observing'], 'call': observer
['call']})
return result
| getObservers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n for observer in self._observers:\n result.append({'observing': observer['observing'], 'call': observer\n ['call'... |
def x(session, command_line, name='job', dependencies=[], array=None,
exec_dir=None, log_dir=None, stop_on_failure=False, **kwargs):
job = Job(command_line=command_line, name=name, exec_dir=exec_dir,
log_dir=log_dir, array_string=array, stop_on_failure=
stop_on_failure, kwargs=kwargs)
session.add(job)
session.flush()
session.refresh(job)
job.id = job.unique
for d in dependencies:
if d == job.unique:
logger.warn('Adding self-dependency of job %d is not allowed' % d)
continue
depending = list(session.query(Job).filter(Job.unique == d))
if len(depending):
session.add(JobDependence(job.unique, depending[0].unique))
else:
logger.warn(
'Could not find dependent job with id %d in database' % d)
if array:
start, stop, step = array
for i in range(start, stop + 1, step):
session.add(ArrayJob(i, job.unique))
session.commit()
return job
| add_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(session, command_line, name='job', dependencies=[], array=None,\n exec_dir=None, log_dir=None, stop_on_failure=False, **kwargs):\n job = Job(command_line... |
def x(job):
timing = 'Submitted: %s' % job.submit_time.ctime()
if job.start_time is not None:
timing += '\nStarted : %s \t Job waited : %s' % (job.start_time.
ctime(), job.start_time - job.submit_time)
if job.finish_time is not None:
timing += '\nFinished : %s \t Job executed: %s' % (job.finish_time.
ctime(), job.finish_time - job.start_time)
return timing
| times | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(job):\n timing = 'Submitted: %s' % job.submit_time.ctime()\n if job.start_time is not None:\n timing += '\\nStarted : %s \\t Job waited : %s' % ... |
def x(self, format):
job_id = '%d - %d' % (self.job.id, self.id)
queue = (self.job.queue_name if self.machine_name is None else self.
machine_name)
status = '%s' % self.status + (' (%d)' % self.result if self.result is not
None else '')
return format.format('', job_id, queue, status)
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format):\n job_id = '%d - %d' % (self.job.id, self.id)\n queue = (self.job.queue_name if self.machine_name is None else self.\n machine_name... |
def x(self, new_queue=None):
self.status = 'submitted'
self.result = None
self.machine_name = None
if new_queue is not None:
self.queue_name = new_queue
for array_job in self.array:
array_job.status = 'submitted'
array_job.result = None
array_job.machine_name = None
self.submit_time = datetime.now()
self.start_time = None
self.finish_time = None
| submit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_queue=None):\n self.status = 'submitted'\n self.result = None\n self.machine_name = None\n if new_queue is not None:\n self.queue_... |
def x(self, new_job_id=None, new_job_name=None, queue_name=None):
if new_job_id is not None:
self.id = new_job_id
if new_job_name is not None:
self.name = new_job_name
if queue_name is not None:
self.queue_name = queue_name
new_status = 'queued'
self.result = None
for job in self.get_jobs_we_wait_for():
if job.status not in ('success', 'failure'):
new_status = 'waiting'
elif self.stop_on_failure and job.status == 'failure':
new_status = 'failure'
for job in self.get_jobs_waiting_for_us():
if job.status == 'queued':
job.status = 'failure' if new_status == 'failure' else 'waiting'
self.status = new_status
for array_job in self.array:
if array_job.status not in ('success', 'failure'):
array_job.status = new_status
| queue | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, new_job_id=None, new_job_name=None, queue_name=None):\n if new_job_id is not None:\n self.id = new_job_id\n if new_job_name is not None:\n ... |
def x(self, array_id=None, machine_name=None):
self.status = 'executing'
if array_id is not None:
for array_job in self.array:
if array_job.id == array_id:
array_job.status = 'executing'
if machine_name is not None:
array_job.machine_name = machine_name
array_job.start_time = datetime.now()
elif machine_name is not None:
self.machine_name = machine_name
if self.start_time is None:
self.start_time = datetime.now()
for job in self.get_jobs_we_wait_for():
if job.array and job.status == 'executing':
job.finish(0, -1)
| execute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, array_id=None, machine_name=None):\n self.status = 'executing'\n if array_id is not None:\n for array_job in self.array:\n if arr... |
def x(self, result, array_id=None):
new_status = 'success' if result == 0 else 'failure'
new_result = result
finished = True
if array_id is not None:
for array_job in self.array:
if array_job.id == array_id:
array_job.status = new_status
array_job.result = result
array_job.finish_time = datetime.now()
if array_job.status not in ('success', 'failure'):
finished = False
elif new_result == 0:
new_result = array_job.result
if finished:
self.status = 'success' if new_result == 0 else 'failure'
self.result = new_result
self.finish_time = datetime.now()
for job in self.get_jobs_waiting_for_us():
if job.status == 'waiting':
job.queue()
| finish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, result, array_id=None):\n new_status = 'success' if result == 0 else 'failure'\n new_result = result\n finished = True\n if array_id is not N... |
def x(self):
if self.status == 'executing' and self.array:
new_result = 0
for array_job in self.array:
if array_job.status == 'failure' and new_result is not None:
new_result = array_job.result
elif array_job.status not in ('success', 'failure'):
new_result = None
if new_result is not None:
self.status = 'success' if new_result == 0 else 'failure'
self.result = new_result
| refresh | [
{
"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.status == 'executing' and self.array:\n new_result = 0\n for array_job in self.array:\n if array_job.status == 'fa... |
def x(self):
return loads(self.command_line) if isinstance(self.command_line, bytes
) else loads(self.command_line.encode())
| get_command_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return loads(self.command_line) if isinstance(self.command_line, bytes\n ) else loads(self.command_line.encode())\n",
"role": "user"
}... |
def x(self):
return str(os.path.realpath(self.exec_dir)
) if self.exec_dir is not None else None
| get_exec_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return str(os.path.realpath(self.exec_dir)\n ) if self.exec_dir is not None else None\n",
"role": "user"
},
{
"content": "get_ex... |
def x(self):
return loads(self.array_string) if isinstance(self.array_string, bytes
) else loads(self.array_string.encode())
| get_array | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return loads(self.array_string) if isinstance(self.array_string, bytes\n ) else loads(self.array_string.encode())\n",
"role": "user"
}... |
def x(self):
args = loads(self.grid_arguments)['kwargs'] if isinstance(self.
grid_arguments, bytes) else loads(self.grid_arguments.encode())[
'kwargs']
retval = {}
if 'pe_opt' in args:
retval['pe_opt'] = args['pe_opt']
if 'memfree' in args and args['memfree'] is not None:
retval['memfree'] = args['memfree']
if 'hvmem' in args and args['hvmem'] is not None:
retval['hvmem'] = args['hvmem']
if 'gpumem' in args and args['gpumem'] is not None:
retval['gpumem'] = args['gpumem']
if 'env' in args and len(args['env']) > 0:
retval['env'] = args['env']
if 'io_big' in args and args['io_big']:
retval['io_big'] = True
if self.queue_name is not None:
retval['queue'] = str(self.queue_name)
return retval
| get_arguments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n args = loads(self.grid_arguments)['kwargs'] if isinstance(self.\n grid_arguments, bytes) else loads(self.grid_arguments.encode())[\n ... |
def x(self, format, dependencies=0, limit_command_line=None):
command_line = self._cmdline()
if limit_command_line is not None and len(command_line
) > limit_command_line:
command_line = command_line[:limit_command_line - 3] + '...'
job_id = '%d' % self.id + (' [%d-%d:%d]' % self.get_array() if self.
array else '')
status = '%s' % self.status + (' (%d)' % self.result if self.result is not
None else '')
queue = self.queue_name if self.machine_name is None else self.machine_name
if limit_command_line is None:
grid_opt = self.get_arguments()
if grid_opt:
command_line = '<' + ','.join([('%s=%s' % (key, value)) for key,
value in grid_opt.items()]) + '>: ' + command_line
if self.exec_dir is not None:
command_line += "; [Executed in directory: '%s']" % self.exec_dir
if dependencies:
deps = str(sorted(list(set([dep.unique for dep in self.
get_jobs_we_wait_for()]))))
if dependencies < len(deps):
deps = deps[:dependencies - 3] + '...'
return format.format(self.unique, job_id, queue[:12], status, self.
name, deps, command_line)
else:
return format.format(self.unique, job_id, queue[:12], status, self.
name, command_line)
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format, dependencies=0, limit_command_line=None):\n command_line = self._cmdline()\n if limit_command_line is not None and len(command_line\n ... |
def x(repo_dir):
repo = git.Repo(repo_dir)
url = repo.remotes.origin.url
return url.split('/')[-1].split('.git')[0]
| get_repo_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(repo_dir):\n repo = git.Repo(repo_dir)\n url = repo.remotes.origin.url\n return url.split('/')[-1].split('.git')[0]\n",
"role": "user"
},
{
... |
def x(file_path):
root = xml.etree.ElementTree.parse(file_path).getroot()
feature_order_node = root.find('featureOrder')
features = []
for child in feature_order_node:
features.append(child.attrib['name'])
return features
| extract_feature_order_from_model_xml | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_path):\n root = xml.etree.ElementTree.parse(file_path).getroot()\n feature_order_node = root.find('featureOrder')\n features = []\n for child ... |
def x(container_dir):
import json
file_path = os.path.join(container_dir,
'_lib/featuremodel/productline/feature_order.json')
with open(file_path, 'r') as f:
ordering_constraints = json.loads(f.read())
return ordering_constraints
| get_feature_order_constraints | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container_dir):\n import json\n file_path = os.path.join(container_dir,\n '_lib/featuremodel/productline/feature_order.json')\n with open(file_... |
def x(container_dir, product_name):
import featuremonkey
file_path = os.path.join(container_dir, 'products', product_name,
'product.equation')
return featuremonkey.get_features_from_equation_file(file_path)
| get_features_from_equation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container_dir, product_name):\n import featuremonkey\n file_path = os.path.join(container_dir, 'products', product_name,\n 'product.equation')\n ... |
def x(container_dir, product_name):
repo_name = get_repo_name(container_dir)
class Paths(object):
feature_order_json = os.path.join(container_dir,
'_lib/featuremodel/productline/feature_order.json')
model_xml_path = os.path.join(container_dir,
'_lib/featuremodel/productline/model.xml')
config_file_path = os.path.join(container_dir,
'_lib/featuremodel/productline/products/', repo_name,
product_name, 'product.equation.config')
equation_file_path = os.path.join(container_dir, 'products',
product_name, 'product.equation')
product_spec_path = os.path.join(container_dir,
'_lib/featuremodel/productline/products/', repo_name,
'product_spec.json')
return Paths
| get_feature_ide_paths | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(container_dir, product_name):\n repo_name = get_repo_name(container_dir)\n\n\n class Paths(object):\n feature_order_json = os.path.join(container_... |
def x(array, *argv):
try:
for index in argv:
array = array[index]
return array
except (IndexError, TypeError):
return None
| index_get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(array, *argv):\n try:\n for index in argv:\n array = array[index]\n return array\n except (IndexError, TypeError):\n retu... |
def x(detail_json, detail, rating, rating_n, popularity, current_popularity,
time_spent):
if rating is not None:
detail_json['rating'] = rating
elif 'rating' in detail:
detail_json['rating'] = detail['rating']
if rating_n is not None:
detail_json['rating_n'] = rating_n
if 'international_phone_number' in detail:
detail_json['international_phone_number'] = detail[
'international_phone_number']
if current_popularity is not None:
detail_json['current_popularity'] = current_popularity
if popularity is not None:
popularity, wait_times = get_popularity_for_day(popularity)
detail_json['populartimes'] = popularity
detail_json['time_wait'] = wait_times
if time_spent is not None:
detail_json['time_spent'] = time_spent
return detail_json
| add_optional_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(detail_json, detail, rating, rating_n, popularity, current_popularity,\n time_spent):\n if rating is not None:\n detail_json['rating'] = rating\n ... |
def x(place_identifier, user_agent=default_user_agent, **kwargs):
params_url = {'tbm': 'map', 'tch': 1, 'q': urllib.parse.quote_plus(
place_identifier), 'pb':
'!4m12!1m3!1d4005.9771522653964!2d-122.42072974863942!3d37.8077459796541!2m3!1f0!2f0!3f0!3m2!1i1125!2i976!4f13.1!7i20!10b1!12m6!2m3!5m1!6e2!20e3!10b1!16b1!19m3!2m2!1i392!2i106!20m61!2m2!1i203!2i100!3m2!2i4!5b1!6m6!1m2!1i86!2i86!1m2!1i408!2i200!7m46!1m3!1e1!2b0!3e3!1m3!1e2!2b1!3e2!1m3!1e2!2b0!3e3!1m3!1e3!2b0!3e3!1m3!1e4!2b0!3e3!1m3!1e8!2b0!3e3!1m3!1e3!2b1!3e2!1m3!1e9!2b1!3e2!1m3!1e10!2b0!3e3!1m3!1e10!2b1!3e2!1m3!1e10!2b0!3e4!2b1!4b1!9b0!22m6!1sa9fVWea_MsX8adX8j8AE%3A1!2zMWk6Mix0OjExODg3LGU6MSxwOmE5ZlZXZWFfTXNYOGFkWDhqOEFFOjE!7e81!12e3!17sa9fVWea_MsX8adX8j8AE%3A564!18e15!24m15!2b1!5m4!2b1!3b1!5b1!6b1!10m1!8e3!17b1!24b1!25b1!26b1!30m1!2b1!36b1!26m3!2m2!1i80!2i92!30m28!1m6!1m2!1i0!2i0!2m2!1i458!2i976!1m6!1m2!1i1075!2i0!2m2!1i1125!2i976!1m6!1m2!1i0!2i0!2m2!1i1125!2i20!1m6!1m2!1i0!2i956!2m2!1i1125!2i976!37m1!1e81!42b1!47m0!49m1!3b1'
}
search_url = 'https://www.google.es/search?' + '&'.join(k + '=' + str(v
) for k, v in params_url.items())
logging.info('searchterm: ' + search_url)
gcontext = ssl.SSLContext(ssl.PROTOCOL_TLSv1)
resp = urllib.request.urlopen(urllib.request.Request(url=search_url,
data=None, headers=user_agent), context=gcontext)
data = resp.read().decode('utf-8').split('/*""*/')[0]
jend = data.rfind('}')
if jend >= 0:
data = data[:jend + 1]
jdata = json.loads(data)['d']
jdata = json.loads(jdata[4:])
info = index_get(jdata, 0, 1, 0, 14)
rating = index_get(info, 4, 7)
rating_n = index_get(info, 4, 8)
popular_times = index_get(info, 84, 0)
current_popularity = index_get(info, 84, 7, 1)
time_spent = index_get(info, 117, 0)
if time_spent is not None:
time_spent = time_spent.replace('\xa0', ' ')
time_spent = [[float(s) for s in time_spent.replace('-', ' ').
replace(',', '.').split(' ') if s.replace('.', '', 1).isdigit()
], time_spent]
return rating, rating_n, popular_times, current_popularity, time_spent
| get_populartimes_from_search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(place_identifier, user_agent=default_user_agent, **kwargs):\n params_url = {'tbm': 'map', 'tch': 1, 'q': urllib.parse.quote_plus(\n place_identifier)... |
def x(resp):
if resp['status'] == 'OK' or resp['status'] == 'ZERO_RESULTS':
return
if resp['status'] == 'REQUEST_DENIED':
raise Exception('Google Places ' + resp['status'],
'Request was denied, the API key is invalid.')
if resp['status'] == 'OVER_QUERY_LIMIT':
raise Exception('Google Places ' + resp['status'],
'You exceeded your Query Limit for Google Places API Web Service, check https://developers.google.com/places/web-service/usage to upgrade your quota.'
)
if resp['status'] == 'INVALID_REQUEST':
raise Exception('Google Places ' + resp['status'],
'The query string is malformed, check if your formatting for lat/lng and radius is correct.'
)
raise Exception('Google Places ' + resp['status'],
'Unidentified error with the Places API, please check the response code'
)
| check_response_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(resp):\n if resp['status'] == 'OK' or resp['status'] == 'ZERO_RESULTS':\n return\n if resp['status'] == 'REQUEST_DENIED':\n raise Exception... |
def x(api_key, place_id, **kwargs):
params = {'placeid': place_id, 'key': api_key}
resp = requests.get(url=DETAIL_GOOGLEMAPS_API_URL, params=params)
if resp.status_code >= 300:
raise Exception('Bad status code rerieved from google api')
data = json.loads(resp.text)
check_response_code(data)
detail = data.get('result', {})
place_identifier = '{} {}'.format(detail.get('name'), detail.get(
'formatted_address'))
detail_json = {'id': detail.get('place_id'), 'name': detail.get('name'),
'address': detail.get('formatted_address'), 'types': detail.get(
'types'), 'coordinates': detail.get('geometry', {}).get('location')}
detail_json = add_optional_parameters(detail_json, detail, *
get_populartimes_from_search(place_identifier, **kwargs))
return detail_json
| get_place_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api_key, place_id, **kwargs):\n params = {'placeid': place_id, 'key': api_key}\n resp = requests.get(url=DETAIL_GOOGLEMAPS_API_URL, params=params)\n i... |
def x(name, file, suffix=None):
basename, hash, ext = split_filename(name)
file.seek(0)
new_hash = '.%s' % md5(file.read()).hexdigest()[:12]
if suffix is not None:
basename = '%s_%s' % (basename, suffix)
return '%s%s%s' % (basename, new_hash, ext)
| get_hashed_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, file, suffix=None):\n basename, hash, ext = split_filename(name)\n file.seek(0)\n new_hash = '.%s' % md5(file.read()).hexdigest()[:12]\n if s... |
def x(name):
parts = hashed_filename_re.match(name).groupdict()
return parts['name'] or '', parts['hash'] or '', parts['ext'] or ''
| split_filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n parts = hashed_filename_re.match(name).groupdict()\n return parts['name'] or '', parts['hash'] or '', parts['ext'] or ''\n",
"role": "user"
... |
def x(bus_number, stop_code, date, time, nb_departure, db_file):
day_of_week = datetime.datetime.strptime(date, '%Y%m%d').strftime('%A'
).lower()
subquery_days_off = CalendarDate.select(CalendarDate.service_id).where(
date == CalendarDate.date)
subquery = Calendar.select(Calendar.service_id).where((date >= Calendar
.start_date) & (date <= Calendar.end_date) & (getattr(Calendar,
day_of_week) == 1) & Calendar.service_id.not_in(subquery_days_off))
query_result = Trip.select(StopTime.departure_time).join(StopTime, on=
Trip.trip_id == StopTime.trip_id).join(Stop, on=StopTime.stop_id ==
Stop.stop_id).where((Trip.route_id == bus_number) & (Stop.stop_code ==
stop_code) & Trip.service_id.in_(subquery)).order_by(StopTime.
departure_time)
result = []
departures_listed = 0
for i in query_result.dicts():
dep_time = i['departure_time'].split(':')
if dep_time[0] == time[0] and dep_time[1] >= time[1]:
result.append('{0}:{1}'.format(dep_time[0], dep_time[1]))
departures_listed += 1
elif dep_time[0] > time[0]:
result.append('{0}:{1}'.format(dep_time[0], dep_time[1]))
departures_listed += 1
if departures_listed is nb_departure:
break
return result
| next_departures | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bus_number, stop_code, date, time, nb_departure, db_file):\n day_of_week = datetime.datetime.strptime(date, '%Y%m%d').strftime('%A'\n ).lower()\n ... |
def x(cidr='10.0.0.0/8'):
try:
u_cidr = unicode(cidr)
except NameError:
u_cidr = cidr
network = ipaddress.ip_network(u_cidr)
start = int(network.network_address) + 1
end = int(network.broadcast_address)
randint = random.randrange(start, end)
return ipaddress.ip_address(randint)
| random_ipv4 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cidr='10.0.0.0/8'):\n try:\n u_cidr = unicode(cidr)\n except NameError:\n u_cidr = cidr\n network = ipaddress.ip_network(u_cidr)\n st... |
def x(self):
for item in self.source_files:
yield os.path.join(self.address.repo, self.address.path, item)
| output_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for item in self.source_files:\n yield os.path.join(self.address.repo, self.address.path, item)\n",
"role": "user"
},
{
"content... |
def x():
if config.QT_RES_SRC():
epab.utils.ensure_exe('pyrcc5')
LOGGER.info('compiling Qt resources')
elib_run.run(f'pyrcc5 {config.QT_RES_SRC()} -o {config.QT_RES_TGT()}')
| compile_qt_resources | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if config.QT_RES_SRC():\n epab.utils.ensure_exe('pyrcc5')\n LOGGER.info('compiling Qt resources')\n elib_run.run(f'pyrcc5 {config.... |
def x(msg):
result = {}
result[herald.MESSAGE_HEADERS] = {}
if msg.headers is not None:
for key in msg.headers:
result[herald.MESSAGE_HEADERS][key] = msg.headers.get(key) or None
result[herald.MESSAGE_SUBJECT] = msg.subject
if msg.content is not None:
if isinstance(msg.content, str):
result[herald.MESSAGE_CONTENT] = msg.content
else:
result[herald.MESSAGE_CONTENT] = jabsorb.to_jabsorb(msg.content)
result[herald.MESSAGE_METADATA] = {}
if msg.metadata is not None:
for key in msg.metadata:
result[herald.MESSAGE_METADATA][key] = msg.metadata.get(key
) or None
return json.dumps(result, default=herald.utils.json_converter)
| to_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(msg):\n result = {}\n result[herald.MESSAGE_HEADERS] = {}\n if msg.headers is not None:\n for key in msg.headers:\n result[herald.ME... |
def x(json_string):
try:
parsed_msg = json.loads(json_string)
except ValueError as ex:
return None
except TypeError as ex:
return None
herald_version = None
if herald.MESSAGE_HEADERS in parsed_msg:
if herald.MESSAGE_HERALD_VERSION in parsed_msg[herald.MESSAGE_HEADERS]:
herald_version = parsed_msg[herald.MESSAGE_HEADERS].get(herald.
MESSAGE_HERALD_VERSION)
if (herald_version is None or herald_version != herald.
HERALD_SPECIFICATION_VERSION):
_logger.error(
'Herald specification of the received message is not supported!')
return None
msg = herald.beans.MessageReceived(uid=parsed_msg[herald.
MESSAGE_HEADERS].get(herald.MESSAGE_HEADER_UID) or None, subject=
parsed_msg[herald.MESSAGE_SUBJECT], content=None, sender_uid=
parsed_msg[herald.MESSAGE_HEADERS].get(herald.
MESSAGE_HEADER_SENDER_UID) or None, reply_to=parsed_msg[herald.
MESSAGE_HEADERS].get(herald.MESSAGE_HEADER_REPLIES_TO) or None,
access=None, timestamp=parsed_msg[herald.MESSAGE_HEADERS].get(
herald.MESSAGE_HEADER_TIMESTAMP) or None)
try:
if herald.MESSAGE_CONTENT in parsed_msg:
parsed_content = parsed_msg[herald.MESSAGE_CONTENT]
if parsed_content is not None:
if isinstance(parsed_content, str):
msg.set_content(parsed_content)
else:
msg.set_content(jabsorb.from_jabsorb(parsed_content))
except KeyError as ex:
_logger.error('Error retrieving message content! ' + str(ex))
if herald.MESSAGE_HEADERS in parsed_msg:
for key in parsed_msg[herald.MESSAGE_HEADERS]:
if key not in msg._headers:
msg._headers[key] = parsed_msg[herald.MESSAGE_HEADERS][key]
if herald.MESSAGE_METADATA in parsed_msg:
for key in parsed_msg[herald.MESSAGE_METADATA]:
if key not in msg._metadata:
msg._metadata[key] = parsed_msg[herald.MESSAGE_METADATA][key]
return msg
| from_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(json_string):\n try:\n parsed_msg = json.loads(json_string)\n except ValueError as ex:\n return None\n except TypeError as ex:\n ... |
def x(self):
while not (self.finished.wait(self.interval) or self.finished.is_set()):
self.function(*self.args, **self.kwargs)
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while not (self.finished.wait(self.interval) or self.finished.is_set()):\n self.function(*self.args, **self.kwargs)\n",
"role": "user"
... |
def x(string: str):
try:
prefix, resulting_type = Naming.pop_prefix(string)
prefix += Naming.RESOURCE_PREFIX
except IndexError:
prefix = ''
resulting_type = string
resulting_type = dasherize(underscore(resulting_type))
return prefix + (pluralize(resulting_type) if Naming._pluralize(
resulting_type) else resulting_type)
| resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string: str):\n try:\n prefix, resulting_type = Naming.pop_prefix(string)\n prefix += Naming.RESOURCE_PREFIX\n except IndexError:\n ... |
def x(string: str):
return underscore(singularize(string) if Naming._pluralize(string) else
string)
| python | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string: str):\n return underscore(singularize(string) if Naming._pluralize(string) else\n string)\n",
"role": "user"
},
{
"content": "pyt... |
def x(string: str):
result = string.split(Naming.TYPE_PREFIX)
if len(result) == 1:
result = string.split(Naming.RESOURCE_PREFIX)
if len(result) == 1:
raise IndexError()
return result
| pop_prefix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(string: str):\n result = string.split(Naming.TYPE_PREFIX)\n if len(result) == 1:\n result = string.split(Naming.RESOURCE_PREFIX)\n if len(r... |
def x(type_name: str, prefix: (str or None)=None) ->str:
if Naming.TYPE_PREFIX in type_name:
raise TypeError('Cannot create new type: type {} is already prefixed.'
.format(type_name))
prefix = prefix + Naming.TYPE_PREFIX if prefix is not None else ''
return prefix + type_name
| new_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type_name: str, prefix: (str or None)=None) ->str:\n if Naming.TYPE_PREFIX in type_name:\n raise TypeError('Cannot create new type: type {} is alread... |
def x(manufacturer: str, serial_number: str, model: str) ->str:
return Naming.url_word(manufacturer) + '-' + Naming.url_word(serial_number
) + '-' + Naming.url_word(model)
| hid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(manufacturer: str, serial_number: str, model: str) ->str:\n return Naming.url_word(manufacturer) + '-' + Naming.url_word(serial_number\n ) + '-' + Na... |
def x(membership_type: str, current_block: dict, identity: Identity, salt:
str, password: str) ->Membership:
timestamp = BlockUID(current_block['number'], current_block['hash'])
key = SigningKey.from_credentials(salt, password)
membership = Membership(version=10, currency=current_block['currency'],
issuer=key.pubkey, membership_ts=timestamp, membership_type=
membership_type, uid=identity.uid, identity_ts=identity.timestamp,
signature=None)
membership.sign([key])
return membership
| get_membership_document | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(membership_type: str, current_block: dict, identity: Identity, salt:\n str, password: str) ->Membership:\n timestamp = BlockUID(current_block['number'], ... |
def x(syntree, targetvar):
for node in syntree.body:
if isinstance(node, ast.Assign):
for var in node.targets:
if var.id == targetvar:
return ast.literal_eval(node.value)
| getvar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(syntree, targetvar):\n for node in syntree.body:\n if isinstance(node, ast.Assign):\n for var in node.targets:\n if var.id ... |
def x(cmd, shell=False, debug=False):
proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, shell=shell)
out, _ = proc.communicate()
if debug:
print(cmd)
print(out)
return out
| run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd, shell=False, debug=False):\n proc = subprocess.Popen(cmd, stdout=subprocess.PIPE, shell=shell)\n out, _ = proc.communicate()\n if debug:\n ... |
def x(path):
objects = []
if not os.path.isdir(path):
return []
contents = os.listdir(path)
for item in contents:
fullPath = os.path.join(path, item)
if not os.path.isdir(fullPath):
return [path]
elif isShorty(item):
objects = objects + findObjects(fullPath)
else:
objects.append(fullPath)
return objects
| findObjects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n objects = []\n if not os.path.isdir(path):\n return []\n contents = os.listdir(path)\n for item in contents:\n fullPath = os... |
def x(meta_id):
pair_tree = pair_tree_creator(meta_id)
pair_path = os.path.join(pair_tree, meta_id)
return pair_path
| get_pair_path | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta_id):\n pair_tree = pair_tree_creator(meta_id)\n pair_path = os.path.join(pair_tree, meta_id)\n return pair_path\n",
"role": "user"
},
{
... |
def x(meta_id):
chunks = []
for x in range(0, len(meta_id)):
if x % 2:
continue
if len(meta_id) - 1 == x:
chunk = meta_id[x]
else:
chunk = meta_id[x:x + 2]
chunks.append(chunk)
return os.sep + os.sep.join(chunks) + os.sep
| pair_tree_creator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(meta_id):\n chunks = []\n for x in range(0, len(meta_id)):\n if x % 2:\n continue\n if len(meta_id) - 1 == x:\n chunk... |
def x(name):
oldString = name
replaceTable2 = [('/', '='), (':', '+'), ('.', ',')]
for r in replaceTable2:
oldString = oldString.replace(r[1], r[0])
for x in range(0, 33):
oldString = oldString.replace(hex(x + sanitizerNum).replace('0x',
'^'), chr(x))
replaceTable = [('"', '^22'), ('<', '^3c'), ('?', '^3f'), ('*', '^2a'),
('=', '^3d'), ('+', '^2b'), ('>', '^3e'), ('|', '^7c'), (',', '^2c'
), ('^', '^5e')]
for r in replaceTable:
oldString = oldString.replace(r[1], r[0])
return oldString
| deSanitizeString | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n oldString = name\n replaceTable2 = [('/', '='), (':', '+'), ('.', ',')]\n for r in replaceTable2:\n oldString = oldString.replace(r[1]... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.