source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(text, default=True):
if default:
legend = '[y]/n'
else:
legend = 'y/[n]'
res = ''
while res != 'y' and res != 'n':
res = raw_input(text + ' ({}): '.format(legend)).lower()
if not res and default:
res = 'y'
elif not res and not default:
res = 'n'
if res[0] == 'y':
return True
else:
return False
| confirm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, default=True):\n if default:\n legend = '[y]/n'\n else:\n legend = 'y/[n]'\n res = ''\n while res != 'y' and res != 'n':\n ... |
def x(fname):
res = []
try:
with open(fname, 'r') as f:
for line in f:
line = line.rstrip('\n').rstrip('\r')
if line and line[0] != '#':
regexline = '.*' + re.sub('\\*', '.*', line) + '.*'
res.append(regexline.lower())
except IOError:
pass
return res
| read_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname):\n res = []\n try:\n with open(fname, 'r') as f:\n for line in f:\n line = line.rstrip('\\n').rstrip('\\r')\n ... |
def x(title, filters, blacklist):
title = title.lower()
matched = False
for f in filters:
if re.match(f, title):
matched = True
if not matched:
return True
for b in blacklist:
if re.match(b, title):
return True
return False
| drop_it | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(title, filters, blacklist):\n title = title.lower()\n matched = False\n for f in filters:\n if re.match(f, title):\n matched = True\... |
def x(act, config):
if not config:
pass
elif act is 'list':
do_list()
else:
config_dir = os.path.join(CONFIG_ROOT, config)
globals()['do_' + act](config, config_dir)
| action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(act, config):\n if not config:\n pass\n elif act is 'list':\n do_list()\n else:\n config_dir = os.path.join(CONFIG_ROOT, config)\... |
def x(self):
for domain in self.domains.values():
if not domain.is_discrete():
return False
return True
| is_discrete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for domain in self.domains.values():\n if not domain.is_discrete():\n return False\n return True\n",
"role": "user"
},
... |
def x(self, lab):
for const in self.constraints:
if not const.consistent(lab):
return False
return True
| consistent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lab):\n for const in self.constraints:\n if not const.consistent(lab):\n return False\n return True\n",
"role": "user"
},
... |
def x(self, lab):
for const in self.constraints:
if not const.satisfied(lab):
return False
return True
| satisfied | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lab):\n for const in self.constraints:\n if not const.satisfied(lab):\n return False\n return True\n",
"role": "user"
},
... |
def x(cls: Type[MembershipType], version: int, currency: str,
membership_type: str, inline: str) ->MembershipType:
data = Membership.re_inline.match(inline)
if data is None:
raise MalformedDocumentError('Inline membership ({0})'.format(inline))
issuer = data.group(1)
signature = data.group(2)
membership_ts = BlockUID.from_str(data.group(3))
identity_ts = BlockUID.from_str(data.group(4))
uid = data.group(5)
return cls(version, currency, issuer, membership_ts, membership_type,
uid, identity_ts, signature)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[MembershipType], version: int, currency: str,\n membership_type: str, inline: str) ->MembershipType:\n data = Membership.re_inline.match(inline... |
def x(cls: Type[MembershipType], signed_raw: str) ->MembershipType:
lines = signed_raw.splitlines(True)
n = 0
version = int(Membership.parse_field('Version', lines[n]))
n += 1
Membership.parse_field('Type', lines[n])
n += 1
currency = Membership.parse_field('Currency', lines[n])
n += 1
issuer = Membership.parse_field('Issuer', lines[n])
n += 1
membership_ts = BlockUID.from_str(Membership.parse_field('Block', lines[n])
)
n += 1
membership_type = Membership.parse_field('Membership', lines[n])
n += 1
uid = Membership.parse_field('UserID', lines[n])
n += 1
identity_ts = BlockUID.from_str(Membership.parse_field('CertTS', lines[n]))
n += 1
signature = Membership.parse_field('Signature', lines[n])
n += 1
return cls(version, currency, issuer, membership_ts, membership_type,
uid, identity_ts, signature)
| from_signed_raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[MembershipType], signed_raw: str) ->MembershipType:\n lines = signed_raw.splitlines(True)\n n = 0\n version = int(Membership.parse_field('Ve... |
def x(self) ->str:
return (
"""Version: {0}
Type: Membership
Currency: {1}
Issuer: {2}
Block: {3}
Membership: {4}
UserID: {5}
CertTS: {6}
"""
.format(self.version, self.currency, self.issuer, self.
membership_ts, self.membership_type, self.uid, self.identity_ts))
| raw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return (\n \"\"\"Version: {0}\nType: Membership\nCurrency: {1}\nIssuer: {2}\nBlock: {3}\nMembership: {4}\nUserID: {5}\nCertTS: {6}\n\"... |
def x(self) ->str:
return '{0}:{1}:{2}:{3}:{4}'.format(self.issuer, self.signatures[0],
self.membership_ts, self.identity_ts, self.uid)
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return '{0}:{1}:{2}:{3}:{4}'.format(self.issuer, self.signatures[0],\n self.membership_ts, self.identity_ts, self.uid)\n",
"role":... |
def x(x, y):
varsX = __split_expression(x)[1]
theta = unify(x, y)
if theta is problem.FAILURE:
return False
return all(__is_variable(theta[var]) for var in theta.keys() if var in
varsX)
| is_subsumed_by | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y):\n varsX = __split_expression(x)[1]\n theta = unify(x, y)\n if theta is problem.FAILURE:\n return False\n return all(__is_variable(the... |
def x(self, url, params=None, data=None, headers=None):
if not headers:
headers = {'content-type': 'application/json'}
try:
response = requests.get(url, params=params, data=data, headers=headers)
except:
return None
if response.status_code == 200:
return response
| do_request | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url, params=None, data=None, headers=None):\n if not headers:\n headers = {'content-type': 'application/json'}\n try:\n response = re... |
def x(self, doc_id, citations, accesses):
headers = {'content-type': 'application/json'}
data = {'add': {'doc': {'id': doc_id}}}
if citations:
data['add']['doc']['total_received'] = {'set': str(citations)}
if accesses:
data['add']['doc']['total_access'] = {'set': str(accesses)}
params = {'wt': 'json'}
response = self._do_request(self.UPDATE_ENDPOINT, params=params, data=
json.dumps(data), headers=headers)
if not response:
logger.debug('Document (%s) could not be updated' % doc_id)
logger.debug('Document (%s) updated' % doc_id)
| update_document_indicators | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc_id, citations, accesses):\n headers = {'content-type': 'application/json'}\n data = {'add': {'doc': {'id': doc_id}}}\n if citations:\n ... |
def x(self):
params = {'commit': 'true'}
response = self._do_request(self.UPDATE_ENDPOINT, params=params)
if response and response.status_code == 200:
logger.debug('Index commited')
return None
logger.warning('Fail to commite index')
| commit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n params = {'commit': 'true'}\n response = self._do_request(self.UPDATE_ENDPOINT, params=params)\n if response and response.status_code == 200:... |
def x(workspace=None):
workspace = workspace or os.getcwd()
if os.fork():
os._exit(0)
os.chdir(workspace)
os.setsid()
os.umask(18)
if os.fork():
os._exit(0)
null = os.open('/dev/null', os.O_RDWR)
try:
for i in range(0, 3):
try:
os.dup2(null, i)
except OSError as error:
if error.errno != errno.EBADF:
raise
finally:
os.close(null)
| make_basic_daemon | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workspace=None):\n workspace = workspace or os.getcwd()\n if os.fork():\n os._exit(0)\n os.chdir(workspace)\n os.setsid()\n os.umask(18)\... |
def x(pid, sig=None):
sig = sig or signal.SIGTERM
os.kill(pid, sig)
| process_kill | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pid, sig=None):\n sig = sig or signal.SIGTERM\n os.kill(pid, sig)\n",
"role": "user"
},
{
"content": "process_kill",
"role": "assistant"
... |
def x(pidfile):
if pidfile and os.path.isfile(pidfile):
with open(pidfile, 'r', encoding='utf-8') as fobj:
return int(fobj.readline().strip())
return 0
| load_pid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pidfile):\n if pidfile and os.path.isfile(pidfile):\n with open(pidfile, 'r', encoding='utf-8') as fobj:\n return int(fobj.readline().stri... |
def x(pidfile):
pid = os.getpid()
if pidfile:
with open(pidfile, 'w', encoding='utf-8') as fobj:
fobj.write(six.u(str(pid)))
return pid
| write_pidfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pidfile):\n pid = os.getpid()\n if pidfile:\n with open(pidfile, 'w', encoding='utf-8') as fobj:\n fobj.write(six.u(str(pid)))\n ret... |
def x(pid):
process = get_process(pid)
if process and process.is_running() and process.status() != 'zombie':
return True
else:
return False
| is_running | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pid):\n process = get_process(pid)\n if process and process.is_running() and process.status() != 'zombie':\n return True\n else:\n retur... |
def x(pidfile):
if pidfile and os.path.exists(pidfile):
os.unlink(pidfile)
| clean_pid_file | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pidfile):\n if pidfile and os.path.exists(pidfile):\n os.unlink(pidfile)\n",
"role": "user"
},
{
"content": "clean_pid_file",
"role":... |
def x(main, pidfile, daemon=True, workspace=None):
logger.debug(
'start daemon application pidfile={pidfile} daemon={daemon} workspace={workspace}.'
.format(pidfile=pidfile, daemon=daemon, workspace=workspace))
new_pid = os.getpid()
workspace = workspace or os.getcwd()
os.chdir(workspace)
daemon_flag = False
if pidfile and daemon:
old_pid = load_pid(pidfile)
if old_pid:
logger.debug('pidfile {pidfile} already exists, pid={pid}.'.
format(pidfile=pidfile, pid=old_pid))
if old_pid and is_running(old_pid):
error_message = 'Service is running in process: {pid}.'.format(pid
=old_pid)
logger.error(error_message)
six.print_(error_message, file=os.sys.stderr)
os.sys.exit(95)
clean_pid_file(pidfile)
if daemon and os.name == 'posix':
make_basic_daemon()
daemon_flag = True
if daemon_flag:
logger.info(
'Start application in DAEMON mode, pidfile={pidfile} pid={pid}'
.format(pidfile=pidfile, pid=new_pid))
else:
logger.info('Start application in FRONT mode, pid={pid}.'.format(
pid=new_pid))
write_pidfile(pidfile)
atexit.register(clean_pid_file, pidfile)
main()
return
| daemon_start | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(main, pidfile, daemon=True, workspace=None):\n logger.debug(\n 'start daemon application pidfile={pidfile} daemon={daemon} workspace={workspace}.'\n ... |
def x(pidfile, sig=None):
logger.debug('stop daemon application pidfile={pidfile}.'.format(
pidfile=pidfile))
pid = load_pid(pidfile)
logger.debug('load pid={pid}'.format(pid=pid))
if not pid:
six.print_('Application is not running or crashed...', file=os.sys.
stderr)
os.sys.exit(195)
process_kill(pid, sig)
return pid
| daemon_stop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pidfile, sig=None):\n logger.debug('stop daemon application pidfile={pidfile}.'.format(\n pidfile=pidfile))\n pid = load_pid(pidfile)\n logger.... |
def x(filename):
try:
with open(filename) as f:
d = f.read(132)
return d[128:132] == 'DICM'
except:
return False
| is_dicom | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n try:\n with open(filename) as f:\n d = f.read(132)\n return d[128:132] == 'DICM'\n except:\n return Fals... |
def x(filename):
try:
out = subprocess.check_output([_dicom_hdr, '-sexinfo', filename])
except subprocess.CalledProcessError:
return None
slice_timing_out = subprocess.check_output([_dicom_hdr, '-slice_times',
filename])
slice_timing = [float(x) for x in slice_timing_out.strip().split()[5:]]
frames = []
for frame in re.findall(
'^(\\w{4}) (\\w{4})\\s+(\\d+) \\[(\\d+)\\s+\\] \\/\\/(.*?)\\/\\/(.*?)$'
, out, re.M):
new_frame = {}
new_frame['addr'] = int(frame[0], 16), int(frame[1], 16)
new_frame['size'] = int(frame[2])
new_frame['offset'] = int(frame[3])
new_frame['label'] = frame[4].strip()
new_frame['value'] = frame[5].strip()
frames.append(new_frame)
sex_info = {}
for i in re.findall('^(.*?)\\s+= (.*)$', out, re.M):
sex_info[i[0]] = i[1]
return DicomInfo(frames, sex_info, slice_timing)
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n try:\n out = subprocess.check_output([_dicom_hdr, '-sexinfo', filename])\n except subprocess.CalledProcessError:\n return None... |
def x(filename, tags):
if isinstance(tags, tuple):
tags = [tags]
d = pydicom.read_file(filename)
return_dict = {}
dicom_info = None
for k in tags:
if k in d:
return_dict[k] = d[k].value
else:
if dicom_info == None:
dicom_info = info(filename)
i = dicom_info.addr(k)
if i:
return_dict[k] = nl.numberize(i['value'])
return return_dict
| info_for_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, tags):\n if isinstance(tags, tuple):\n tags = [tags]\n d = pydicom.read_file(filename)\n return_dict = {}\n dicom_info = None\n ... |
def x(dirname, tags=None, md5_hash=False):
if tags == None:
tags = [(8, 33), (8, 49), (8, 4158), (8, 128), (16, 32), (40, 16),
(40, 17)]
return_dict = {}
for root, dirs, files in os.walk(dirname):
for filename in files:
fullname = os.path.join(root, filename)
if is_dicom(fullname):
return_dict[fullname] = info_for_tags(fullname, tags)
if md5_hash:
return_dict[fullname]['md5'] = nl.hash(fullname)
return return_dict
| scan_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dirname, tags=None, md5_hash=False):\n if tags == None:\n tags = [(8, 33), (8, 49), (8, 4158), (8, 128), (16, 32), (40, 16),\n (40, 17)]\n... |
def x(file_dict):
found_hashes = {}
for f in file_dict:
if file_dict[f]['md5'] not in found_hashes:
found_hashes[file_dict[f]['md5']] = []
found_hashes[file_dict[f]['md5']].append(f)
final_hashes = dict(found_hashes)
for h in found_hashes:
if len(found_hashes[h]) < 2:
del final_hashes[h]
return final_hashes.values()
| find_dups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_dict):\n found_hashes = {}\n for f in file_dict:\n if file_dict[f]['md5'] not in found_hashes:\n found_hashes[file_dict[f]['md5']]... |
def x(file_dict):
return_dict = {}
for filename in file_dict:
info_dict = dict(file_dict[filename])
if 'md5' in info_dict:
del info_dict['md5']
dict_key = tuple(sorted([file_dict[filename][x] for x in info_dict]))
if dict_key not in return_dict:
return_dict[dict_key] = {'info': info_dict, 'files': []}
return_dict[dict_key]['files'].append(filename)
return return_dict
| cluster_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file_dict):\n return_dict = {}\n for filename in file_dict:\n info_dict = dict(file_dict[filename])\n if 'md5' in info_dict:\n d... |
def x(dset1, dset2):
for dset in [dset1, dset2]:
if not os.path.exists(dset):
nl.notify('Error: Could not find file: %s' % dset, level=nl.
level.error)
return float('inf')
try:
dset1_d = nib.load(dset1)
dset2_d = nib.load(dset2)
dset1_data = dset1_d.get_data()
dset2_data = dset2_d.get_data()
except IOError:
nl.notify('Error: Could not read files %s and %s' % (dset1, dset2),
level=nl.level.error)
return float('inf')
try:
old_err = np.seterr(divide='ignore', invalid='ignore')
max_val = 100 * np.max(np.ma.masked_invalid(np.double(dset1_data -
dset2_data) / ((dset1_data + dset2_data) / 2)))
np.seterr(**old_err)
return max_val
except ValueError:
return float('inf')
| max_diff | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dset1, dset2):\n for dset in [dset1, dset2]:\n if not os.path.exists(dset):\n nl.notify('Error: Could not find file: %s' % dset, level=nl.... |
def x(prefix, file_list, file_order='zt', num_slices=None, num_reps=None,
TR=None, slice_order='alt+z', only_dicoms=True, sort_filenames=False):
tags = {'num_rows': (40, 16), 'num_reps': (32, 261), 'TR': (24, 128)}
with nl.notify('Trying to create dataset %s' % prefix):
if os.path.exists(prefix):
nl.notify('Error: file "%s" already exists!' % prefix, level=nl
.level.error)
return False
tagvals = {}
for f in file_list:
try:
tagvals[f] = info_for_tags(f, tags.values())
except:
pass
if only_dicoms:
new_file_list = []
for f in file_list:
if f in tagvals and len(tagvals[f][tags['num_rows']]) > 0:
new_file_list.append(f)
file_list = new_file_list
if sort_filenames:
def x(fname):
try:
nums = [x.strip('.') for x in re.findall('[\\d.]+',
fname) if x.strip('.') != '']
return float(nums[-1])
except:
return fname
file_list = sorted(file_list, key=file_num)
if len(file_list) == 0:
nl.notify("Error: Couldn't find any valid DICOM images", level=
nl.level.error)
return False
cmd = ['to3d', '-skip_outliers', '-quit_on_err', '-prefix', prefix]
if num_slices != None or num_reps != None:
if num_slices == None:
if len(file_list) % num_reps != 0:
nl.notify(
"Error: trying to guess # of slices, but %d (number for files) doesn't divide evenly into %d (number of reps)"
% (len(file_list), num_reps), level=nl.level.error)
return False
num_slices = len(file_list) / num_reps
if num_reps == None:
if len(file_list) % num_slices == 0:
num_reps = len(file_list) / num_slices
elif len(file_list) == 1 and tags['num_reps'] in tagvals[
file_list[0]]:
num_reps = tagvals[file_list[0]][tags['num_reps']]
else:
nl.notify(
"Error: trying to guess # of reps, but %d (number for files) doesn't divide evenly into %d (number of slices)"
% (len(file_list), num_slices), level=nl.level.error)
return False
if TR == None:
TR = tagvals[file_list[0]][tags['TR']]
cmd += ['-time:%s' % file_order]
if file_order == 'zt':
cmd += [num_slices, num_reps]
else:
cmd += [num_reps, num_slices]
cmd += [TR, slice_order]
cmd += ['-@']
cmd = [str(x) for x in cmd]
out = None
try:
p = subprocess.Popen(cmd, stdin=subprocess.PIPE, stdout=
subprocess.PIPE, stderr=subprocess.PIPE)
out = p.communicate('\n'.join(file_list))
if p.returncode != 0:
raise Exception
except:
with nl.notify('Error: to3d returned error', level=nl.level.error):
if out:
nl.notify('stdout:\n' + out[0] + '\nstderr:\n' + out[1],
level=nl.level.error)
return False
| create_dset_to3d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix, file_list, file_order='zt', num_slices=None, num_reps=None,\n TR=None, slice_order='alt+z', only_dicoms=True, sort_filenames=False):\n tags = {'n... |
def x(directory, slice_order='alt+z', sort_order='zt', force_slices=None):
return _create_dset_dicom(directory, slice_order, sort_order,
force_slices=force_slices)
| create_dset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(directory, slice_order='alt+z', sort_order='zt', force_slices=None):\n return _create_dset_dicom(directory, slice_order, sort_order,\n force_slices=f... |
def x(date_str):
try:
for date_format in itertools.permutations(['%Y', '%m', '%d']):
try:
date = datetime.strptime(date_str, ''.join(date_format))
raise StopIteration
except ValueError:
pass
return None
except StopIteration:
return date
| date_for_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date_str):\n try:\n for date_format in itertools.permutations(['%Y', '%m', '%d']):\n try:\n date = datetime.strptime(date_s... |
def x(orig_dir):
tags = [(16, 32), (8, 33), (8, 49), (8, 4158)]
orig_dir = orig_dir.rstrip('/')
files = scan_dir(orig_dir, tags=tags, md5_hash=True)
dups = find_dups(files)
for dup in dups:
nl.notify('Found duplicates of %s...' % dup[0])
for each_dup in dup[1:]:
nl.notify('\tdeleting %s' % each_dup)
try:
os.remove(each_dup)
except IOError:
nl.notify('\t[failed]')
del files[each_dup]
clustered = cluster_files(files)
output_dir = '%s-sorted' % orig_dir
for key in clustered:
if (8, 49) in clustered[key]['info']:
clustered[key]['info'][8, 49] = str(int(float(clustered[key][
'info'][8, 49])))
for t in tags:
if t not in clustered[key]['info']:
clustered[key]['info'][t] = '_'
run_name = '-'.join([scrub_fname(str(clustered[key]['info'][x])) for
x in tags]) + '-%d_images' % len(clustered[key]['files'])
run_dir = os.path.join(output_dir, run_name)
nl.notify('Moving files into %s' % run_dir)
try:
if not os.path.exists(run_dir):
os.makedirs(run_dir)
except IOError:
nl.notify('Error: failed to create directory %s' % run_dir)
else:
for f in clustered[key]['files']:
try:
dset_fname = os.path.split(f)[1]
if dset_fname[0] == '.':
dset_fname = '_' + dset_fname[1:]
os.rename(f, os.path.join(run_dir, dset_fname))
except (IOError, OSError):
pass
for r, ds, fs in os.walk(output_dir, topdown=False):
for d in ds:
dname = os.path.join(r, d)
if len(os.listdir(dname)) == 0:
os.remove(dname)
| organize_dir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(orig_dir):\n tags = [(16, 32), (8, 33), (8, 49), (8, 4158)]\n orig_dir = orig_dir.rstrip('/')\n files = scan_dir(orig_dir, tags=tags, md5_hash=True)\n... |
def x(label_dict, image_fname=None, image_label=None):
min_acceptable_match = 80
if image_fname:
label_info = info_for_tags(image_fname, [(8, 4158)])
image_label = label_info[8, 4158]
flat_dict = [i for j in [[(b, x) for x in label_dict[b]] for b in
label_dict] for i in j]
best_match = process.extractOne(image_label, [x[1] for x in flat_dict])
if best_match[1] < min_acceptable_match:
return None
else:
return [x[0] for x in flat_dict if x[1] == best_match[0]][0]
| classify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(label_dict, image_fname=None, image_label=None):\n min_acceptable_match = 80\n if image_fname:\n label_info = info_for_tags(image_fname, [(8, 4158... |
def x(input_dir):
input_dir = input_dir.rstrip('/')
with nl.notify('Attempting to organize/reconstruct directory'):
for r, ds, fs in os.walk(input_dir):
for f in fs:
if f[0] == '.':
shutil.move(os.path.join(r, f), os.path.join(r, 'i' + f))
nl.dicom.organize_dir(input_dir)
output_dir = '%s-sorted' % input_dir
if os.path.exists(output_dir):
with nl.run_in(output_dir):
for dset_dir in os.listdir('.'):
with nl.notify('creating dataset from %s' % dset_dir):
nl.dicom.create_dset(dset_dir)
else:
nl.notify('Warning: failed to auto-organize directory %s' %
input_dir, level=nl.level.warning)
| reconstruct_files | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input_dir):\n input_dir = input_dir.rstrip('/')\n with nl.notify('Attempting to organize/reconstruct directory'):\n for r, ds, fs in os.walk(input... |
def x(fname, out_dir):
with nl.notify('Unpacking archive %s' % fname):
tmp_dir = tempfile.mkdtemp()
tmp_unpack = os.path.join(tmp_dir, 'unpack')
os.makedirs(tmp_unpack)
nl.utils.unarchive(fname, tmp_unpack)
reconstruct_files(tmp_unpack)
out_dir = os.path.abspath(out_dir)
if not os.path.exists(out_dir):
os.makedirs(out_dir)
if not os.path.exists(tmp_unpack + '-sorted'):
return
with nl.run_in(tmp_unpack + '-sorted'):
for fname in glob.glob('*.nii'):
nl.run(['gzip', fname])
for fname in glob.glob('*.nii.gz'):
new_file = os.path.join(out_dir, fname)
if not os.path.exists(new_file):
shutil.move(fname, new_file)
raw_out = os.path.join(out_dir, 'raw')
if not os.path.exists(raw_out):
os.makedirs(raw_out)
for rawdir in os.listdir('.'):
rawdir_tgz = os.path.join(raw_out, rawdir + '.tgz')
if not os.path.exists(rawdir_tgz):
with tarfile.open(rawdir_tgz, 'w:gz') as tgz:
tgz.add(rawdir)
if len(os.listdir(tmp_unpack)) != 0:
with tarfile.open(os.path.join(raw_out, 'other_files.tgz'), 'w:gz'
) as tgz:
tgz.add(tmp_unpack)
shutil.rmtree(tmp_dir)
| unpack_archive | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, out_dir):\n with nl.notify('Unpacking archive %s' % fname):\n tmp_dir = tempfile.mkdtemp()\n tmp_unpack = os.path.join(tmp_dir, 'unpack... |
def x(self, address):
if isinstance(address, basestring):
addr = address.split()
else:
addr = list(address)
for i in xrange(len(addr)):
if isinstance(addr[i], basestring):
addr[i] = int(addr[i], 16)
for frame in self.raw_frames:
if frame['addr'] == address:
return frame
| addr | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, address):\n if isinstance(address, basestring):\n addr = address.split()\n else:\n addr = list(address)\n for i in xrange(len(addr... |
def x(cls):
for attr in dir(cls):
im_func = getattr(getattr(cls, attr), 'im_func', None)
if im_func:
setattr(cls, attr, staticmethod(im_func))
return cls
| static | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for attr in dir(cls):\n im_func = getattr(getattr(cls, attr), 'im_func', None)\n if im_func:\n setattr(cls, attr, staticmet... |
def x(rule_name):
code = ''.join([i for i in str(rule_name) if i.isdigit()])
code = code.zfill(2)
return code
| generate_mark_code | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rule_name):\n code = ''.join([i for i in str(rule_name) if i.isdigit()])\n code = code.zfill(2)\n return code\n",
"role": "user"
},
{
"con... |
def x(filename, rule_name, rule_conf, class_type):
line_num = 0
code = _generate_mark_code(rule_name)
message = "N5{} filename failed regex validation '{}'".format(code,
rule_conf['filename_regex'])
sanitized_filename = splitext(basename(filename))[0]
if re.match(rule_conf['filter_regex'], sanitized_filename):
if not re.match(rule_conf['filename_regex'], sanitized_filename):
yield line_num, 0, message, class_type
| rule_n5xx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, rule_name, rule_conf, class_type):\n line_num = 0\n code = _generate_mark_code(rule_name)\n message = \"N5{} filename failed regex validatio... |
def x(seconds=10, default_output='default_output'):
def x(func):
def x(signum, frame):
raise TimeoutError(strerror(ETIME))
def x(*args, **kwargs):
signal(SIGALRM, _handle_timeout)
alarm(seconds)
try:
result = func(*args, **kwargs)
except TimeoutError:
if default_output == 'default_output':
raise
else:
result = default_output
finally:
alarm(0)
return result
return wraps(func)(wrapper)
return decorator
| timeout | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(seconds=10, default_output='default_output'):\n\n def x(func):\n\n def x(signum, frame):\n raise TimeoutError(strerror(ETIME))\n\n ... |
def x(dpath='../data/fb/', fname='foo.gdf', fnamei='foo_interaction.gdf',
fpath='./fb/', scriptpath=None, uid=None, sid=None, fb_link=None, ego=
True, umbrella_dir=None):
c('iniciado tripgml')
if sum(c.isdigit() for c in fname) == 4:
year = re.findall('.*(\\d\\d\\d\\d).gml', fname)[0][0]
B.datetime_snapshot = datetime.date(*[int(i) for i in year])
if sum(c.isdigit() for c in fname) == 12:
day, month, year, hour, minute = re.findall(
'.*(\\d\\d)(\\d\\d)(\\d\\d\\d\\d)_(\\d\\d)(\\d\\d).gml', fname)[0]
B.datetime_snapshot = datetime.datetime(*[int(i) for i in (year,
month, day, hour, minute)])
if sum(c.isdigit() for c in fname) == 14:
day, month, year, hour, minute, second = re.findall(
'.*(\\d\\d)(\\d\\d)(\\d\\d\\d\\d)_(\\d\\d)(\\d\\d)(\\d\\d).gml',
fname)[0]
B.datetime_snapshot = datetime.datetime(*[int(i) for i in (year,
month, day, hour, minute, second)])
elif sum(c.isdigit() for c in fname) == 8:
day, month, year = re.findall('.*(\\d\\d)(\\d\\d)(\\d\\d\\d\\d).gml',
fname)[0]
B.datetime_snapshot = datetime.date(*[int(i) for i in (year, month,
day)])
B.datetime_snapshot_ = datetime_snapshot.isoformat()
B.fname = fname
B.fnamei = fnamei
B.name = fname.replace('.gml', '_gml')
if fnamei:
B.namei = fnamei[:-4]
B.ego = ego
B.friendship = bool(fname)
B.interaction = bool(fnamei)
B.sid = sid
B.uid = uid
B.scriptpath = scriptpath
B.fb_link = fb_link
B.dpath = dpath
B.fpath = fpath
B.prefix = (
'https://raw.githubusercontent.com/OpenLinkedSocialData/{}master/'.
format(umbrella_dir))
B.umbrella_dir = umbrella_dir
c('antes de ler')
fnet = S.fb.readGML2(dpath + fname)
c('depois de ler, antes de fazer rdf')
fnet_ = rdfFriendshipNetwork(fnet)
if B.interaction:
inet = S.fb.readGML(dpath + fnamei)
inet_ = rdfInteractionNetwork(inet)
else:
inet_ = 0
meta = makeMetadata(fnet_, inet_)
c('depois de rdf, escrita em disco')
writeAllFB(fnet_, inet_, meta)
c('cabo')
| triplifyGML | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dpath='../data/fb/', fname='foo.gdf', fnamei='foo_interaction.gdf',\n fpath='./fb/', scriptpath=None, uid=None, sid=None, fb_link=None, ego=\n True, umbr... |
def x(self, *args, **kwargs):
return {'name': zhihu.name, 'display_name': zhihu.display_name,
'author': zhihu.author, 'email': zhihu.email, 'description': zhihu.
description, 'meta': {'crawl_schedule': '0 23 * * *',
'crawl_random_delay': str(60 * 60), 'package_module': 'mobi',
'language': 'zh-CN', 'book_mode': 'periodical', 'img_cover': os.
path.join(_images_path, 'cv_zhihudaily.jpg'), 'img_masthead': os.
path.join(_images_path, 'mh_zhihudaily.gif'), 'image_filter': json.
dumps(['zhihu.com/equation']), 'css_package': os.path.join(
_css_path, 'package.css')}}
| register | [
{
"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 return {'name': zhihu.name, 'display_name': zhihu.display_name,\n 'author': zhihu.author, 'email': zhihu.email, 'descriptio... |
def x(self, *args, **kwargs):
temp = tempfile.NamedTemporaryFile(mode='w+t')
try:
crawler = CrawlerScript()
crawler.crawl(*args, output_file=temp.name, **kwargs)
temp.seek(0)
content = json.loads(temp.read(), encoding='UTF-8')
finally:
temp.close()
print('抓取完毕!')
return content
| crawl | [
{
"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 temp = tempfile.NamedTemporaryFile(mode='w+t')\n try:\n crawler = CrawlerScript()\n crawler.crawl(*args, output_f... |
def x(self, data, *args, **kwargs):
sections = OrderedDict()
hot_list = []
normal_list = []
for item in data:
meta = item.get('meta', [])
if not item.get('title'):
continue
soup = BeautifulSoup(item.get('content'), 'lxml')
for view_more in soup.select('.view-more'):
view_more.extract()
item['content'] = str(soup.div)
if not item.get('excerpt') and item.get('content'):
word_limit = self.options.get('toc_desc_word_limit', 500)
content_list = soup.select('div.content')
content_list = [content.get_text() for content in content_list]
excerpt = ' '.join(content_list)[:word_limit]
item['excerpt'] = html.escape(excerpt)
top = meta.pop('spider.zhihu_daily.top', '0')
item['meta'] = meta
if str(top) == '1':
hot_list.append(item)
else:
normal_list.append(item)
if hot_list:
sections.setdefault('热闻', hot_list)
if normal_list:
sections.setdefault('日报', normal_list)
return sections
| format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, *args, **kwargs):\n sections = OrderedDict()\n hot_list = []\n normal_list = []\n for item in data:\n meta = item.get('meta', []... |
def x(col, data):
ready_to_insert = list()
for doc in data:
res = col.update({'_id': doc['_id']}, {'$set': doc}, upsert=False)
if res['nModified'] == 0 and res['updatedExisting'] is False:
ready_to_insert.append(doc)
col.insert(ready_to_insert)
| upsert_many | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(col, data):\n ready_to_insert = list()\n for doc in data:\n res = col.update({'_id': doc['_id']}, {'$set': doc}, upsert=False)\n if res['nM... |
def x(self, user_id='astronauta.mecanico', write=True):
while user_id not in self.browser.url:
self.browser.visit('http://www.facebook.com/{}/friends'.format(
user_id), wait_time=3)
T = time.time()
while 1:
h1 = self.browser.evaluate_script('document.body.scrollHeight')
self.browser.execute_script(
'window.scrollTo(0, document.body.scrollHeight);')
h2 = self.browser.evaluate_script('document.body.scrollHeight')
if h1 != h2:
T = time.time()
elif time.time() - T > 10:
break
links = self.browser.find_by_css('.fcb')
friends = []
for link in links:
name = link.value
user_id_ = link.find_by_tag('a')['href'].split('/')[-1].split('?')[0]
friends.append((user_id_, name))
tdict = {}
tdict['name'] = self.browser.find_by_id('fb-timeline-cover-name').value
tdict['user_id'] = user_id
tdict['friends'] = friends
infos = self.browser.find_by_css('._3c_')
mutual = 0
for info in infos:
if info.value == 'Mutual Friends':
if info.find_by_css('._3d0').value:
tdict['n_mutual'] = info.find_by_css('._3d0').value
mutual = 1
if info.value == 'All Friends':
tdict['n_friends'] = info.find_by_css('._3d0').value
if mutual == 0:
links = self.browser.find_by_css('._gs6')
if 'Mutual' in links.value:
tdict['n_mutual'] = links.value.split(' ')[0]
if write:
if not os.path.isdir('{}/fb_ids/'.format(self._BASE_DIR)):
os.mkdir('{}/fb_ids/'.format(self._BASE_DIR))
with open('{}fb_ids/{}.pickle'.format(self._BASE_DIR, user_id), 'wb'
) as f:
pickle.dump(tdict, f)
self.tdict = tdict
return tdict
| getFriends | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user_id='astronauta.mecanico', write=True):\n while user_id not in self.browser.url:\n self.browser.visit('http://www.facebook.com/{}/friends'.... |
def x(args):
if not args:
log.error('Exactly 1 argument is required.')
app.quit(1)
print(address.new(args[0]))
| resolve | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if not args:\n log.error('Exactly 1 argument is required.')\n app.quit(1)\n print(address.new(args[0]))\n",
"role": "user"
}... |
def x(args):
if len(args) != 1:
log.error('One target required.')
app.quit(1)
target = address.new(args[0])
log.info('Resolved target to: %s', target)
try:
bb = Butcher()
bb.clean()
bb.load_graph(target)
bb.build(target)
except (gitrepo.GitError, error.BrokenGraph, error.NoSuchTargetError
) as err:
log.fatal(err)
app.quit(1)
except error.OverallBuildFailure as err:
log.fatal(err)
log.fatal('Error list:')
[log.fatal(' [%s]: %s', e.node, e) for e in bb.failure_log]
app.quit(1)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if len(args) != 1:\n log.error('One target required.')\n app.quit(1)\n target = address.new(args[0])\n log.info('Resolved targe... |
def x(args):
if len(args) != 1:
log.fatal('One target required.')
app.quit(1)
app.set_option('disable_cache_fetch', True)
Butcher.options['cache_fetch'] = False
build(args)
| rebuild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if len(args) != 1:\n log.fatal('One target required.')\n app.quit(1)\n app.set_option('disable_cache_fetch', True)\n Butcher.op... |
def x(args):
if len(args) != 2:
log.error('Two arguments required: [build target] [output file]')
app.quit(1)
target = args[0]
out = args[1]
try:
bb = Butcher()
bb.load_graph(target)
except error.BrokenGraph as lolno:
log.fatal(lolno)
app.quit(1)
filtered_graph = bb.graph.subgraph(networkx.topological_sort(bb.graph,
nbunch=[address.new(target)]))
a = networkx.to_agraph(filtered_graph)
a.draw(out, prog='dot')
log.info('Graph written to %s', out)
| draw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args):\n if len(args) != 2:\n log.error('Two arguments required: [build target] [output file]')\n app.quit(1)\n target = args[0]\n out =... |
def x():
from google.apputils import run_script_module
import butcher.main
run_script_module.RunScriptModule(butcher.main)
| stub_main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n from google.apputils import run_script_module\n import butcher.main\n run_script_module.RunScriptModule(butcher.main)\n",
"role": "user"
},... |
def x(self):
log.options.LogOptions.set_stderr_log_level('google:INFO')
if app.get_options().debug:
log.options.LogOptions.set_stderr_log_level('google:DEBUG')
if not app.get_options().build_root:
app.set_option('build_root', os.path.join(app.get_options().
butcher_basedir, 'build'))
self.buildroot = app.get_options().build_root
if not os.path.exists(self.buildroot):
os.makedirs(self.buildroot)
if app.get_options().disable_cache_fetch:
self.options['cache_fetch'] = False
if app.get_options().disable_hardlinks:
base.BaseBuilder.linkfiles = False
| setup_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n log.options.LogOptions.set_stderr_log_level('google:INFO')\n if app.get_options().debug:\n log.options.LogOptions.set_stderr_log_level('g... |
def x(self):
if os.path.exists(self.buildroot):
log.info('Clearing the build area.')
log.debug('Deleting: %s', self.buildroot)
shutil.rmtree(self.buildroot)
os.makedirs(self.buildroot)
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if os.path.exists(self.buildroot):\n log.info('Clearing the build area.')\n log.debug('Deleting: %s', self.buildroot)\n shutil... |
def x(self):
return set(address.new(b, target='all') for b in self.missing_nodes)
| paths_wanted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return set(address.new(b, target='all') for b in self.missing_nodes)\n",
"role": "user"
},
{
"content": "paths_wanted",
"role": "as... |
def x(self):
missing = set()
for target_addr, target_attrs in self.graph.node.items():
if 'target_obj' not in target_attrs:
missing.add(target_addr)
return missing
| missing_nodes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n missing = set()\n for target_addr, target_attrs in self.graph.node.items():\n if 'target_obj' not in target_attrs:\n missing.a... |
def x(self, target):
log.info('Loading: %s', target)
filepath = os.path.join(target.path, app.get_options().buildfile_name)
try:
repo = self.repo_state.GetRepo(target.repo)
return repo.get_file(filepath)
except gitrepo.GitError as err:
log.error('Failed loading %s: %s', target, err)
raise error.BrokenGraph('Sadface.')
| load_buildfile | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target):\n log.info('Loading: %s', target)\n filepath = os.path.join(target.path, app.get_options().buildfile_name)\n try:\n repo = self.... |
def x(indentation, begin_block, end_block, begin_line, end_line,
begin_action, end_action, begin_condition, end_condition, logical_and,
logical_or):
return {INDENTATION: indentation, BEG_BLOCK: begin_block, END_BLOCK:
end_block, BEG_LINE: begin_line, END_LINE: end_line, BEG_ACTION:
begin_action, END_ACTION: end_action, BEG_CONDITION:
begin_condition, END_CONDITION: end_condition, LOGICAL_AND:
logical_and, LOGICAL_OR: logical_or}
| constructSpec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(indentation, begin_block, end_block, begin_line, end_line,\n begin_action, end_action, begin_condition, end_condition, logical_and,\n logical_or):\n r... |
def x(structure, values, lang_spec):
indentation = '\t'
endline = '\n'
object_code = ''
stack = []
push = lambda x: stack.append(x)
pop = lambda : stack.pop()
last = lambda : stack[-1] if len(stack) > 0 else ' '
def x(s, level, end):
return lang_spec[INDENTATION] * level + s + end
level = 0
CONDITIONS = [LEXEM_TYPE_PREDICAT, LEXEM_TYPE_CONDITION]
ACTION = LEXEM_TYPE_ACTION
DOWNLEVEL = LEXEM_TYPE_DOWNLEVEL
for lexem_type in structure:
if lexem_type is ACTION:
if last() in CONDITIONS:
value, values = values[0:len(stack)], values[len(stack):]
object_code += indented_code(lang_spec[BEG_CONDITION] +
lang_spec[LOGICAL_AND].join(value) + lang_spec[
END_CONDITION], level, lang_spec[END_LINE])
if len(lang_spec[BEG_BLOCK]) > 0:
object_code += indented_code(lang_spec[BEG_BLOCK],
level, lang_spec[END_LINE])
stack = []
level += 1
object_code += indented_code(lang_spec[BEG_ACTION] + values[0],
level, lang_spec[END_ACTION] + lang_spec[END_LINE])
values = values[1:]
elif lexem_type in CONDITIONS:
push(lexem_type)
elif lexem_type is DOWNLEVEL:
if last() not in CONDITIONS:
level -= 1
if level >= 0:
object_code += indented_code(lang_spec[END_BLOCK],
level, lang_spec[END_LINE])
else:
level = 0
while level > 0:
level -= 1
if level >= 0:
object_code += indented_code(lang_spec[END_BLOCK], level,
lang_spec[END_LINE])
else:
level = 0
return object_code
| translated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(structure, values, lang_spec):\n indentation = '\\t'\n endline = '\\n'\n object_code = ''\n stack = []\n push = lambda x: stack.append(x)\n p... |
def x():
return {INDENTATION: '\t', BEG_BLOCK: '{', END_BLOCK: '}', BEG_LINE: '',
END_LINE: '\n', BEG_ACTION: '', END_ACTION: ';', BEG_CONDITION:
'if(', END_CONDITION: ')', LOGICAL_AND: ' && ', LOGICAL_OR: ' || '}
| cpp_spec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n return {INDENTATION: '\\t', BEG_BLOCK: '{', END_BLOCK: '}', BEG_LINE: '',\n END_LINE: '\\n', BEG_ACTION: '', END_ACTION: ';', BEG_CONDITION:\n ... |
def x(command, hostname=None, wait=0.2):
cmd = ['plugout_drive']
if hostname:
cmd += ['-host', hostname]
if isinstance(command, basestring):
command = [command]
cmd += [['-com', x] for x in command] + ['-quit']
o = nl.run(cmd, quiet=None, stderr=None)
if wait != None:
time.sleep(wait)
| driver_send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, hostname=None, wait=0.2):\n cmd = ['plugout_drive']\n if hostname:\n cmd += ['-host', hostname]\n if isinstance(command, basestring):\... |
def x(filename, view='axial', type='png', hostname=None):
driver_send('SAVE_%s %simage %s' % (type.upper(), view.lower(),
filename), hostname=hostname)
| save_image | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename, view='axial', type='png', hostname=None):\n driver_send('SAVE_%s %simage %s' % (type.upper(), view.lower(),\n filename), hostname=hostname)... |
def x(thresh, p=False, hostname=None):
driver_send('SET_THRESHNEW %s *%s' % (str(thresh), 'p' if p else ''),
hostname=hostname)
| set_thresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(thresh, p=False, hostname=None):\n driver_send('SET_THRESHNEW %s *%s' % (str(thresh), 'p' if p else ''),\n hostname=hostname)\n",
"role": "user"
... |
def x(self, _):
queryset = super(AnnotationViewSet, self).filter_queryset(self.
get_queryset())
serializer = self.get_serializer(queryset, many=True)
return Response({'total': len(serializer.data), 'rows': serializer.data})
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _):\n queryset = super(AnnotationViewSet, self).filter_queryset(self.\n get_queryset())\n serializer = self.get_serializer(queryset, many=Tr... |
def x(self, data):
headers = super(AnnotationViewSet, self).get_success_headers(data)
url = urlresolvers.reverse('annotations-detail', kwargs={'pk': data['id']})
headers.update({'Location': self.request.build_absolute_uri(url)})
return headers
| get_success_headers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n headers = super(AnnotationViewSet, self).get_success_headers(data)\n url = urlresolvers.reverse('annotations-detail', kwargs={'pk': data['... |
def x(self, request, *args, **kwargs):
response = super(AnnotationViewSet, self).create(request, *args, **kwargs)
response.data = None
response.status_code = status.HTTP_303_SEE_OTHER
return response
| create | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n response = super(AnnotationViewSet, self).create(request, *args, **kwargs)\n response.data = None\n response.status... |
def x(self, request, *args, **kwargs):
response = super(AnnotationViewSet, self).update(request, *args, **kwargs)
for h, v in self.get_success_headers(response.data).items():
response[h] = v
response.data = None
response.status_code = status.HTTP_303_SEE_OTHER
return response
| update | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, *args, **kwargs):\n response = super(AnnotationViewSet, self).update(request, *args, **kwargs)\n for h, v in self.get_success_headers(resp... |
def x(opts, show_all=False, local_only=False):
disks = []
outunit = opts.outunit
for drive in get_drives():
drive += ':\\'
disk = DiskInfo(dev=drive)
try:
usage = get_fs_usage(drive)
except WindowsError:
if show_all:
usage = _diskusage(0, 0, 0)
else:
continue
disk.ocap = usage.total
disk.cap = usage.total / outunit
disk.used = usage.used / outunit
disk.free = usage.free / outunit
disk.label = get_vol_info(drive).name
if usage.total:
disk.pcnt = float(usage.used) / usage.total * 100
else:
disk.pcnt = 0
disk.mntp = ''
disk.ismntd = True
dtint, dtstr = get_drive_type(drive)
setattr(disk, *_drive_type_result[dtint])
disk.rw = os.access(drive, os.W_OK)
if usage.total:
disk.rw = stat.S_IMODE(os.stat(drive).st_mode) & stat.S_IWRITE
else:
disk.rw = False
disks.append(disk)
if opts.debug:
for disk in disks:
print(disk.dev, disk, '\n')
return disks
| get_diskinfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts, show_all=False, local_only=False):\n disks = []\n outunit = opts.outunit\n for drive in get_drives():\n drive += ':\\\\'\n disk = ... |
def x(opts):
meminfo = MemInfo()
outunit = opts.outunit
mstat = get_mem_info()
pinf = get_perf_info()
try:
pgpcnt = get_perf_data('\\Paging File(_Total)\\% Usage', 'double')[0
] / 100
except WindowsError:
pgpcnt = 0
totl = mstat.TotalPhys
meminfo.memtotal = totl / float(outunit)
used = totl * mstat.MemoryLoad / 100.0
meminfo.used = used / float(outunit)
left = totl - used
cache = pinf.SystemCacheBytes
if cache > left and version >= win7ver:
free = get_perf_data('\\Memory\\Free & Zero Page List Bytes', 'long')[0
]
cache = left - free
meminfo.memfree = free / float(outunit)
else:
meminfo.memfree = (totl - used - cache) / float(outunit)
meminfo.buffers = 0
meminfo.cached = cache / float(outunit)
swpt = abs(mstat.TotalPageFile - totl)
swpu = swpt * pgpcnt
swpf = swpt - swpu
meminfo.swaptotal = swpt / float(outunit)
meminfo.swapfree = swpf / float(outunit)
meminfo.swapused = swpu / float(outunit)
meminfo.swapcached = 0
if opts.debug:
import locale
fmt = lambda val: locale.format('%d', val, True)
print()
print('TotalPhys:', fmt(totl))
print('AvailPhys:', fmt(mstat.AvailPhys))
print('MemoryLoad:', fmt(mstat.MemoryLoad))
print()
print('used:', fmt(used))
print('left:', fmt(left))
if 'free' in locals():
print('PDH Free:', fmt(free))
print('SystemCacheBytes:', fmt(pinf.SystemCacheBytes))
print()
print('TotalPageFile:', fmt(mstat.TotalPageFile))
print('AvailPageFile:', fmt(mstat.AvailPageFile))
print('TotalPageFile fixed:', fmt(swpt))
print('AvailPageFile fixed:', fmt(swpf))
return meminfo
| get_meminfo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(opts):\n meminfo = MemInfo()\n outunit = opts.outunit\n mstat = get_mem_info()\n pinf = get_perf_info()\n try:\n pgpcnt = get_perf_data('... |
def x(value: Any) ->Any:
if issubclass(type(value), Endpoint):
return value
elif isinstance(value, str):
for api, cls in MANAGED_API.items():
if value.startswith(api + ' '):
return cls.from_inline(value)
return UnknownEndpoint.from_inline(value)
else:
raise TypeError('Cannot convert {0} to endpoint'.format(value))
| endpoint | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value: Any) ->Any:\n if issubclass(type(value), Endpoint):\n return value\n elif isinstance(value, str):\n for api, cls in MANAGED_API.item... |
def x(cls: Type[UnknownEndpointType], inline: str) ->UnknownEndpointType:
try:
api = inline.split()[0]
properties = inline.split()[1:]
return cls(api, properties)
except IndexError:
raise MalformedDocumentError(inline)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[UnknownEndpointType], inline: str) ->UnknownEndpointType:\n try:\n api = inline.split()[0]\n properties = inline.split()[1:]\n ... |
def x(self) ->str:
doc = self.api
for p in self.properties:
doc += ' {0}'.format(p)
return doc
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n doc = self.api\n for p in self.properties:\n doc += ' {0}'.format(p)\n return doc\n",
"role": "user"
},
{
"content":... |
def x(cls: Type[BMAEndpointType], inline: str) ->BMAEndpointType:
m = BMAEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(BMAEndpoint.API)
server = m.group(1)
ipv4 = m.group(2)
ipv6 = m.group(3)
port = int(m.group(4))
return cls(server, ipv4, ipv6, port)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[BMAEndpointType], inline: str) ->BMAEndpointType:\n m = BMAEndpoint.re_inline.match(inline)\n if m is None:\n raise MalformedDocumentErr... |
def x(self) ->str:
return BMAEndpoint.API + '{DNS}{IPv4}{IPv6}{PORT}'.format(DNS=' {0}'.
format(self.server) if self.server else '', IPv4=' {0}'.format(self
.ipv4) if self.ipv4 else '', IPv6=' {0}'.format(self.ipv6) if self.
ipv6 else '', PORT=' {0}'.format(self.port) if self.port else '')
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n return BMAEndpoint.API + '{DNS}{IPv4}{IPv6}{PORT}'.format(DNS=' {0}'.\n format(self.server) if self.server else '', IPv4=' {0}'.format... |
def x(cls: Type[SecuredBMAEndpointType], inline: str) ->SecuredBMAEndpointType:
m = SecuredBMAEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(SecuredBMAEndpoint.API)
server = m.group(1)
ipv4 = m.group(2)
ipv6 = m.group(3)
port = int(m.group(4))
path = m.group(5)
if not path:
path = ''
return cls(server, ipv4, ipv6, port, path)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[SecuredBMAEndpointType], inline: str) ->SecuredBMAEndpointType:\n m = SecuredBMAEndpoint.re_inline.match(inline)\n if m is None:\n raise... |
def x(self) ->str:
inlined = [str(info) for info in (self.server, self.ipv4, self.ipv6,
self.port, self.path) if info]
return SecuredBMAEndpoint.API + ' ' + ' '.join(inlined)
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n inlined = [str(info) for info in (self.server, self.ipv4, self.ipv6,\n self.port, self.path) if info]\n return SecuredBMAEndpoint.A... |
def x(self, session: ClientSession, proxy: str=None) ->ConnectionHandler:
if self.server:
return ConnectionHandler('https', 'wss', self.server, self.port,
self.path, session, proxy)
elif self.ipv6:
return ConnectionHandler('https', 'wss', '[{0}]'.format(self.ipv6),
self.port, self.path, session, proxy)
return ConnectionHandler('https', 'wss', self.ipv4, self.port, self.
path, session, proxy)
| conn_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session: ClientSession, proxy: str=None) ->ConnectionHandler:\n if self.server:\n return ConnectionHandler('https', 'wss', self.server, self.po... |
def x(cls: Type[WS2PEndpointType], inline: str) ->WS2PEndpointType:
m = WS2PEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(WS2PEndpoint.API)
ws2pid = m.group(1)
server = m.group(2)
port = int(m.group(3))
path = m.group(4)
if not path:
path = ''
return cls(ws2pid, server, port, path)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[WS2PEndpointType], inline: str) ->WS2PEndpointType:\n m = WS2PEndpoint.re_inline.match(inline)\n if m is None:\n raise MalformedDocument... |
def x(self) ->str:
inlined = [str(info) for info in (self.ws2pid, self.server, self.port,
self.path) if info]
return WS2PEndpoint.API + ' ' + ' '.join(inlined)
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n inlined = [str(info) for info in (self.ws2pid, self.server, self.port,\n self.path) if info]\n return WS2PEndpoint.API + ' ' + ' '.... |
def x(cls: Type[ESCoreEndpointType], inline: str) ->ESCoreEndpointType:
m = ESCoreEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(ESCoreEndpoint.API)
server = m.group(1)
port = int(m.group(2))
return cls(server, port)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[ESCoreEndpointType], inline: str) ->ESCoreEndpointType:\n m = ESCoreEndpoint.re_inline.match(inline)\n if m is None:\n raise MalformedDo... |
def x(self, session: ClientSession, proxy: str=None) ->ConnectionHandler:
return ConnectionHandler('https', 'wss', self.server, self.port, '',
session, proxy)
| conn_handler | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, session: ClientSession, proxy: str=None) ->ConnectionHandler:\n return ConnectionHandler('https', 'wss', self.server, self.port, '',\n session,... |
def x(cls: Type[ESUserEndpointType], inline: str) ->ESUserEndpointType:
m = ESUserEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(ESUserEndpoint.API)
server = m.group(1)
port = int(m.group(2))
return cls(server, port)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[ESUserEndpointType], inline: str) ->ESUserEndpointType:\n m = ESUserEndpoint.re_inline.match(inline)\n if m is None:\n raise MalformedDo... |
def x(cls: Type[ESSubscribtionEndpointType], inline: str
) ->ESSubscribtionEndpointType:
m = ESSubscribtionEndpoint.re_inline.match(inline)
if m is None:
raise MalformedDocumentError(ESSubscribtionEndpoint.API)
server = m.group(1)
port = int(m.group(2))
return cls(server, port)
| from_inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: Type[ESSubscribtionEndpointType], inline: str\n ) ->ESSubscribtionEndpointType:\n m = ESSubscribtionEndpoint.re_inline.match(inline)\n if m is No... |
def x(self) ->str:
inlined = [str(info) for info in (self.server, self.port) if info]
return ESSubscribtionEndpoint.API + ' ' + ' '.join(inlined)
| inline | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n inlined = [str(info) for info in (self.server, self.port) if info]\n return ESSubscribtionEndpoint.API + ' ' + ' '.join(inlined)\n",
"... |
def x(method):
@functools.wraps(method)
def x(self, *args, **kwargs):
yield method(self, *args, **kwargs)
raise self.Continue()
return wrapped
| continues | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method):\n\n @functools.wraps(method)\n def x(self, *args, **kwargs):\n yield method(self, *args, **kwargs)\n raise self.Continue()\n re... |
def x(self, node):
nodekey = self.get_nodekey(node)
prefix = self._method_prefix
if isinstance(nodekey, self.GeneratorType):
for nodekey in nodekey:
yield self._method_prefix + nodekey
else:
yield self._method_prefix + nodekey
| get_methodnames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n nodekey = self.get_nodekey(node)\n prefix = self._method_prefix\n if isinstance(nodekey, self.GeneratorType):\n for nodekey in n... |
def x(self, node):
methods = self._methods
for methodname in self.get_methodnames(node):
if methodname in methods:
return methods[methodname]
else:
cls = self.__class__
method = getattr(cls, methodname, None)
if method is not None:
methods[methodname] = method
return method
| get_method | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n methods = self._methods\n for methodname in self.get_methodnames(node):\n if methodname in methods:\n return methods[met... |
def x(self, node):
for token in self.itervisit(node):
pass
result = self.finalize()
if result is not self:
return result
| visit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n for token in self.itervisit(node):\n pass\n result = self.finalize()\n if result is not self:\n return result\n",
"ro... |
def x(self, node):
func = self.get_method(node)
if func is None:
generic_visit = getattr(self, 'generic_visit', None)
if generic_visit is not None:
result = generic_visit(node)
else:
return
else:
result = self.apply_visitor_method(func, node)
if isinstance(result, self.GeneratorType):
yield from result
elif isinstance(result, self.GeneratorContextManager):
with result:
itervisit_nodes = self.itervisit_nodes
for child in self.get_children(node):
try:
yield from itervisit_nodes(child)
except self.Continue:
continue
else:
yield result
| itervisit_node | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node):\n func = self.get_method(node)\n if func is None:\n generic_visit = getattr(self, 'generic_visit', None)\n if generic_visit is... |
def x(filename='../data/RenatoFabbri06022014.gdf'):
with open(filename, 'r') as f:
data = f.read()
lines = data.split('\n')
columns = lines[0].split('>')[1].split(',')
column_names = [i.split(' ')[0] for i in columns]
data_friends = {cn: [] for cn in column_names}
for line in lines[1:]:
if not line:
break
if '>' in line:
columns = line.split('>')[1].split(',')
column_names2 = [i.split(' ')[0] for i in columns]
data_friendships = {cn: [] for cn in column_names2}
continue
fields = line.split(',')
if 'column_names2' not in locals():
for i, field in enumerate(fields):
if column_names[i] in ('name', 'groupid'):
pass
elif field.isdigit():
field = int(field)
data_friends[column_names[i]].append(field)
else:
for i, field in enumerate(fields):
if column_names2[i] == 'name':
pass
elif field.isdigit():
field = int(field)
data_friendships[column_names2[i]].append(field)
return {'relations': data_friendships, 'individuals': data_friends}
| readGDF | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename='../data/RenatoFabbri06022014.gdf'):\n with open(filename, 'r') as f:\n data = f.read()\n lines = data.split('\\n')\n columns = lines[... |
def x(data, status=200, serializer=None):
return HttpResponse(json.dumps(data, default=serializer), status=status,
content_type='application/json; charset=UTF-8')
| json_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, status=200, serializer=None):\n return HttpResponse(json.dumps(data, default=serializer), status=status,\n content_type='application/json; char... |
def x(data, callback='f', status=200, serializer=None):
val = json.dumps(data, default=serializer)
ret = "{callback}('{val}');".format(callback=callback, val=val)
return HttpResponse(ret, status=status, content_type=
'application/x-javascript; charset=UTF-8')
| jsonp_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, callback='f', status=200, serializer=None):\n val = json.dumps(data, default=serializer)\n ret = \"{callback}('{val}');\".format(callback=callback,... |
def x(klass, api_client=None, request_api=True, **kwargs):
_type = klass
if api_client is None and request_api:
api_client = api.APIClient()
if isinstance(klass, dict):
_type = klass['type']
obj = CollectionResource(_type, api_client, **kwargs)
return obj
def x(self, direction='ASC'):
direction = directtion.upper()
if direction in ['ASC', 'DESC']:
self.sort = direction
else:
raise SaleskingException('SORT_INVALIDDIRECTION',
'Invalid sorting direction - please choose either ASC or DESC')
def x(self, property):
seek = u'sort_by'
if seek in self.schema['links']['instances']['properties']:
if seek in self.schema['links']['instances']['properties'][
'sort_by']['enum']:
self.sort_by = property
return self
else:
raise SaleskingException('SORTBY_INVALIDPROPERTY',
'Invalid property for sorting')
else:
raise SaleskingException('SORTBY_CANNOTSORT',
'object type doesnt support sorting')
| get_collection_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(klass, api_client=None, request_api=True, **kwargs):\n _type = klass\n if api_client is None and request_api:\n api_client = api.APIClient()\n ... |
def x(self, entries=100):
if isinstance(entries, int) and entries <= 200:
self.per_page = int(entries)
return self
else:
raise SalesKingException('PERPAGE_ONLYINT',
'Please set an integer <200 for the per-page limit')
| set_per_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, entries=100):\n if isinstance(entries, int) and entries <= 200:\n self.per_page = int(entries)\n return self\n else:\n raise S... |
def x(self, klass):
self.resource_type = klass
self.schema = loaders.load_schema_raw(self.resource_type)
| set_resource_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, klass):\n self.resource_type = klass\n self.schema = loaders.load_schema_raw(self.resource_type)\n",
"role": "user"
},
{
"content": "se... |
def x(self, filters):
if not isinstance(filters, dict):
raise Exception('filters must be a dict')
self.filters = {}
for key in filters.keys():
value = filters[key]
self.add_filter(key, value)
| set_filters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filters):\n if not isinstance(filters, dict):\n raise Exception('filters must be a dict')\n self.filters = {}\n for key in filters.keys()... |
def x(self, instance, type):
if type not in self._types:
raise UnknownType(type)
type = self._types[type]
if isinstance(instance, bool):
type = _flatten(type)
if int in type and bool not in type:
return False
return isinstance(instance, type)
| is_type | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, type):\n if type not in self._types:\n raise UnknownType(type)\n type = self._types[type]\n if isinstance(instance, bool):\n ... |
def x(self, key, filter_value):
ok = False
seek = u'filter[%s]' % key
value = None
for link in self.schema['links']:
if link['rel'] == 'instances':
for property in link['properties']:
if seek == property:
value = link['properties'][property]
ok = True
if not ok:
return False
ok = self._is_type(filter_value, value['type'])
if ok is True and value['type'] == 'string' and 'format' in value.keys():
ok = self._validate_json_format(filter_value, value)
return ok
| validate_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, filter_value):\n ok = False\n seek = u'filter[%s]' % key\n value = None\n for link in self.schema['links']:\n if link['rel'] == '... |
def x(self, filter_value, schema_validation_type):
ok = False
try:
validators.json_schema_validation_format(filter_value,
schema_validation_type)
ok = True
except ValueError as e:
pass
return ok
| validate_json_format | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filter_value, schema_validation_type):\n ok = False\n try:\n validators.json_schema_validation_format(filter_value,\n schema_vali... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.