source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
c = copy.copy(self)
c._topics = {}
c._lock = threading.Lock()
topics = set(six.iterkeys(self._topics))
while topics:
event_type = topics.pop()
try:
listeners = self._topics[event_type]
c._topics[event_type] = list(listeners)
except KeyError:
pass
return c
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n c = copy.copy(self)\n c._topics = {}\n c._lock = threading.Lock()\n topics = set(six.iterkeys(self._topics))\n while topics:\n e... |
def x(self):
topics = set(six.iterkeys(self._topics))
while topics:
event_type = topics.pop()
try:
yield event_type, self._topics[event_type]
except KeyError:
pass
| listeners_iter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n topics = set(six.iterkeys(self._topics))\n while topics:\n event_type = topics.pop()\n try:\n yield event_type, self._t... |
def x(self, event_type):
return (event_type in self._watchable_events or event_type == self.ANY and
self._allow_any)
| can_be_registered | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_type):\n return (event_type in self._watchable_events or event_type == self.ANY and\n self._allow_any)\n",
"role": "user"
},
{
... |
def x(*file_paths: str) ->str:
def x(file_path):
with open(file_path) as f:
filename = os.path.splitext(file_path)[0]
title = f"{filename}\n{'=' * len(filename)}"
return '\n\n'.join((title, f.read()))
return '\n' + '\n\n'.join(map(_read_single_file, file_paths))
| read_local_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*file_paths: str) ->str:\n\n def x(file_path):\n with open(file_path) as f:\n filename = os.path.splitext(file_path)[0]\n title... |
def x(cls, filename):
f = codecs.open(filename, encoding='utf-8')
filedata = f.read()
f.close()
tokenz = LM.tokenize(filedata, mode='c')
return tokenz
| readfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, filename):\n f = codecs.open(filename, encoding='utf-8')\n filedata = f.read()\n f.close()\n tokenz = LM.tokenize(filedata, mode='c')\n ret... |
def x(self, root=''):
self.trainer = Train(root=root)
corpus = self.trainer.get_corpus()
for item in corpus:
self.lm.add_doc(doc_id=item[0], doc_terms=self._readfile(item[1]))
self.training_timestamp = self.trainer.get_last_modified()
| train | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root=''):\n self.trainer = Train(root=root)\n corpus = self.trainer.get_corpus()\n for item in corpus:\n self.lm.add_doc(doc_id=item[0], ... |
def x(self):
last_modified = self.trainer.get_last_modified()
if last_modified > self.training_timestamp:
return True
else:
return False
| is_training_modified | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n last_modified = self.trainer.get_last_modified()\n if last_modified > self.training_timestamp:\n return True\n else:\n return F... |
def x(self, text=u'', lang=''):
self.trainer.add(text=text, lang=lang)
| add_training_sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text=u'', lang=''):\n self.trainer.add(text=text, lang=lang)\n",
"role": "user"
},
{
"content": "add_training_sample",
"role": "assist... |
def x(self, domain='', filename=''):
self.trainer.save(domain=domain, filename=filename)
| save_training_samples | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain='', filename=''):\n self.trainer.save(domain=domain, filename=filename)\n",
"role": "user"
},
{
"content": "save_training_samples",... |
def x(self, text=u''):
text = self.lm.normalize(text)
tokenz = LM.tokenize(text, mode='c')
result = self.lm.calculate(doc_terms=tokenz)
if self.unk and self.lm.karbasa(result) < self.min_karbasa:
lang = 'unk'
else:
lang = result['calc_id']
return lang
| classify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text=u''):\n text = self.lm.normalize(text)\n tokenz = LM.tokenize(text, mode='c')\n result = self.lm.calculate(doc_terms=tokenz)\n if self.u... |
def x(c_table_cd: str, tables: I2B2Tables) ->int:
conn = tables.ont_connection
table = tables.schemes
return bool(list(conn.execute(table.select().where(table.c.c_table_cd ==
c_table_cd))))
| exists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c_table_cd: str, tables: I2B2Tables) ->int:\n conn = tables.ont_connection\n table = tables.schemes\n return bool(list(conn.execute(table.select().whe... |
def x(c_table_cd: str, tables: I2B2Tables) ->int:
conn = tables.ont_connection
table = tables.schemes
return conn.execute(table.delete().where(table.c.c_table_cd == c_table_cd)
).rowcount
| del_records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c_table_cd: str, tables: I2B2Tables) ->int:\n conn = tables.ont_connection\n table = tables.schemes\n return conn.execute(table.delete().where(table.c... |
def x(filename=None):
if not os.path.exists(filename):
raise IOError('Impossibile trovare il filename %s' % filename)
shares = []
config = ConfigParser()
config.read(filename)
for share_items in [config.items(share_title) for share_title in config
.sections()]:
dict_share = {}
for key, value in share_items:
if key == 'hostname' and '@' in value:
hostname, credentials = (item[::-1] for item in value[::-1]
.split('@', 1))
dict_share.update({key: hostname})
credentials = tuple(cred.lstrip('"').rstrip('"') for cred in
credentials.split(':', 1))
dict_share.update({'username': credentials[0]})
if len(credentials) > 1:
dict_share.update({'password': credentials[1]})
continue
dict_share.update({key: value})
shares.append(dict_share)
return shares
| read_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None):\n if not os.path.exists(filename):\n raise IOError('Impossibile trovare il filename %s' % filename)\n shares = []\n config = Co... |
def x(self):
if hasattr(self, 'session'):
raise RuntimeError(
'Dead lock detected. Please do not try to lock the session when it is already locked!'
)
if LooseVersion(sqlalchemy.__version__) < LooseVersion('0.7.8'):
self._engine = sqlalchemy.create_engine('sqlite:///' + self._database)
self._session_maker = sqlalchemy.orm.sessionmaker(bind=self._engine)
if not os.path.exists(self._database):
self._create()
self.session = self._session_maker()
logger.debug("Created new database session to '%s'" % self._database)
return self.session
| lock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'session'):\n raise RuntimeError(\n 'Dead lock detected. Please do not try to lock the session when it is alread... |
def x(self):
if not hasattr(self, 'session'):
raise RuntimeError(
'Error detected! The session that you want to close does not exist any more!'
)
logger.debug("Closed database session of '%s'" % self._database)
self.session.close()
del self.session
| unlock | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not hasattr(self, 'session'):\n raise RuntimeError(\n 'Error detected! The session that you want to close does not exist any m... |
def x(self):
from .tools import makedirs_safe
makedirs_safe(os.path.dirname(self._database))
Base.metadata.create_all(self._engine)
logger.debug("Created new empty database '%s'" % self._database)
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from .tools import makedirs_safe\n makedirs_safe(os.path.dirname(self._database))\n Base.metadata.create_all(self._engine)\n logger.debug(... |
def x(self, job_ids=None):
if job_ids is not None and len(job_ids) == 0:
return []
q = self.session.query(Job)
if job_ids is not None:
q = q.filter(Job.unique.in_(job_ids))
return sorted(list(q), key=lambda job: job.unique)
| get_jobs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None):\n if job_ids is not None and len(job_ids) == 0:\n return []\n q = self.session.query(Job)\n if job_ids is not None:\n ... |
def x(self, job_id, array_id=None):
try:
self.lock()
jobs = self.get_jobs((job_id,))
if not len(jobs):
return
job = jobs[0]
machine_name = socket.gethostname()
job.execute(array_id, machine_name)
self.session.commit()
except Exception as e:
logger.error("Caught exception '%s'", e)
pass
finally:
self.unlock()
self.lock()
job = self.get_jobs((job_id,))[0]
command_line = job.get_command_line()
exec_dir = job.get_exec_dir()
self.unlock()
logger.info('Starting job %d: %s', job_id, ' '.join(command_line))
try:
result = subprocess.call(command_line, cwd=exec_dir)
logger.info('Job %d finished with result %s', job_id, str(result))
except Exception as e:
logger.error("The job with id '%d' could not be executed: %s",
job_id, e)
result = 69
try:
self.lock()
jobs = self.get_jobs((job_id,))
if not len(jobs):
logger.error(
"The job with id '%d' could not be found in the database!",
job_id)
self.unlock()
return
job = jobs[0]
job.finish(result, array_id)
self.session.commit()
if job.stop_on_failure and job.status == 'failure':
dependent_jobs = job.get_jobs_waiting_for_us()
dependent_job_ids = set([dep.unique for dep in dependent_jobs] +
[job.unique])
while len(dependent_jobs):
dep = dependent_jobs.pop(0)
new = dep.get_jobs_waiting_for_us()
dependent_jobs += new
dependent_job_ids.update([dep.unique for dep in new])
self.unlock()
deps = sorted(list(dependent_job_ids))
self.stop_jobs(deps)
logger.warn("Stopped dependent jobs '%s' since this job failed.",
str(deps))
except Exception as e:
logger.error("Caught exception '%s'", e)
pass
finally:
if hasattr(self, 'session'):
self.unlock()
| run_job | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_id, array_id=None):\n try:\n self.lock()\n jobs = self.get_jobs((job_id,))\n if not len(jobs):\n return\n j... |
def x(self, job_ids, print_array_jobs=False, print_dependencies=False, long
=False, print_times=False, status=Status, names=None, ids_only=False):
fields = 'job-id', 'grid-id', 'queue', 'status', 'job-name'
lengths = 6, 17, 11, 12, 16
dependency_length = 0
if print_dependencies:
fields += 'dependencies',
lengths += 25,
dependency_length = lengths[-1]
if long:
fields += 'submitted command',
lengths += 43,
format = '{:^%d} ' * len(lengths)
format = format % lengths
array_format = '{0:^%d} {1:>%d} {2:^%d} {3:^%d}' % lengths[:4]
delimiter = format.format(*[('=' * k) for k in lengths])
array_delimiter = array_format.format(*[('-' * k) for k in lengths[:4]])
header = [fields[k].center(lengths[k]) for k in range(len(lengths))]
if not ids_only:
print(' '.join(header))
print(delimiter)
self.lock()
for job in self.get_jobs(job_ids):
job.refresh()
if job.status in status and (names is None or job.name in names):
if ids_only:
print(job.unique, end=' ')
else:
print(job.format(format, dependency_length))
if print_times:
print(times(job))
if not ids_only and print_array_jobs and job.array:
print(array_delimiter)
for array_job in job.array:
if array_job.status in status:
print(array_job.format(array_format))
if print_times:
print(times(array_job))
print(array_delimiter)
self.unlock()
| list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids, print_array_jobs=False, print_dependencies=False, long\n =False, print_times=False, status=Status, names=None, ids_only=False):\n fields =... |
def x(self, job_ids=None, array_ids=None, output=True, error=True, status=
Status, name=None):
def x(job):
out_file, err_file = job.std_out_file(), job.std_err_file()
logger.info("Contents of output file: '%s'" % out_file)
if output and out_file is not None and os.path.exists(out_file
) and os.stat(out_file).st_size > 0:
print(open(out_file).read().rstrip())
print('-' * 20)
if error and err_file is not None and os.path.exists(err_file
) and os.stat(err_file).st_size > 0:
logger.info("Contents of error file: '%s'" % err_file)
print(open(err_file).read().rstrip())
print('-' * 40)
def x(array_jobs):
for array_job in array_jobs:
print('Array Job', str(array_job.id), '(%s) :' % array_job.
machine_name if array_job.machine_name is not None else ':')
_write_contents(array_job)
self.lock()
if array_ids:
if len(job_ids) != 1:
logger.error(
'If array ids are specified exactly one job id must be given.')
array_jobs = list(self.session.query(ArrayJob).join(Job).filter(Job
.unique.in_(job_ids)).filter(Job.unique == ArrayJob.job_id).
filter(ArrayJob.id.in_(array_ids)))
if array_jobs:
print(array_jobs[0].job)
_write_array_jobs(array_jobs)
else:
jobs = self.get_jobs(job_ids)
for job in jobs:
if name is not None and job.name != name:
continue
if job.status not in status:
continue
if job.array:
print(job)
_write_array_jobs(job.array)
else:
print(job)
_write_contents(job)
if job.log_dir is not None:
print('-' * 60)
self.unlock()
| report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids=None, array_ids=None, output=True, error=True, status=\n Status, name=None):\n\n def x(job):\n out_file, err_file = job.std_out_file... |
def x(self, job_ids, array_ids=None, delete_logs=True, delete_log_dir=False,
status=Status, delete_jobs=True):
def x(log_dir):
if log_dir and delete_log_dir and os.path.isdir(log_dir
) and not os.listdir(log_dir):
os.rmdir(log_dir)
logger.info("Removed empty log directory '%s'" % log_dir)
def x(job, try_to_delete_dir=False):
if delete_logs:
self.delete_logs(job)
if try_to_delete_dir:
_delete_dir_if_empty(job.log_dir)
if delete_jobs:
self.session.delete(job)
self.lock()
if array_ids:
if len(job_ids) != 1:
logger.error(
'If array ids are specified exactly one job id must be given.')
array_jobs = list(self.session.query(ArrayJob).join(Job).filter(Job
.unique.in_(job_ids)).filter(Job.unique == ArrayJob.job_id).
filter(ArrayJob.id.in_(array_ids)))
if array_jobs:
job = array_jobs[0].job
for array_job in array_jobs:
if array_job.status in status:
if delete_jobs:
logger.debug(
"Deleting array job '%d' of job '%d' from the database."
% (array_job.id, job.unique))
_delete(array_job)
if not job.array:
if job.status in status:
if delete_jobs:
logger.info("Deleting job '%d' from the database." %
job.unique)
_delete(job, delete_jobs)
else:
jobs = self.get_jobs(job_ids)
for job in jobs:
if job.array:
for array_job in job.array:
if array_job.status in status:
if delete_jobs:
logger.debug(
"Deleting array job '%d' of job '%d' from the database."
% (array_job.id, job.unique))
_delete(array_job)
if job.status in status:
if delete_jobs:
logger.info("Deleting job '%d' from the database." %
job.unique)
_delete(job, delete_jobs)
self.session.commit()
self.unlock()
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, job_ids, array_ids=None, delete_logs=True, delete_log_dir=False,\n status=Status, delete_jobs=True):\n\n def x(log_dir):\n if log_dir and de... |
def x():
p = ArgumentParser(description=
'Makes unit flux eV^-1 as input to GLOW or Transcar to create ionospheric eigenprofiles'
)
p.add_argument('-i', '--inputgridfn', help=
'original Zettergren input flux grid to base off of', default=
'zettflux.csv')
p.add_argument('-o', '--outfn', help=
'hdf5 file to write with ionospheric response (eigenprofiles)')
p.add_argument('-t', '--simtime', help=
'yyyy-mm-ddTHH:MM:SSZ time of sim', nargs='+', default=[
'1999-12-21T00:00:00Z'])
p.add_argument('-c', '--latlon', help=
'geodetic latitude/longitude (deg)', type=float, nargs=2, default=[
65, -148.0])
p.add_argument('-M', '--model', help=
'specify auroral model (glow,rees,transcar)', default='glow')
p.add_argument('-z', '--zlim', help=
'minimum,maximum altitude [km] to plot', nargs=2, default=(None,
None), type=float)
p.add_argument('--isotropic', help=
'(rees model only) isotropic or non-isotropic pitch angle', action=
'store_true')
p.add_argument('--vlim', help=
'plotting limits on energy dep and production plots', nargs=2, type
=float, default=(1e-07, 10.0))
p = p.parse_args()
if not p.outfn:
print(
'you have not specified an output file with -o options, so I will only plot and not save result'
)
if len(p.simtime) == 1:
T = [parse(p.simtime[0])]
elif len(p.simtime) == 2:
T = list(rrule.rrule(rrule.HOURLY, dtstart=parse(p.simtime[0]),
until=parse(p.simtime[1])))
Egrid = loadregress(Path(p.inputgridfn).expanduser())
Ebins = makebin(Egrid)[:3]
EKpcolor, EK, diffnumflux = ekpcolor(Ebins)
""" three output eigenprofiles
1) ver (optical emissions) 4-D array: time x energy x altitude x wavelength
2) prates (production) 4-D array: time x energy x altitude x reaction
3) lrates (loss) 4-D array: time x energy x altitude x reaction
"""
model = p.model.lower()
glat, glon = p.latlon
if model == 'glow':
(ver, photIon, isr, phitop, zceta, sza, prates, lrates, tezs, sion) = (
makeeigen(EK, diffnumflux, T, p.latlon, p.makeplot, p.outfn, p.
zlim))
writeeigen(p.outfn, EKpcolor, T, ver.z_km, diffnumflux, ver, prates,
lrates, tezs, p.latlon)
doplot(p.inputgridfn, Ebins)
sim = namedtuple('sim', ['reacreq', 'opticalfilter'])
sim.reacreq = sim.opticalfilter = ''
for t in ver:
ploteigver(EKpcolor, ver.z_km, ver.sum('wavelength_nm'), (None,
) * 6, sim, '{} Vol. Emis. Rate '.format(t))
plotprodloss(prates.loc[:, 'final', ...].sum('reaction'),
lrates.loc[:, 'final', ...].sum('reaction'), t, glat, glon,
p.zlim)
plotenerdep(tezs, t, glat, glon, p.zlim)
elif model == 'rees':
assert len(T) == 1, 'only one time with rees for now.'
z = glowalt()
q = reesiono(T, z, Ebins.loc[:, 'low'], glat, glon, p.isotropic)
writeeigen(p.outfn, Ebins, T, z, prates=q, tezs=None, latlon=(glat,
glon))
plotA(q, 'Volume Production Rate {} {} {}'.format(T, glat, glon),
p.vlim)
elif model == 'transcar':
raise NotImplementedError('Transcar by request')
else:
raise NotImplementedError('I am not yet able to handle your model {}'
.format(model))
show()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n p = ArgumentParser(description=\n 'Makes unit flux eV^-1 as input to GLOW or Transcar to create ionospheric eigenprofiles'\n )\n p.add... |
def x(config):
with open(config, 'r'):
main.current(yaml.load(open(config)))
| current | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n with open(config, 'r'):\n main.current(yaml.load(open(config)))\n",
"role": "user"
},
{
"content": "current",
"role": "ass... |
def x(config, message):
with open(config, 'r'):
main.revision(yaml.load(open(config)), message)
| revision | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, message):\n with open(config, 'r'):\n main.revision(yaml.load(open(config)), message)\n",
"role": "user"
},
{
"content": "revisio... |
def x(config, rev):
with open(config, 'r'):
main.checkout(yaml.load(open(config)), rev)
| checkout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, rev):\n with open(config, 'r'):\n main.checkout(yaml.load(open(config)), rev)\n",
"role": "user"
},
{
"content": "checkout",
... |
def x(config):
with open(config, 'r'):
main.reapply(yaml.load(open(config)))
| reapply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n with open(config, 'r'):\n main.reapply(yaml.load(open(config)))\n",
"role": "user"
},
{
"content": "reapply",
"role": "ass... |
def x(config):
with open(config, 'r'):
main.show(yaml.load(open(config)))
| show | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config):\n with open(config, 'r'):\n main.show(yaml.load(open(config)))\n",
"role": "user"
},
{
"content": "show",
"role": "assistant... |
def x(exc, cause):
context_tb = sys.exc_info()[2]
incorrect_cause = not (isinstance(cause, type) and issubclass(cause,
Exception) or isinstance(cause, BaseException) or cause is None)
if incorrect_cause:
raise TypeError('exception causes must derive from BaseException')
if cause is not None:
if not getattr(cause, '__pep3134__', False):
try:
raise_(cause)
except:
cause = sys.exc_info()[1]
cause.__fixed_traceback__ = context_tb
try:
raise_(exc)
except:
exc = sys.exc_info()[1]
exc.__original_exception__.__suppress_context__ = True
exc.__original_exception__.__cause__ = cause
exc.__original_exception__.__context__ = None
raise exc
| raise_from | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(exc, cause):\n context_tb = sys.exc_info()[2]\n incorrect_cause = not (isinstance(cause, type) and issubclass(cause,\n Exception) or isinstance(ca... |
def x(self, root):
def x(path, ignore_patterns):
filename = os.path.basename(path)
ignore = lambda pattern: fnmatch.fnmatchcase(filename, pattern)
return any(ignore(pattern) for pattern in ignore_patterns)
dir_suffix = '%s*' % os.sep
normalized_patterns = [(p[:-len(dir_suffix)] if p.endswith(dir_suffix) else
p) for p in self.ignore_patterns]
all_files = []
walker = os.walk(root, topdown=True, followlinks=self.follow_symlinks)
for dir_path, dir_names, file_names in walker:
for dir_name in dir_names[:]:
path = os.path.normpath(os.path.join(dir_path, dir_name))
if is_ignored(path, normalized_patterns):
dir_names.remove(dir_name)
if self.verbose:
print_out("Ignoring directory '{:}'".format(dir_name))
for file_name in file_names:
path = os.path.normpath(os.path.join(dir_path, file_name))
if is_ignored(path, self.ignore_patterns):
if self.verbose:
print_out("Ignoring file '{:}' in '{:}'".format(
file_name, dir_path))
else:
all_files.append((dir_path, file_name))
return sorted(all_files)
| find_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, root):\n\n def x(path, ignore_patterns):\n filename = os.path.basename(path)\n ignore = lambda pattern: fnmatch.fnmatchcase(filename, pa... |
def x(self, potfile, locale):
pofile = self._get_po_path(potfile, locale)
msgs = self._get_unique_messages(potfile)
msgs = self._merge_messages(potfile, pofile, msgs)
msgs = self._strip_package_version(msgs)
with open(pofile, 'w') as fp:
fp.write(msgs)
self._remove_obsolete_messages(pofile)
| make_po_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, potfile, locale):\n pofile = self._get_po_path(potfile, locale)\n msgs = self._get_unique_messages(potfile)\n msgs = self._merge_messages(potfil... |
def x(badFormat, outputPath, year, length):
devcom = 'PHAS' + badFormat['Cand'][0]
goodFormat = {devcom: []}
for row in list(badFormat.values())[1:]:
goodFormat[devcom].append(int(row[0]))
for i in range(length - 1):
goodFormat.setdefault(row[2 * i + 1], [])
goodFormat[row[2 * i + 1]].append(int(row[2 * (i + 1)]))
goodFormat.pop('0')
goodFormat['Averages'] = everyonesAverage(year, badFormat, length)
if outputPath is not None:
results = csv.writer(outputPath.open(mode='w'), delimiter=',')
results.writerow(goodFormat.keys())
results.writerows(itertools.zip_longest(*goodFormat.values(),
fillvalue=''))
return goodFormat
| goodFormater | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(badFormat, outputPath, year, length):\n devcom = 'PHAS' + badFormat['Cand'][0]\n goodFormat = {devcom: []}\n for row in list(badFormat.values())[1:]:\... |
def x(path, show, goodFormat):
for module in goodFormat.items():
bins = [0, 40, 50, 60, 70, 80, 90, 100]
out = pd.cut(module[1], bins=bins, include_lowest=True)
ax = out.value_counts().plot.bar(rot=0, color='b', figsize=(10, 6),
alpha=0.5, title=module[0])
ax.set_xticklabels(['0 to 40', '40 to 50', '50 to 60', '60 to 70',
'70 to 80', '80 to 90', '90 to 100'])
ax.set_ylabel('# of candidates')
ax.set_xlabel('grade bins \n total candidates: {}'.format(len(
module[1])))
if path is not None and show is not False:
if not pathlib.Path.is_dir(path.as_posix()):
pathlib.Path.mkdir(path.as_posix())
plt.savefig(path / ''.join([module[0], '.png']))
plt.show()
elif path is not None:
if not pathlib.Path.is_dir(path):
pathlib.Path.mkdir(path)
plt.savefig(path / ''.join([module[0], '.png']))
plt.close()
elif show is not False:
plt.show()
| plotter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path, show, goodFormat):\n for module in goodFormat.items():\n bins = [0, 40, 50, 60, 70, 80, 90, 100]\n out = pd.cut(module[1], bins=bins, in... |
def x(year, candidateNumber, badFormat, length):
weights1 = [1, 1, 1, 1, 0.5, 0.5, 0.5, 0.5]
weights2 = [1, 1, 1, 1, 1, 1, 0.5, 0.5]
if year == 1:
myFinalResult = sum([(int(badFormat[candidateNumber][2 * (i + 1)]) *
weights1[i]) for i in range(length - 1)]) / 6
elif year == 2 or year == 3:
myFinalResult = sum([(int(badFormat[candidateNumber][2 * (i + 1)]) *
weights2[i]) for i in range(length - 1)]) / 7
elif year == 4:
myFinalResult = sum([int(badFormat[candidateNumber][2 * (i + 1)]) for
i in range(length - 1)]) / 8
return myFinalResult
| myGrades | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, candidateNumber, badFormat, length):\n weights1 = [1, 1, 1, 1, 0.5, 0.5, 0.5, 0.5]\n weights2 = [1, 1, 1, 1, 1, 1, 0.5, 0.5]\n if year == 1:\n ... |
def x(grade, badFormat, year, length):
return int(sorted(everyonesAverage(year, badFormat, length), reverse=
True).index(grade) + 1)
| myRank | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(grade, badFormat, year, length):\n return int(sorted(everyonesAverage(year, badFormat, length), reverse=\n True).index(grade) + 1)\n",
"role": "u... |
def x(year, badFormat, length):
return [myGrades(year, cand, badFormat, length) for cand in list(
badFormat.keys())[1:]]
| everyonesAverage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(year, badFormat, length):\n return [myGrades(year, cand, badFormat, length) for cand in list(\n badFormat.keys())[1:]]\n",
"role": "user"
},
... |
def x():
return inquirer.prompt([inquirer.Text('inputPath', message=
"What's the path of your input file (eg input.csv)"), inquirer.List
('year', message='What year are you in', choices=[1, 2, 3, 4]),
inquirer.Checkbox('whatToDo', message=
'What can I do for you (select with your spacebar)', choices=[
'Get your weighted average', 'Get your rank in the year',
'Reformat results by module and output to csv',
'Plot the results by module'])])
| askInitial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return inquirer.prompt([inquirer.Text('inputPath', message=\n \"What's the path of your input file (eg input.csv)\"), inquirer.List\n ('y... |
def x(goodFormat):
plotAnswer = askPlot()
if 'Save' in plotAnswer['plotQ']:
exportPlotsPath = pathlib.Path(askSave())
if 'Show' in plotAnswer['plotQ']:
plotter(exportPlotsPath, True, goodFormat)
else:
plotter(exportPlotsPath, False, goodFormat)
elif 'Show' in plotAnswer['plotQ']:
plotter(None, True, goodFormat)
| howPlotAsk | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(goodFormat):\n plotAnswer = askPlot()\n if 'Save' in plotAnswer['plotQ']:\n exportPlotsPath = pathlib.Path(askSave())\n if 'Show' in plotAn... |
def x(goodFormat):
if args.exportplots is not None:
exportPlotsPath = pathlib.Path(args.exportplots)
if args.showplots:
plotter(exportPlotsPath, True, goodFormat)
else:
plotter(exportPlotsPath, False, goodFormat)
elif args.showplots:
plotter(None, True, goodFormat)
else:
howPlotAsk(goodFormat)
| howPlotArgs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(goodFormat):\n if args.exportplots is not None:\n exportPlotsPath = pathlib.Path(args.exportplots)\n if args.showplots:\n plotter(e... |
def x(args):
print(
"""
Note it's very possible that this doesn't work correctly so take what it gives with a bucketload of salt
"""
)
if not len(sys.argv) > 1:
initialAnswers = askInitial()
inputPath = pathlib.Path(initialAnswers['inputPath'])
year = int(initialAnswers['year'])
badFormat = badFormater(inputPath)
howManyCandidates = len(badFormat) - 1
length = int(len(badFormat['Cand']) / 2)
finalReturn = []
if 'Get your rank in the year' in initialAnswers['whatToDo']:
candidateNumber = askCandidateNumber()
weightedAverage = myGrades(year, candidateNumber, badFormat, length
)
rank = myRank(weightedAverage, badFormat, year, length)
if 'Get your weighted average' in initialAnswers['whatToDo']:
finalReturn.append(
'Your weighted average for the year is: {:.2f}%'.format
(weightedAverage))
finalReturn.append('Your rank is {}th of {} ({:.2f} percentile)'
.format(rank, howManyCandidates, rank * 100 /
howManyCandidates))
elif 'Get your weighted average' in initialAnswers['whatToDo']:
candidateNumber = askCandidateNumber()
weightedAverage = myGrades(year, candidateNumber, badFormat, length
)
finalReturn.append('Your weighted average for the year is: {:.2f}%'
.format(weightedAverage))
if 'Reformat results by module and output to csv' in initialAnswers[
'whatToDo']:
formatOutputPath = pathlib.Path(askFormat())
goodFormat = goodFormater(badFormat, formatOutputPath, year, length
)
if 'Plot the results by module' in initialAnswers['whatToDo']:
howPlotAsk(goodFormat)
elif 'Plot the results by module' in initialAnswers['whatToDo']:
goodFormat = goodFormater(badFormat, None, year, length)
howPlotAsk(goodFormat)
[print('\n', x) for x in finalReturn]
if len(sys.argv) > 1:
if not args.input:
inputPath = pathlib.Path(askInput())
else:
inputPath = pathlib.Path(args.input)
if not args.year:
year = int(askYear())
else:
year = int(args.year)
badFormat = badFormater(inputPath)
howManyCandidates = len(badFormat) - 1
length = int(len(badFormat['Cand']) / 2)
finalReturn = []
if args.rank:
if not args.candidate:
candidateNumber = askCandidateNumber()
else:
candidateNumber = args.candidate
weightedAverage = myGrades(year, candidateNumber, badFormat, length
)
rank = myRank(weightedAverage, badFormat, year, length)
if args.my:
finalReturn.append(
'Your weighted average for the year is: {:.2f}%'.format
(weightedAverage))
finalReturn.append('Your rank is {}th of {} ({:.2f} percentile)'
.format(rank, howManyCandidates, rank * 100 /
howManyCandidates))
elif args.my:
if not args.candidate:
candidateNumber = askCandidateNumber()
else:
candidateNumber = args.candidate
weightedAverage = myGrades(year, candidateNumber, badFormat, length
)
finalReturn.append('Your weighted average for the year is: {:.2f}%'
.format(weightedAverage))
if args.format is not None:
formatOutputPath = pathlib.Path(args.format)
goodFormat = goodFormater(badFormat, formatOutputPath, year, length
)
if args.plot:
howPlotArgs(goodFormat)
elif args.plot:
goodFormat = goodFormater(badFormat, None, year, length)
howPlotArgs(goodFormat)
[print('\n', x) for x in finalReturn]
print('')
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n print(\n \"\"\"\nNote it's very possible that this doesn't work correctly so take what it gives with a bucketload of salt\n\"\"\"\n )... |
def x(config_path_or_dict=None):
config = None
if isinstance(config_path_or_dict, dict):
config = Config(config_path_or_dict)
if isinstance(config_path_or_dict, string_types):
if os.path.isabs(config_path_or_dict):
config_path = config_path_or_dict
else:
config_path = os.path.join(os.getcwd(), os.path.normpath(
config_path_or_dict))
else:
config_path = os.path.join(os.getcwd(), DEFAULT_CONFIG_PATH)
if os.path.exists(config_path):
with open(config_path, 'r') as f:
data = json.load(f)
config = Config(data)
if config is None:
raise ConfigNotFound()
else:
config.validate()
return config
| read_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config_path_or_dict=None):\n config = None\n if isinstance(config_path_or_dict, dict):\n config = Config(config_path_or_dict)\n if isinstance(c... |
def x(self):
for client in self.clients:
for key in REQUIRED_KEYS:
if key not in client:
raise MissingConfigValue(key)
if 'revision_file' not in client:
client.revision_file = DEFAULT_REVISION_FILEPATH.format(client.key)
| validate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for client in self.clients:\n for key in REQUIRED_KEYS:\n if key not in client:\n raise MissingConfigValue(key)\n ... |
def x(func, with_func):
func.__name__ = with_func.__name__
func.__doc__ = with_func.__doc__
func.__dict__.update(with_func.__dict__)
return func
| wrap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, with_func):\n func.__name__ = with_func.__name__\n func.__doc__ = with_func.__doc__\n func.__dict__.update(with_func.__dict__)\n return func\... |
def x(func):
def x(__decorated__=None, *Args, **KwArgs):
if __decorated__ is None:
return lambda _func: func(_func, *Args, **KwArgs)
else:
return func(__decorated__, *Args, **KwArgs)
return wrap(wrapper, func)
| decorator | [
{
"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(__decorated__=None, *Args, **KwArgs):\n if __decorated__ is None:\n return lambda _func: func(_func, *Args, **KwArgs)\n ... |
def x(__decorated__=None, **Config):
if isinstance(__decorated__, tuple):
_Task = Task(__decorated__[0], __decorated__[1], Config=Config)
else:
_Task = Task(__decorated__, [], Config)
state.ActiveModuleMemberQ.insert(0, _Task)
return _Task.Underlying
| task | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(__decorated__=None, **Config):\n if isinstance(__decorated__, tuple):\n _Task = Task(__decorated__[0], __decorated__[1], Config=Config)\n else:\n ... |
def x(name=None, **Config):
if name is not None:
Config['name'] = name
return lambda decorated: _arg(decorated, **Config)
| arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name=None, **Config):\n if name is not None:\n Config['name'] = name\n return lambda decorated: _arg(decorated, **Config)\n",
"role": "user"
... |
def x(__decorated__, **Config):
if isinstance(__decorated__, tuple):
__decorated__[1].insert(0, Config)
return __decorated__
else:
return __decorated__, [Config]
| arg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(__decorated__, **Config):\n if isinstance(__decorated__, tuple):\n __decorated__[1].insert(0, Config)\n return __decorated__\n else:\n ... |
def x(__decorated__, **Config):
_Group = Group(__decorated__, Config)
if isclass(__decorated__):
static(__decorated__)
state.ActiveModuleMemberQ.insert(0, _Group)
return _Group.Underlying
| group | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(__decorated__, **Config):\n _Group = Group(__decorated__, Config)\n if isclass(__decorated__):\n static(__decorated__)\n state.ActiveModuleMemb... |
def x(callable, once=True):
if once and callable in ExitHooks:
return
ExitHooks.append(callable)
| exit_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(callable, once=True):\n if once and callable in ExitHooks:\n return\n ExitHooks.append(callable)\n",
"role": "user"
},
{
"content": "e... |
def x(Imported, **Config):
__ec_member__ = Imported.__ec_member__
__ec_member__.Config.update(**Config)
state.ActiveModuleMemberQ.insert(0, __ec_member__)
| member | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(Imported, **Config):\n __ec_member__ = Imported.__ec_member__\n __ec_member__.Config.update(**Config)\n state.ActiveModuleMemberQ.insert(0, __ec_membe... |
def x(self, main_module_name, **kwargs):
if not self._log_options_parent:
raise ValueError('Missing log_options_parent')
options = self[self._log_options_parent]
log_level_index = LOG_LEVELS.index(options.log_level)
log_kwargs = {'level': getattr(logging, options.log_level.upper()),
'format':
'[%(asctime)s #%(process)d] %(levelname)-8s %(name)-12s %(message)s',
'datefmt': '%Y-%m-%dT%H:%M:%S%z'}
if options.log_file == 'STDERR':
log_kwargs['stream'] = sys.stderr
elif options.log_file == 'STDOUT':
log_kwargs['stream'] = sys.stdout
else:
log_kwargs['filename'] = options.log_file
log_kwargs.update(kwargs)
logging.basicConfig(**log_kwargs)
other_log_level = getattr(logging, LOG_LEVELS[log_level_index + 1].upper())
other_filter = OtherLoggingFilter(main_module_name, other_log_level)
for handler in logging.root.handlers:
handler.addFilter(other_filter)
| configure_basic_logging | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, main_module_name, **kwargs):\n if not self._log_options_parent:\n raise ValueError('Missing log_options_parent')\n options = self[self._log_... |
def x(self, conflict_resolver=choose_mine):
config = self._load(conflict_resolver)
with open(self._config_file, 'wb') as cf:
config.write(cf)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, conflict_resolver=choose_mine):\n config = self._load(conflict_resolver)\n with open(self._config_file, 'wb') as cf:\n config.write(cf)\n",
... |
def x(a_string):
try:
return dict((k, eval(v.rstrip(','))) for k, v in kw_list_re.findall
(a_string))
except (AttributeError, TypeError):
if isinstance(a_string, collections.Mapping):
return a_string
return {}
| kw_str_parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_string):\n try:\n return dict((k, eval(v.rstrip(','))) for k, v in kw_list_re.findall\n (a_string))\n except (AttributeError, TypeErr... |
def x(raw_crash, dumps, processed_crash, processor, key=''):
try:
return bool(raw_crash[key])
except KeyError:
return False
| is_not_null_predicate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(raw_crash, dumps, processed_crash, processor, key=''):\n try:\n return bool(raw_crash[key])\n except KeyError:\n return False\n",
"role... |
def x(self, *args, **kwargs):
if self.predicate(*args, **kwargs):
bool_result = self.action(*args, **kwargs)
return True, bool_result
else:
return False, None
| act | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n if self.predicate(*args, **kwargs):\n bool_result = self.action(*args, **kwargs)\n return True, bool_result\n els... |
def x(fn, proxy_args, proxy_kwargs):
try:
return fn(*proxy_args, **proxy_kwargs)
except TypeError:
return bool(fn)
| function_invocation_proxy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fn, proxy_args, proxy_kwargs):\n try:\n return fn(*proxy_args, **proxy_kwargs)\n except TypeError:\n return bool(fn)\n",
"role": "user"... |
def x(self, *args, **kwargs):
pred_args = tuple(args) + tuple(self.predicate_args)
pred_kwargs = kwargs.copy()
pred_kwargs.update(self.predicate_kwargs)
if self.function_invocation_proxy(self.predicate, pred_args, pred_kwargs):
act_args = tuple(args) + tuple(self.action_args)
act_kwargs = kwargs.copy()
act_kwargs.update(self.action_kwargs)
bool_result = self.function_invocation_proxy(self.action, act_args,
act_kwargs)
return True, bool_result
else:
return False, None
| act | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n pred_args = tuple(args) + tuple(self.predicate_args)\n pred_kwargs = kwargs.copy()\n pred_kwargs.update(self.predicate_kwarg... |
def x(self, an_iterable):
self.rules = [TransformRule(*x, config=self.config) for x in an_iterable]
| load_rules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, an_iterable):\n self.rules = [TransformRule(*x, config=self.config) for x in an_iterable]\n",
"role": "user"
},
{
"content": "load_rules",... |
def x(self, an_iterable):
self.rules.extend(TransformRule(*x, config=self.config) for x in
an_iterable)
| append_rules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, an_iterable):\n self.rules.extend(TransformRule(*x, config=self.config) for x in\n an_iterable)\n",
"role": "user"
},
{
"content": ... |
def x(self, *args, **kwargs):
for x in self.rules:
self._quit_check()
if self.config.chatty_rules:
self.config.logger.debug('apply_all_rules: %s', to_str(x.__class__)
)
predicate_result, action_result = x.act(*args, **kwargs)
if self.config.chatty_rules:
self.config.logger.debug(' : pred - %s; act - %s',
predicate_result, action_result)
return True
| apply_all_rules | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n for x in self.rules:\n self._quit_check()\n if self.config.chatty_rules:\n self.config.logger.debug('appl... |
def x(poems):
words = sorted(list(set(reduce(lambda x, y: x + y, poems))))
return words
| get_wordset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(poems):\n words = sorted(list(set(reduce(lambda x, y: x + y, poems))))\n return words\n",
"role": "user"
},
{
"content": "get_wordset",
"... |
def x(stanzas, gold_schemes, found_schemes):
result = SuccessMeasure()
total = float(len(gold_schemes))
correct = 0.0
for g, f in zip(gold_schemes, found_schemes):
if g == f:
correct += 1
result.accuracy = correct / total
tot_p = 0.0
tot_r = 0.0
tot_words = 0.0
for s, g, f in zip(stanzas, gold_schemes, found_schemes):
stanzasize = len(s)
for wi, word in enumerate(s):
grhymeset_word = set(map(lambda x: x[0], filter(lambda x: x[1] ==
g[wi], zip(range(wi + 1, stanzasize), g[wi + 1:]))))
frhymeset_word = set(map(lambda x: x[0], filter(lambda x: x[1] ==
f[wi], zip(range(wi + 1, stanzasize), f[wi + 1:]))))
if len(grhymeset_word) == 0:
continue
tot_words += 1
if len(frhymeset_word) == 0:
continue
correct = float(len(grhymeset_word.intersection(frhymeset_word)))
precision = correct / len(frhymeset_word)
recall = correct / len(grhymeset_word)
tot_p += precision
tot_r += recall
precision = tot_p / tot_words
recall = tot_r / tot_words
result.precision = precision
result.recall = recall
if precision + recall > 0:
result.f_score = 2 * precision * recall / (precision + recall)
return result
| compare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stanzas, gold_schemes, found_schemes):\n result = SuccessMeasure()\n total = float(len(gold_schemes))\n correct = 0.0\n for g, f in zip(gold_scheme... |
def x(gold_schemes):
scheme_path = os.path.join(os.path.dirname(os.path.realpath(__file__)),
'data', 'schemes.json')
with open(scheme_path, 'r') as f:
dist = json.loads(f.read())
best_schemes = {}
for i in dist.keys():
if not dist[i]:
continue
best_schemes[int(i)] = tuple(int(j) for j in max(dist[i], key=lambda
x: x[1])[0].split())
naive_schemes = []
for g in gold_schemes:
naive_schemes.append(best_schemes[len(g)])
return naive_schemes
| naive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gold_schemes):\n scheme_path = os.path.join(os.path.dirname(os.path.realpath(__file__)),\n 'data', 'schemes.json')\n with open(scheme_path, 'r') a... |
def x(gold_schemes):
best_schemes = defaultdict(lambda : defaultdict(int))
for g in gold_schemes:
best_schemes[len(g)][tuple(g)] += 1
for i in best_schemes:
best_schemes[i] = tuple(max(best_schemes[i].items(), key=lambda x:
x[1])[0])
naive_schemes = []
for g in gold_schemes:
naive_schemes.append(best_schemes[len(g)])
return naive_schemes
| less_naive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gold_schemes):\n best_schemes = defaultdict(lambda : defaultdict(int))\n for g in gold_schemes:\n best_schemes[len(g)][tuple(g)] += 1\n for i i... |
def x(func: Callable) ->Callable:
def x(*args, **kwargs):
try:
run([GIT_COMMAND, '--version'])
except RunException as e:
raise RuntimeError('`git` does not appear to be working') from e
return func(*args, **kwargs)
return decorated
| requires_git | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: Callable) ->Callable:\n\n def x(*args, **kwargs):\n try:\n run([GIT_COMMAND, '--version'])\n except RunException as e:\n ... |
def x(directory: str):
try:
return run([GIT_COMMAND, 'rev-parse', '--show-toplevel'], directory)
except RunException as e:
if ' Not a git repository' in e.stderr:
raise NotAGitRepositoryException(directory) from e
| get_git_root_directory | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory: str):\n try:\n return run([GIT_COMMAND, 'rev-parse', '--show-toplevel'], directory)\n except RunException as e:\n if ' Not a git... |
def x(directory: str):
return os.path.relpath(os.path.realpath(directory),
get_git_root_directory(directory))
| get_directory_relative_to_git_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory: str):\n return os.path.relpath(os.path.realpath(directory),\n get_git_root_directory(directory))\n",
"role": "user"
},
{
"cont... |
def x(self, args):
rawStack = self.wrappedStack['rawStack']
os.system(
'open -a "Google Chrome" https://us-west-2.console.aws.amazon.com/cloudformation/home?region=us-west-2#/stack/detail?stackId={}'
.format(rawStack.stack_id))
| do_browse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n rawStack = self.wrappedStack['rawStack']\n os.system(\n 'open -a \"Google Chrome\" https://us-west-2.console.aws.amazon.com/cloudfo... |
def x(self, args):
self.wrappedStack = self.wrapStack(AwsConnectionFactory.instance.
getCfResource().Stack(self.wrappedStack['rawStack'].name))
| do_refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n self.wrappedStack = self.wrapStack(AwsConnectionFactory.instance.\n getCfResource().Stack(self.wrappedStack['rawStack'].name))\n",
... |
def x(self, args):
parser = CommandArgumentParser('print')
parser.add_argument('-r', '--refresh', dest='refresh', action=
'store_true', help='refresh view of the current stack')
parser.add_argument('-i', '--include', dest='include', default=None,
nargs='+', help='resource types to include')
parser.add_argument(dest='filters', nargs='*', default=['*'], help=
'Filter stacks')
args = vars(parser.parse_args(args))
if args['refresh']:
self.do_refresh('')
self.printStack(self.wrappedStack, args['include'], args['filters'])
| do_print | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n parser = CommandArgumentParser('print')\n parser.add_argument('-r', '--refresh', dest='refresh', action=\n 'store_true', help='refr... |
def x(self, args):
parser = CommandArgumentParser('resource')
parser.add_argument('-i', '--logical-id', dest='logical-id', help=
'logical id of the child resource')
args = vars(parser.parse_args(args))
stackName = self.wrappedStack['rawStack'].name
logicalId = args['logical-id']
self.stackResource(stackName, logicalId)
| do_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n parser = CommandArgumentParser('resource')\n parser.add_argument('-i', '--logical-id', dest='logical-id', help=\n 'logical id of th... |
def x(self, args):
parser = CommandArgumentParser('copy')
parser.add_argument('-a', '--asg', dest='asg', nargs='+', required=
False, default=[], help='Copy specified ASG info.')
parser.add_argument('-o', '--output', dest='output', nargs='+',
required=False, default=[], help='Copy specified output info.')
args = vars(parser.parse_args(args))
values = []
if args['output']:
values.extend(self.getOutputs(args['output']))
if args['asg']:
for asg in args['asg']:
try:
index = int(asg)
asgSummary = self.wrappedStack['resourcesByTypeIndex'][
'AWS::AutoScaling::AutoScalingGroup'][index]
except:
asgSummary = self.wrappedStack['resourcesByTypeName'][
'AWS::AutoScaling::AutoScalingGroup'][asg]
values.append(asgSummary.physical_resource_id)
print('values:{}'.format(values))
pyperclip.copy('\n'.join(values))
| do_copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, args):\n parser = CommandArgumentParser('copy')\n parser.add_argument('-a', '--asg', dest='asg', nargs='+', required=\n False, default=[], h... |
def x(self, data_path):
self.data_path = data_path
data_url = urlparse.urlparse(self.data_path)
if (data_url.scheme in SCHEMES or data_url.scheme == '' and ':' in
data_url.path):
data_name = os.path.splitext(os.path.basename(data_url.path))[0]
data_destination = os.path.join(self.clone_dir, data_name)
clone_data = True
if os.path.isdir(data_destination):
self.logger.info(
'Data clone directory already exists, checking commit sha')
with Dir(data_destination):
rc, out, err = self.cmd.gather('git status -sb')
if rc:
raise GitDataException('Error getting data repo status: {}'
.format(err))
lines = out.strip().split('\n')
synced = 'ahead' not in lines[0] and 'behind' not in lines[0
] and len(lines) == 1
rc, out, err = self.cmd.gather(
'git rev-parse --abbrev-ref HEAD')
if rc:
raise GitDataException(
'Error checking local branch name: {}'.format(err))
branch = out.strip()
if branch != self.branch:
if not synced:
msg = (
"""Local branch is `{}`, but requested `{}` and you have uncommitted/pushed changes
You must either clear your local data or manually checkout the correct branch."""
.format(branch, self.branch))
raise GitDataBranchException(msg)
else:
rc, out, err = self.cmd.gather(['git', 'ls-remote',
self.data_path, self.branch])
if rc:
raise GitDataException('Unable to check remote sha: {}'
.format(err))
remote = out.strip().split('\t')[0]
try:
self.cmd.check_assert('git branch --contains {}'.
format(remote))
self.logger.info('{} is already cloned and latest'.
format(self.data_path))
clone_data = False
except:
if not synced:
msg = (
"""Local data is out of sync with remote and you have unpushed commits: {}
You must either clear your local data
or manually rebase from latest remote to continue"""
.format(data_destination))
raise GitDataException(msg)
if clone_data:
if os.path.isdir(data_destination):
shutil.rmtree(data_destination)
self.logger.info('Cloning config data from {}'.format(self.
data_path))
if not os.path.isdir(data_destination):
cmd = 'git clone -b {} --depth 1 {} {}'.format(self.branch,
self.data_path, data_destination)
rc, out, err = self.cmd.gather(cmd)
if rc:
raise GitDataException('Error while cloning data: {}'.
format(err))
self.remote_path = self.data_path
self.data_path = data_destination
elif data_url.scheme in ['', 'file']:
self.remote_path = None
self.data_path = os.path.abspath(self.data_path)
else:
raise ValueError('Invalid data_path: {} - invalid scheme: {}'.
format(self.data_path, data_url.scheme))
if self.sub_dir:
self.data_dir = os.path.join(self.data_path, self.sub_dir)
else:
self.data_dir = self.data_path
if not os.path.isdir(self.data_dir):
raise GitDataPathException(
'{} is not a valid sub-directory in the data'.format(self.sub_dir))
| clone_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data_path):\n self.data_path = data_path\n data_url = urlparse.urlparse(self.data_path)\n if (data_url.scheme in SCHEMES or data_url.scheme == '... |
def x(self, msg):
self.logger.info('Commit config: {}'.format(msg))
with Dir(self.data_path):
self.cmd.check_assert('git add .')
self.cmd.check_assert('git commit --allow-empty -m "{}"'.format(msg))
| commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, msg):\n self.logger.info('Commit config: {}'.format(msg))\n with Dir(self.data_path):\n self.cmd.check_assert('git add .')\n self.cmd... |
def x(self):
self.logger.info('Pushing config...')
with Dir(self.data_path):
self.cmd.check_assert('git push')
| push | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.logger.info('Pushing config...')\n with Dir(self.data_path):\n self.cmd.check_assert('git push')\n",
"role": "user"
},
{
... |
def x(value, format=None):
if value == None:
return None
if format != None:
try:
if format.endswith('%S.%f') and '.' not in value:
value += '.000'
return _unix2Date(datetime2unix(datetime.strptime(value, format)))
except Exception as e:
from mo_logs import Log
Log.error('Can not format {{value}} with {{format}}', value=
value, format=format, cause=e)
value = value.strip()
if value.lower() == 'now':
return _unix2Date(datetime2unix(_utcnow()))
elif value.lower() == 'today':
return _unix2Date(math.floor(datetime2unix(_utcnow()) / 86400) * 86400)
elif value.lower() in ['eod', 'tomorrow']:
return _unix2Date(math.floor(datetime2unix(_utcnow()) / 86400) *
86400 + 86400)
if any(value.lower().find(n) >= 0 for n in ['now', 'today', 'eod',
'tomorrow'] + list(MILLI_VALUES.keys())):
return parse_time_expression(value)
try:
local_value = parse_date(value)
return _unix2Date(datetime2unix((local_value - local_value.
utcoffset()).replace(tzinfo=None)))
except Exception as e:
e = Except.wrap(e)
pass
formats = ['%Y-%m-%dT%H:%M:%S', '%Y-%m-%dT%H:%M:%S.%f']
for f in formats:
try:
return _unix2Date(datetime2unix(datetime.strptime(value, f)))
except Exception:
pass
deformats = ['%Y-%m', '%Y%m%d', '%d%m%Y', '%d%m%y', '%d%b%Y', '%d%b%y',
'%d%B%Y', '%d%B%y', '%Y%m%d%H%M%S', '%Y%m%dT%H%M%S', '%d%m%Y%H%M%S',
'%d%m%y%H%M%S', '%d%b%Y%H%M%S', '%d%b%y%H%M%S', '%d%B%Y%H%M%S',
'%d%B%y%H%M%S']
value = deformat(value)
for f in deformats:
try:
return unicode2Date(value, format=f)
except Exception:
pass
else:
from mo_logs import Log
Log.error('Can not interpret {{value}} as a datetime', value=value)
| unicode2Date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value, format=None):\n if value == None:\n return None\n if format != None:\n try:\n if format.endswith('%S.%f') and '.' not in ... |
def x(basedir):
prefix = ''
prefixfile = os.path.join(basedir, 'pairtree_prefix')
if os.path.isfile(prefixfile):
rff = open(prefixfile, 'r')
prefix = rff.readline().strip()
rff.close()
root = os.path.join(basedir, 'pairtree_root')
if os.path.isdir(root):
objects = pairtree.findObjects(root)
for obj in objects:
doi = os.path.split(obj)[1]
print(prefix + pairtree.deSanitizeString(doi))
else:
print('pairtree_root directory not found')
| listIDs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(basedir):\n prefix = ''\n prefixfile = os.path.join(basedir, 'pairtree_prefix')\n if os.path.isfile(prefixfile):\n rff = open(prefixfile, 'r')\... |
def x(self):
if self._tls:
ldap.set_option(ldap.OPT_X_TLS_REQUIRE_CERT, ldap.OPT_X_TLS_NEVER)
try:
conn = ldap.initialize(self._url)
conn.set_option(ldap.OPT_NETWORK_TIMEOUT, self._timeout)
conn.simple_bind_s(self._binddn, self._bindpw)
except Exception as e:
if hasattr(e, 'message') and 'desc' in e.message:
msg = e.message['desc']
else:
msg = e.args[0]['desc']
log.critical(msg)
raise
log.debug('%s connection established' % ('LDAPS' if self._tls else 'LDAP'))
self._conn = conn
| set_conn | [
{
"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._tls:\n ldap.set_option(ldap.OPT_X_TLS_REQUIRE_CERT, ldap.OPT_X_TLS_NEVER)\n try:\n conn = ldap.initialize(self._url)\n ... |
def x(e):
msg = e
if hasattr(e, 'message'):
msg = e.message
if 'desc' in e.message:
msg = e.message['desc']
elif hasattr(e, 'args'):
msg = e.args[0]['desc']
return msg
| get_ldap_msg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(e):\n msg = e\n if hasattr(e, 'message'):\n msg = e.message\n if 'desc' in e.message:\n msg = e.message['desc']\n elif ha... |
def x(self, base, fltr, attrs=None, scope=ldap.SCOPE_SUBTREE):
try:
results = self._conn.search_s(base, scope, fltr, attrs)
except Exception as e:
log.exception(self._get_ldap_msg(e))
results = False
return results
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, base, fltr, attrs=None, scope=ldap.SCOPE_SUBTREE):\n try:\n results = self._conn.search_s(base, scope, fltr, attrs)\n except Exception as e:... |
def x(self):
results = self._search('cn=config', '(objectClass=*)', [
'nsslapd-localhost'], scope=ldap.SCOPE_BASE)
if not results and type(results) is not list:
r = None
else:
dn, attrs = results[0]
r = attrs['nsslapd-localhost'][0].decode('utf-8')
self._fqdn = r
log.debug('FQDN: %s' % self._fqdn)
| set_fqdn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = self._search('cn=config', '(objectClass=*)', [\n 'nsslapd-localhost'], scope=ldap.SCOPE_BASE)\n if not results and type(results... |
def x(self):
self._hostname, _, self._domain = str(self._fqdn).partition('.')
log.debug('Hostname: %s, Domain: %s' % (self._hostname, self._domain))
| set_hostname_domain | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._hostname, _, self._domain = str(self._fqdn).partition('.')\n log.debug('Hostname: %s, Domain: %s' % (self._hostname, self._domain))\n",
... |
def x(self):
self._ip = socket.gethostbyname(self._fqdn)
log.debug('IP: %s' % self._ip)
| set_ip | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._ip = socket.gethostbyname(self._fqdn)\n log.debug('IP: %s' % self._ip)\n",
"role": "user"
},
{
"content": "set_ip",
"role"... |
def x(self):
results = self._search('cn=config', '(objectClass=*)', [
'nsslapd-defaultnamingcontext'], scope=ldap.SCOPE_BASE)
if results and type(results) is list:
dn, attrs = results[0]
r = attrs['nsslapd-defaultnamingcontext'][0].decode('utf-8')
else:
raise Exception
self._base_dn = r
self._active_user_base = 'cn=users,cn=accounts,' + self._base_dn
self._stage_user_base = ('cn=staged users,cn=accounts,cn=provisioning,' +
self._base_dn)
self._preserved_user_base = (
'cn=deleted users,cn=accounts,cn=provisioning,' + self._base_dn)
self._groups_base = 'cn=groups,cn=accounts,' + self._base_dn
log.debug('Base DN: %s' % self._base_dn)
| set_base_dn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n results = self._search('cn=config', '(objectClass=*)', [\n 'nsslapd-defaultnamingcontext'], scope=ldap.SCOPE_BASE)\n if results and type(... |
def x(self, user_base='active'):
if not getattr(self, '_%s_users' % user_base):
self._get_users(user_base)
return getattr(self, '_%s_users' % user_base)
| users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_base='active'):\n if not getattr(self, '_%s_users' % user_base):\n self._get_users(user_base)\n return getattr(self, '_%s_users' % user... |
def x(self, user_base):
results = self._search(getattr(self, '_%s_user_base' % user_base),
'(objectClass=*)', ['*'], scope=ldap.SCOPE_ONELEVEL)
for dn, attrs in results:
uid = attrs.get('uid')[0].decode('utf-8', 'ignore')
getattr(self, '_%s_users' % user_base)[uid] = FreeIPAUser(dn, attrs)
log.debug('%s users: %s' % (user_base.capitalize(), len(getattr(self,
'_%s_users' % user_base))))
| get_users | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_base):\n results = self._search(getattr(self, '_%s_user_base' % user_base),\n '(objectClass=*)', ['*'], scope=ldap.SCOPE_ONELEVEL)\n fo... |
def x(self, email, user_base='active'):
users = []
for user in getattr(self, 'users')(user_base).values():
mail = user.mail
if mail and email in mail:
users.append(user)
log.debug('%s users with email address %s: %s' % (user_base.capitalize(
), email, len(users)))
return users
| find_users_by_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, user_base='active'):\n users = []\n for user in getattr(self, 'users')(user_base).values():\n mail = user.mail\n if mail and e... |
def x(self):
r = self._search('cn=config', '(objectClass=*)', [
'nsslapd-allow-anonymous-access'], scope=ldap.SCOPE_BASE)
dn, attrs = r[0]
state = attrs.get('nsslapd-allow-anonymous-access')[0].decode('utf-8',
'ignore')
if state in ['on', 'off', 'rootdse']:
r = state
else:
r = None
self._anon_bind = r
| get_anon_bind | [
{
"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._search('cn=config', '(objectClass=*)', [\n 'nsslapd-allow-anonymous-access'], scope=ldap.SCOPE_BASE)\n dn, attrs = r[0]\n st... |
def x(stream, Loader=yaml.Loader, object_pairs_hook=dict):
class OrderedLoader(Loader):
pass
def x(loader, node):
loader.flatten_mapping(node)
return object_pairs_hook(loader.construct_pairs(node))
OrderedLoader.add_constructor(yaml.resolver.BaseResolver.
DEFAULT_MAPPING_TAG, construct_mapping)
return yaml.load(stream, OrderedLoader)
| ordered_load | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stream, Loader=yaml.Loader, object_pairs_hook=dict):\n\n\n class OrderedLoader(Loader):\n pass\n\n def x(loader, node):\n loader.flatten_ma... |
def x(data):
data = _ordered_load(data, yaml.SafeLoader)
iterables = dict()
unique = dict()
for key, value in data.items():
if isinstance(value, list) and not key.startswith('_'):
iterables[key] = value
else:
unique[key] = value
for values in itertools.product(*iterables.values()):
retval = dict(unique)
keys = list(iterables.keys())
retval.update(dict(zip(keys, values)))
yield retval
| expand | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n data = _ordered_load(data, yaml.SafeLoader)\n iterables = dict()\n unique = dict()\n for key, value in data.items():\n if isinstanc... |
def x(variables, template):
env = jinja2.Environment(undefined=jinja2.StrictUndefined)
for c in expand(variables):
c['rc'] = rc
yield env.from_string(template).render(c)
| generate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables, template):\n env = jinja2.Environment(undefined=jinja2.StrictUndefined)\n for c in expand(variables):\n c['rc'] = rc\n yield env... |
def x(variables, template):
env = jinja2.Environment(undefined=jinja2.StrictUndefined)
d = {'cfgset': list(expand(variables)), 'rc': rc}
return env.from_string(template).render(d)
| aggregate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(variables, template):\n env = jinja2.Environment(undefined=jinja2.StrictUndefined)\n d = {'cfgset': list(expand(variables)), 'rc': rc}\n return env.fr... |
def x(conn: Connection, table: Table, sourcesystem_cd: str) ->int:
return conn.execute(delete(table).where(table.c.sourcesystem_cd ==
sourcesystem_cd)).rowcount if sourcesystem_cd else 0
| delete_sourcesystem_cd | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conn: Connection, table: Table, sourcesystem_cd: str) ->int:\n return conn.execute(delete(table).where(table.c.sourcesystem_cd ==\n sourcesystem_cd))... |
def x(conn: Connection, table: Table, upload_id: int) ->int:
return conn.execute(delete(table).where(table.c.upload_id == upload_id)
).rowcount if upload_id else 0
| delete_upload_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conn: Connection, table: Table, upload_id: int) ->int:\n return conn.execute(delete(table).where(table.c.upload_id == upload_id)\n ).rowcount if uplo... |
def x(f: Callable, filters: List):
return None if len(filters) == 0 else filters[0] if len(filters
) == 1 else f(filters[0], I2B2CoreWithUploadId._nested_fcn(f,
filters[1:]))
| nested_fcn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f: Callable, filters: List):\n return None if len(filters) == 0 else filters[0] if len(filters\n ) == 1 else f(filters[0], I2B2CoreWithUploadId._nest... |
def x(cls, conn: Connection, table: Table, records: List[
'I2B2CoreWithUploadId']) ->Tuple[int, int]:
num_updates = 0
num_inserts = 0
inserts = []
for record in records:
keys = [(table.c[k] == getattr(record, k)) for k in cls.key_fields]
key_filter = I2B2CoreWithUploadId._nested_fcn(and_, keys)
rec_exists = conn.execute(select([table.c.upload_id]).where(key_filter)
).rowcount
if rec_exists:
known_values = {k: v for k, v in as_dict(record).items() if v
is not None and k not in cls._no_update_fields and k not in
cls.key_fields}
vals = [(table.c[k] != v) for k, v in known_values.items()]
val_filter = I2B2CoreWithUploadId._nested_fcn(or_, vals)
known_values['update_date'] = record.update_date
upd = update(table).where(and_(key_filter, val_filter)).values(
known_values)
num_updates += conn.execute(upd).rowcount
else:
inserts.append(as_dict(record))
if inserts:
if cls._check_dups:
dups = cls._check_for_dups(inserts)
nprints = 0
if dups:
print('{} duplicate records encountered'.format(len(dups)))
for k, vals in dups.items():
if len(vals) == 2 and vals[0] == vals[1]:
inserts.remove(vals[1])
else:
if nprints < 20:
print('Key: {} has a non-identical dup'.format(k))
elif nprints == 20:
print('.... more ...')
nprints += 1
for v in vals[1:]:
inserts.remove(v)
for insert in ListChunker(inserts, 500):
num_inserts += conn.execute(table.insert(), insert).rowcount
return num_inserts, num_updates
| add_or_update_records | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, conn: Connection, table: Table, records: List[\n 'I2B2CoreWithUploadId']) ->Tuple[int, int]:\n num_updates = 0\n num_inserts = 0\n inserts = [... |
def x(self, other):
if not len(self) == len(other):
return False
return super().equality(other)
| equality | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if not len(self) == len(other):\n return False\n return super().equality(other)\n",
"role": "user"
},
{
"content": "eq... |
def x(self, other):
if len(self.items) > len(other.items):
first, second = self, other
else:
first, second = other, self
items = list(first.items)
length = len(items)
sim = self.Similarity(0.0 if length else 1.0)
cname = self.__class__.__name__
for num, perm in enumerate(permutations(items, length), start=1):
first.items = perm
aname = 'items-p{}'.format(num)
self.log(first, second, '%', cname=cname, aname=aname)
permutation_sim = super(Group, first).similarity(second)
self.log(first, second, '%', cname=cname, aname=aname, result=
permutation_sim)
sim = max(sim, permutation_sim)
logging.debug('highest similarity: %s', sim)
first.items = items
return sim
| similarity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, other):\n if len(self.items) > len(other.items):\n first, second = self, other\n else:\n first, second = other, self\n items = lis... |
async def peers(client: Client, leaves: bool=False, leaf: str='') ->dict:
"""
GET peering entries of every node inside the currency network
:param client: Client to connect to the api
:param leaves: True if leaves should be requested
:param leaf: True if leaf should be requested
:return:
"""
if leaves is True:
return await client.get(MODULE + '/peering/peers', {'leaves':
'true'}, schema=PEERS_SCHEMA)
else:
return await client.get(MODULE + '/peering/peers', {'leaf': leaf},
schema=PEERS_SCHEMA)
| peers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def peers(client: Client, leaves: bool=False, leaf: str='') ->dict:\n \"\"\"\n GET peering entries of every node inside the currency network\n\n :para... |
async def peer(client: Client, peer_signed_raw: str) ->ClientResponse:
"""
POST a Peer signed raw document
:param client: Client to connect to the api
:param peer_signed_raw: Peer signed raw document
:return:
"""
return await client.post(MODULE + '/peering/peers', {'peer':
peer_signed_raw}, rtype=RESPONSE_AIOHTTP)
| peer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def peer(client: Client, peer_signed_raw: str) ->ClientResponse:\n \"\"\"\n POST a Peer signed raw document\n\n :param client: Client to connect to th... |
def x(disk):
dev = disk.dev
if dev.startswith('sr') or 'cd' in dev:
return True
elif disk.fmt in optical_fs:
return True
else:
return None
| check_optical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(disk):\n dev = disk.dev\n if dev.startswith('sr') or 'cd' in dev:\n return True\n elif disk.fmt in optical_fs:\n return True\n else:\... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.