source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, label, cfrom=None, cto=None, tagtype=None, **kwargs):
if cfrom is None:
cfrom = self.cfrom
if cto is None:
cto = self.cto
tag = Tag(label=label, cfrom=cfrom, cto=cto, tagtype=tagtype, **kwargs)
return self.add_tag(tag)
| new_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, label, cfrom=None, cto=None, tagtype=None, **kwargs):\n if cfrom is None:\n cfrom = self.cfrom\n if cto is None:\n cto = self.cto\n tag = Tag(label=label, cfrom=cfrom, cto=cto, tagtype=tagtype, **kwargs)\n return self.add_tag(tag)\n",
"role": "user"
},
{
"content": "new_tag",
"role": "assistant"
}
]
|
def x(self, sent_id, **kwargs):
if sent_id is not None and not isinstance(sent_id, int):
sent_id = int(sent_id)
if sent_id is None or not self.has_id(sent_id):
if 'default' in kwargs:
return kwargs['default']
else:
raise KeyError('Invalid sentence ID ({})'.format(sent_id))
return self.__sent_map[sent_id]
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sent_id, **kwargs):\n if sent_id is not None and not isinstance(sent_id, int):\n sent_id = int(sent_id)\n if sent_id is None or not self.has_id(sent_id):\n if 'default' in kwargs:\n return kwargs['default']\n else:\n raise KeyError('Invalid sentence ID ({})'.format(sent_id))\n return self.__sent_map[sent_id]\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
]
|
def x(self, sent_obj):
if sent_obj is None:
raise Exception('Sentence object cannot be None')
elif sent_obj.ID is None:
sent_obj.ID = next(self.__idgen)
elif self.has_id(sent_obj.ID):
raise Exception('Sentence ID {} exists'.format(sent_obj.ID))
self.__sent_map[sent_obj.ID] = sent_obj
self.__sents.append(sent_obj)
return sent_obj
| add_sent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sent_obj):\n if sent_obj is None:\n raise Exception('Sentence object cannot be None')\n elif sent_obj.ID is None:\n sent_obj.ID = next(self.__idgen)\n elif self.has_id(sent_obj.ID):\n raise Exception('Sentence ID {} exists'.format(sent_obj.ID))\n self.__sent_map[sent_obj.ID] = sent_obj\n self.__sents.append(sent_obj)\n return sent_obj\n",
"role": "user"
},
{
"content": "add_sent",
"role": "assistant"
}
]
|
def x(self, text, ID=None, **kwargs):
if ID is None:
ID = next(self.__idgen)
return self.add_sent(Sentence(text, ID=ID, **kwargs))
| new_sent | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, ID=None, **kwargs):\n if ID is None:\n ID = next(self.__idgen)\n return self.add_sent(Sentence(text, ID=ID, **kwargs))\n",
"role": "user"
},
{
"content": "new_sent",
"role": "assistant"
}
]
|
def x(self, sent_id, **kwargs):
if sent_id is not None and not isinstance(sent_id, int):
sent_id = int(sent_id)
if not self.has_id(sent_id):
if 'default' in kwargs:
return kwargs['default']
else:
raise KeyError('Sentence ID {} does not exist'.format(sent_id))
else:
sent_obj = self.get(sent_id)
self.__sent_map.pop(sent_id)
self.__sents.remove(sent_obj)
return sent_obj
| pop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sent_id, **kwargs):\n if sent_id is not None and not isinstance(sent_id, int):\n sent_id = int(sent_id)\n if not self.has_id(sent_id):\n if 'default' in kwargs:\n return kwargs['default']\n else:\n raise KeyError('Sentence ID {} does not exist'.format(sent_id))\n else:\n sent_obj = self.get(sent_id)\n self.__sent_map.pop(sent_id)\n self.__sents.remove(sent_obj)\n return sent_obj\n",
"role": "user"
},
{
"content": "pop",
"role": "assistant"
}
]
|
def x(self):
warnings.warn(
'Document.read() is deprecated and will be removed in near future.',
DeprecationWarning)
with TxtReader.from_doc(self) as reader:
reader.read(self)
return self
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n warnings.warn(\n 'Document.read() is deprecated and will be removed in near future.',\n DeprecationWarning)\n with TxtReader.from_doc(self) as reader:\n reader.read(self)\n return self\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
]
|
def x(path):
warnings.warn(
'Document.read_ttl() is deprecated and will be removed in near future. Use read() instead'
, DeprecationWarning)
doc_path = os.path.dirname(path)
doc_name = os.path.basename(path)
return Document(doc_name, doc_path).read()
| read_ttl | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n warnings.warn(\n 'Document.read_ttl() is deprecated and will be removed in near future. Use read() instead'\n , DeprecationWarning)\n doc_path = os.path.dirname(path)\n doc_name = os.path.basename(path)\n return Document(doc_name, doc_path).read()\n",
"role": "user"
},
{
"content": "read_ttl",
"role": "assistant"
}
]
|
def x(self, doc=None):
if not self.sent_stream:
raise Exception('There is no sentence data stream available')
if doc is None:
doc = Document(name=self.doc_name, path=self.doc_path)
for row in self.sent_reader():
if len(row) == 2:
sid, text = row
doc.new_sent(text.strip(), ID=sid)
elif len(row) == 4:
sid, text, flag, comment = row
sent = doc.new_sent(text.strip(), ID=sid)
sent.flag = flag
sent.comment = comment
if self.token_stream:
sent_tokens_map = dd(list)
for token_row in self.token_reader():
if len(token_row) == 6:
sid, wid, token, lemma, pos, comment = token_row
else:
sid, wid, token, lemma, pos = token_row
comment = ''
sid = int(sid)
sent_tokens_map[sid].append((token, lemma, pos.strip(), wid,
comment))
for sent in doc:
sent_tokens = sent_tokens_map[sent.ID]
sent.import_tokens([x[0] for x in sent_tokens])
for (tk, lemma, pos, wid, comment), token in zip(sent_tokens,
sent.tokens):
token.pos = pos
token.lemma = lemma
token.comment = comment
if self.concept_stream:
for concept_row in self.concept_reader():
if len(concept_row) == 5:
sid, cid, clemma, tag, comment = concept_row
else:
sid, cid, clemma, tag = concept_row
comment = ''
cid = int(cid)
doc.get(sid).new_concept(tag.strip(), clemma=clemma, cidx=
cid, comment=comment)
for sid, cid, wid in self.link_reader():
sent = doc.get(sid)
cid = int(cid)
wid = int(wid.strip())
sent.concept(cid).add_token(sent[wid])
if self.tag_stream:
for row in self.tag_reader():
if len(row) == 5:
sid, cfrom, cto, label, tagtype = row
wid = None
if len(row) == 6:
sid, cfrom, cto, label, tagtype, wid = row
if cfrom:
cfrom = int(cfrom)
if cto:
cto = int(cto)
if wid is None or wid == '':
doc.get(sid).new_tag(label, cfrom, cto, tagtype=tagtype)
else:
doc.get(sid)[int(wid)].new_tag(label, cfrom, cto, tagtype=
tagtype)
return doc
| read | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, doc=None):\n if not self.sent_stream:\n raise Exception('There is no sentence data stream available')\n if doc is None:\n doc = Document(name=self.doc_name, path=self.doc_path)\n for row in self.sent_reader():\n if len(row) == 2:\n sid, text = row\n doc.new_sent(text.strip(), ID=sid)\n elif len(row) == 4:\n sid, text, flag, comment = row\n sent = doc.new_sent(text.strip(), ID=sid)\n sent.flag = flag\n sent.comment = comment\n if self.token_stream:\n sent_tokens_map = dd(list)\n for token_row in self.token_reader():\n if len(token_row) == 6:\n sid, wid, token, lemma, pos, comment = token_row\n else:\n sid, wid, token, lemma, pos = token_row\n comment = ''\n sid = int(sid)\n sent_tokens_map[sid].append((token, lemma, pos.strip(), wid,\n comment))\n for sent in doc:\n sent_tokens = sent_tokens_map[sent.ID]\n sent.import_tokens([x[0] for x in sent_tokens])\n for (tk, lemma, pos, wid, comment), token in zip(sent_tokens,\n sent.tokens):\n token.pos = pos\n token.lemma = lemma\n token.comment = comment\n if self.concept_stream:\n for concept_row in self.concept_reader():\n if len(concept_row) == 5:\n sid, cid, clemma, tag, comment = concept_row\n else:\n sid, cid, clemma, tag = concept_row\n comment = ''\n cid = int(cid)\n doc.get(sid).new_concept(tag.strip(), clemma=clemma, cidx=\n cid, comment=comment)\n for sid, cid, wid in self.link_reader():\n sent = doc.get(sid)\n cid = int(cid)\n wid = int(wid.strip())\n sent.concept(cid).add_token(sent[wid])\n if self.tag_stream:\n for row in self.tag_reader():\n if len(row) == 5:\n sid, cfrom, cto, label, tagtype = row\n wid = None\n if len(row) == 6:\n sid, cfrom, cto, label, tagtype, wid = row\n if cfrom:\n cfrom = int(cfrom)\n if cto:\n cto = int(cto)\n if wid is None or wid == '':\n doc.get(sid).new_tag(label, cfrom, cto, tagtype=tagtype)\n else:\n doc.get(sid)[int(wid)].new_tag(label, cfrom, cto, tagtype=\n tagtype)\n return doc\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
]
|
def x(text):
width = max(map(len, text.splitlines()))
page = '+-' + '-' * width + '-+\n'
for line in text.splitlines():
page += '| ' + line.ljust(width) + ' |\n'
page += '+-' + '-' * width + '-+\n'
return page
| format_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n width = max(map(len, text.splitlines()))\n page = '+-' + '-' * width + '-+\\n'\n for line in text.splitlines():\n page += '| ' + line.ljust(width) + ' |\\n'\n page += '+-' + '-' * width + '-+\\n'\n return page\n",
"role": "user"
},
{
"content": "format_page",
"role": "assistant"
}
]
|
def x(text):
def x(col_lengths):
return '+-%s-+%s' % ('-+-'.join([('-' * length) for length in
col_lengths]), os.linesep)
rows = []
for line in text.splitlines():
rows.append([part.strip() for part in line.split('|')])
max_cols = max(map(len, rows))
col_lengths = [0] * max_cols
for row in rows:
cols = len(row)
if cols < max_cols:
row.extend([''] * (max_cols - cols))
for i, col in enumerate(row):
col_length = len(col)
if col_length > col_lengths[i]:
col_lengths[i] = col_length
text = table_bar(col_lengths)
for i, row in enumerate(rows):
cols = []
for i, col in enumerate(row):
cols.append(col.ljust(col_lengths[i]))
text += '| %s |%s' % (' | '.join(cols), os.linesep)
text += table_bar(col_lengths)
return text
| table | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n\n def x(col_lengths):\n return '+-%s-+%s' % ('-+-'.join([('-' * length) for length in\n col_lengths]), os.linesep)\n rows = []\n for line in text.splitlines():\n rows.append([part.strip() for part in line.split('|')])\n max_cols = max(map(len, rows))\n col_lengths = [0] * max_cols\n for row in rows:\n cols = len(row)\n if cols < max_cols:\n row.extend([''] * (max_cols - cols))\n for i, col in enumerate(row):\n col_length = len(col)\n if col_length > col_lengths[i]:\n col_lengths[i] = col_length\n text = table_bar(col_lengths)\n for i, row in enumerate(rows):\n cols = []\n for i, col in enumerate(row):\n cols.append(col.ljust(col_lengths[i]))\n text += '| %s |%s' % (' | '.join(cols), os.linesep)\n text += table_bar(col_lengths)\n return text\n",
"role": "user"
},
{
"content": "table",
"role": "assistant"
}
]
|
def x(text):
color_re = re.compile('\\[(?P<color>[FB]G_[A-Z_]+|NORMAL)\\]')
width = max([len(strip_colors(x)) for x in text.splitlines()])
print('\n' + hbar(width))
for line in text.splitlines():
if line == '[HBAR]':
print(hbar(width))
continue
tail = width - len(strip_colors(line))
sys.stdout.write('| ')
previous = 0
end = len(line)
for match in color_re.finditer(line):
sys.stdout.write(line[previous:match.start()])
set_color(match.groupdict()['color'])
previous = match.end()
sys.stdout.write(line[previous:end])
sys.stdout.write(' ' * tail + ' |\n')
print(hbar(width))
| print_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n color_re = re.compile('\\\\[(?P<color>[FB]G_[A-Z_]+|NORMAL)\\\\]')\n width = max([len(strip_colors(x)) for x in text.splitlines()])\n print('\\n' + hbar(width))\n for line in text.splitlines():\n if line == '[HBAR]':\n print(hbar(width))\n continue\n tail = width - len(strip_colors(line))\n sys.stdout.write('| ')\n previous = 0\n end = len(line)\n for match in color_re.finditer(line):\n sys.stdout.write(line[previous:match.start()])\n set_color(match.groupdict()['color'])\n previous = match.end()\n sys.stdout.write(line[previous:end])\n sys.stdout.write(' ' * tail + ' |\\n')\n print(hbar(width))\n",
"role": "user"
},
{
"content": "print_page",
"role": "assistant"
}
]
|
def x(text, width=80):
text = re.sub('\\s+', ' ', text).strip()
wrapper = TextWrapper(width=width, break_long_words=False,
replace_whitespace=True)
return wrapper.fill(text)
| wrap_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width=80):\n text = re.sub('\\\\s+', ' ', text).strip()\n wrapper = TextWrapper(width=width, break_long_words=False,\n replace_whitespace=True)\n return wrapper.fill(text)\n",
"role": "user"
},
{
"content": "wrap_text",
"role": "assistant"
}
]
|
def x(text, width=80, indent=0, subsequent=None):
text = re.sub('\\s+', ' ', text).strip()
if subsequent is None:
subsequent = indent
wrapper = TextWrapper(width=width, break_long_words=False,
replace_whitespace=True, initial_indent=' ' * (indent + subsequent),
subsequent_indent=' ' * subsequent)
return wrapper.fill(text)[subsequent:]
| rjust_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width=80, indent=0, subsequent=None):\n text = re.sub('\\\\s+', ' ', text).strip()\n if subsequent is None:\n subsequent = indent\n wrapper = TextWrapper(width=width, break_long_words=False,\n replace_whitespace=True, initial_indent=' ' * (indent + subsequent),\n subsequent_indent=' ' * subsequent)\n return wrapper.fill(text)[subsequent:]\n",
"role": "user"
},
{
"content": "rjust_text",
"role": "assistant"
}
]
|
def x(text, width=80):
centered = []
for line in text.splitlines():
centered.append(line.center(width))
return '\n'.join(centered)
| center_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, width=80):\n centered = []\n for line in text.splitlines():\n centered.append(line.center(width))\n return '\\n'.join(centered)\n",
"role": "user"
},
{
"content": "center_text",
"role": "assistant"
}
]
|
def x(qpi_or_h5file, checks=['attributes', 'background']):
if isinstance(checks, str):
checks = [checks]
for ch in checks:
if ch not in ['attributes', 'background']:
raise ValueError('Unknown check: {}'.format(check))
if isinstance(qpi_or_h5file, QPImage):
qpi = qpi_or_h5file
else:
qpi = QPImage(h5file=qpi_or_h5file, h5mode='r')
if 'attributes' in checks:
check_attributes(qpi)
if 'background' in checks:
check_background(qpi)
| check | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qpi_or_h5file, checks=['attributes', 'background']):\n if isinstance(checks, str):\n checks = [checks]\n for ch in checks:\n if ch not in ['attributes', 'background']:\n raise ValueError('Unknown check: {}'.format(check))\n if isinstance(qpi_or_h5file, QPImage):\n qpi = qpi_or_h5file\n else:\n qpi = QPImage(h5file=qpi_or_h5file, h5mode='r')\n if 'attributes' in checks:\n check_attributes(qpi)\n if 'background' in checks:\n check_background(qpi)\n",
"role": "user"
},
{
"content": "check",
"role": "assistant"
}
]
|
def x(qpi):
missing_attrs = []
for key in DATA_KEYS:
if key not in qpi.meta:
missing_attrs.append(key)
if missing_attrs:
msg = 'Attributes are missing: {} '.format(missing_attrs
) + 'in {}!'.format(qpi)
raise IntegrityCheckError(msg)
| check_attributes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qpi):\n missing_attrs = []\n for key in DATA_KEYS:\n if key not in qpi.meta:\n missing_attrs.append(key)\n if missing_attrs:\n msg = 'Attributes are missing: {} '.format(missing_attrs\n ) + 'in {}!'.format(qpi)\n raise IntegrityCheckError(msg)\n",
"role": "user"
},
{
"content": "check_attributes",
"role": "assistant"
}
]
|
def x(qpi):
for imdat in [qpi._amp, qpi._pha]:
try:
fit, attrs = imdat.get_bg(key='fit', ret_attrs=True)
except KeyError:
pass
else:
kwargs = dict(attrs)
binkey = 'estimate_bg_from_mask'
if binkey in imdat.h5:
kwargs['from_mask'] = imdat.h5[binkey][:]
else:
kwargs['from_mask'] = None
with h5py.File('check.h5', driver='core', backing_store=False
) as h5:
testimdat = imdat.__class__(h5)
testimdat['raw'] = imdat.raw
try:
bg = imdat.get_bg('data')
except KeyError:
pass
else:
testimdat.set_bg(bg, key='data')
testimdat.estimate_bg(**kwargs)
if not np.allclose(testimdat.get_bg(key='fit'), fit):
msg = 'Wrong estimated (fitted) background!'
raise IntegrityCheckError(msg)
| check_background | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(qpi):\n for imdat in [qpi._amp, qpi._pha]:\n try:\n fit, attrs = imdat.get_bg(key='fit', ret_attrs=True)\n except KeyError:\n pass\n else:\n kwargs = dict(attrs)\n binkey = 'estimate_bg_from_mask'\n if binkey in imdat.h5:\n kwargs['from_mask'] = imdat.h5[binkey][:]\n else:\n kwargs['from_mask'] = None\n with h5py.File('check.h5', driver='core', backing_store=False\n ) as h5:\n testimdat = imdat.__class__(h5)\n testimdat['raw'] = imdat.raw\n try:\n bg = imdat.get_bg('data')\n except KeyError:\n pass\n else:\n testimdat.set_bg(bg, key='data')\n testimdat.estimate_bg(**kwargs)\n if not np.allclose(testimdat.get_bg(key='fit'), fit):\n msg = 'Wrong estimated (fitted) background!'\n raise IntegrityCheckError(msg)\n",
"role": "user"
},
{
"content": "check_background",
"role": "assistant"
}
]
|
def x(group, key, data, h5dtype=None):
if h5dtype is None:
h5dtype = data.dtype
if key in group:
del group[key]
if group.file.driver == 'core':
kwargs = {}
else:
kwargs = {'fletcher32': True, 'chunks': data.shape}
kwargs.update(COMPRESSION)
dset = group.create_dataset(key, data=data.astype(h5dtype), **kwargs)
dset.attrs.create('CLASS', b'IMAGE')
dset.attrs.create('IMAGE_VERSION', b'1.2')
dset.attrs.create('IMAGE_SUBCLASS', b'IMAGE_GRAYSCALE')
return dset
| write_image_dataset | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group, key, data, h5dtype=None):\n if h5dtype is None:\n h5dtype = data.dtype\n if key in group:\n del group[key]\n if group.file.driver == 'core':\n kwargs = {}\n else:\n kwargs = {'fletcher32': True, 'chunks': data.shape}\n kwargs.update(COMPRESSION)\n dset = group.create_dataset(key, data=data.astype(h5dtype), **kwargs)\n dset.attrs.create('CLASS', b'IMAGE')\n dset.attrs.create('IMAGE_VERSION', b'1.2')\n dset.attrs.create('IMAGE_SUBCLASS', b'IMAGE_GRAYSCALE')\n return dset\n",
"role": "user"
},
{
"content": "write_image_dataset",
"role": "assistant"
}
]
|
def x(self):
info = []
name = self.__class__.__name__.lower()
for key in VALID_BG_KEYS:
if key in self.h5['bg_data']:
attrs = self.h5['bg_data'][key].attrs
for akey in attrs:
atr = attrs[akey]
var = '{} background {}'.format(name, akey)
info.append((var, atr))
if 'fit' in self.h5['bg_data']:
var_mask = '{} background from mask'.format(name)
if 'estimate_bg_from_mask' in self.h5 and self.h5[
'estimate_bg_from_mask'] is not None:
info.append((var_mask, True))
elif 'estimate_bg_from_binary' in self.h5 and self.h5[
'estimate_bg_from_binary'] is not None:
warnings.warn('Old file format detected!', DeprecationWarning)
info.append((var_mask, True))
else:
info.append((var_mask, False))
return info
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info = []\n name = self.__class__.__name__.lower()\n for key in VALID_BG_KEYS:\n if key in self.h5['bg_data']:\n attrs = self.h5['bg_data'][key].attrs\n for akey in attrs:\n atr = attrs[akey]\n var = '{} background {}'.format(name, akey)\n info.append((var, atr))\n if 'fit' in self.h5['bg_data']:\n var_mask = '{} background from mask'.format(name)\n if 'estimate_bg_from_mask' in self.h5 and self.h5[\n 'estimate_bg_from_mask'] is not None:\n info.append((var_mask, True))\n elif 'estimate_bg_from_binary' in self.h5 and self.h5[\n 'estimate_bg_from_binary'] is not None:\n warnings.warn('Old file format detected!', DeprecationWarning)\n info.append((var_mask, True))\n else:\n info.append((var_mask, False))\n return info\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
]
|
def x(self, key):
if key not in VALID_BG_KEYS:
raise ValueError('Invalid bg key: {}'.format(key))
if key in self.h5['bg_data']:
del self.h5['bg_data'][key]
else:
msg = "No bg data to clear for '{}' in {}.".format(key, self)
warnings.warn(msg)
| del_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key):\n if key not in VALID_BG_KEYS:\n raise ValueError('Invalid bg key: {}'.format(key))\n if key in self.h5['bg_data']:\n del self.h5['bg_data'][key]\n else:\n msg = \"No bg data to clear for '{}' in {}.\".format(key, self)\n warnings.warn(msg)\n",
"role": "user"
},
{
"content": "del_bg",
"role": "assistant"
}
]
|
def x(self, fit_offset='mean', fit_profile='tilt', border_px=0, from_mask=
None, ret_mask=False):
self.set_bg(bg=None, key='fit')
bgimage, mask = bg_estimate.estimate(data=self.image, fit_offset=
fit_offset, fit_profile=fit_profile, border_px=border_px, from_mask
=from_mask, ret_mask=True)
attrs = {'fit_offset': fit_offset, 'fit_profile': fit_profile,
'border_px': border_px}
self.set_bg(bg=bgimage, key='fit', attrs=attrs)
self['estimate_bg_from_mask'] = from_mask
if ret_mask:
return mask
| estimate_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fit_offset='mean', fit_profile='tilt', border_px=0, from_mask=\n None, ret_mask=False):\n self.set_bg(bg=None, key='fit')\n bgimage, mask = bg_estimate.estimate(data=self.image, fit_offset=\n fit_offset, fit_profile=fit_profile, border_px=border_px, from_mask\n =from_mask, ret_mask=True)\n attrs = {'fit_offset': fit_offset, 'fit_profile': fit_profile,\n 'border_px': border_px}\n self.set_bg(bg=bgimage, key='fit', attrs=attrs)\n self['estimate_bg_from_mask'] = from_mask\n if ret_mask:\n return mask\n",
"role": "user"
},
{
"content": "estimate_bg",
"role": "assistant"
}
]
|
def x(self, key=None, ret_attrs=False):
if key is None:
if ret_attrs:
raise ValueError('No attributes for combined background!')
return self.bg
else:
if key not in VALID_BG_KEYS:
raise ValueError('Invalid bg key: {}'.format(key))
if key in self.h5['bg_data']:
data = self.h5['bg_data'][key][:]
if ret_attrs:
attrs = dict(self.h5['bg_data'][key].attrs)
for h5k in ['CLASS', 'IMAGE_VERSION', 'IMAGE_SUBCLASS']:
if h5k in attrs:
attrs.pop(h5k)
ret = data, attrs
else:
ret = data
else:
raise KeyError('No background data for {}!'.format(key))
return ret
| get_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key=None, ret_attrs=False):\n if key is None:\n if ret_attrs:\n raise ValueError('No attributes for combined background!')\n return self.bg\n else:\n if key not in VALID_BG_KEYS:\n raise ValueError('Invalid bg key: {}'.format(key))\n if key in self.h5['bg_data']:\n data = self.h5['bg_data'][key][:]\n if ret_attrs:\n attrs = dict(self.h5['bg_data'][key].attrs)\n for h5k in ['CLASS', 'IMAGE_VERSION', 'IMAGE_SUBCLASS']:\n if h5k in attrs:\n attrs.pop(h5k)\n ret = data, attrs\n else:\n ret = data\n else:\n raise KeyError('No background data for {}!'.format(key))\n return ret\n",
"role": "user"
},
{
"content": "get_bg",
"role": "assistant"
}
]
|
def x(self, bg, key='data', attrs={}):
if key not in VALID_BG_KEYS:
raise ValueError('Invalid bg key: {}'.format(key))
if key in self.h5['bg_data']:
del self.h5['bg_data'][key]
if isinstance(bg, (numbers.Real, np.ndarray)):
dset = write_image_dataset(group=self.h5['bg_data'], key=key, data=
bg, h5dtype=self.h5dtype)
for kw in attrs:
dset.attrs[kw] = attrs[kw]
elif isinstance(bg, h5py.Dataset):
self.h5['bg_data'][key] = bg
elif bg is not None:
msg = 'Unknown background data type: {}'.format(bg)
raise ValueError(msg)
| set_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bg, key='data', attrs={}):\n if key not in VALID_BG_KEYS:\n raise ValueError('Invalid bg key: {}'.format(key))\n if key in self.h5['bg_data']:\n del self.h5['bg_data'][key]\n if isinstance(bg, (numbers.Real, np.ndarray)):\n dset = write_image_dataset(group=self.h5['bg_data'], key=key, data=\n bg, h5dtype=self.h5dtype)\n for kw in attrs:\n dset.attrs[kw] = attrs[kw]\n elif isinstance(bg, h5py.Dataset):\n self.h5['bg_data'][key] = bg\n elif bg is not None:\n msg = 'Unknown background data type: {}'.format(bg)\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "set_bg",
"role": "assistant"
}
]
|
def x(self, bgs):
out = np.ones(self.h5['raw'].shape, dtype=float)
for bg in bgs:
out *= bg[:]
return out
| bg_combine | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bgs):\n out = np.ones(self.h5['raw'].shape, dtype=float)\n for bg in bgs:\n out *= bg[:]\n return out\n",
"role": "user"
},
{
"content": "bg_combine",
"role": "assistant"
}
]
|
def x() ->str:
try:
subprocess.check_call(['git', 'fetch', '--tags'])
except CalledProcessError:
pass
cmd = ['git', 'tag', '--list', '--sort=-v:refname']
rv = subprocess.check_output(cmd).decode('utf-8')
if rv == '':
raise NoGitTagsException('No Git tags are present in current repo.')
return rv
| git_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->str:\n try:\n subprocess.check_call(['git', 'fetch', '--tags'])\n except CalledProcessError:\n pass\n cmd = ['git', 'tag', '--list', '--sort=-v:refname']\n rv = subprocess.check_output(cmd).decode('utf-8')\n if rv == '':\n raise NoGitTagsException('No Git tags are present in current repo.')\n return rv\n",
"role": "user"
},
{
"content": "git_tags",
"role": "assistant"
}
]
|
def x(git_tag: str) ->SemVer:
pattern = re.compile('[0-9]+\\.[0-9]+\\.[0-9]+$')
match = pattern.search(git_tag)
if match:
version = match.group(0)
else:
raise InvalidTagFormatException('Tag passed contains no SemVer.')
return SemVer.from_str(version)
| git_tag_to_semver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(git_tag: str) ->SemVer:\n pattern = re.compile('[0-9]+\\\\.[0-9]+\\\\.[0-9]+$')\n match = pattern.search(git_tag)\n if match:\n version = match.group(0)\n else:\n raise InvalidTagFormatException('Tag passed contains no SemVer.')\n return SemVer.from_str(version)\n",
"role": "user"
},
{
"content": "git_tag_to_semver",
"role": "assistant"
}
]
|
def x(git_tags: str) ->str:
semver_re = re.compile('[0-9]+\\.[0-9]+\\.[0-9]+$')
str_ver = []
for i in git_tags.split():
if semver_re.search(i):
str_ver.append(i)
try:
return str_ver[0]
except IndexError:
raise NoGitTagsException
| last_git_release_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(git_tags: str) ->str:\n semver_re = re.compile('[0-9]+\\\\.[0-9]+\\\\.[0-9]+$')\n str_ver = []\n for i in git_tags.split():\n if semver_re.search(i):\n str_ver.append(i)\n try:\n return str_ver[0]\n except IndexError:\n raise NoGitTagsException\n",
"role": "user"
},
{
"content": "last_git_release_tag",
"role": "assistant"
}
]
|
def x(last_tag: str) ->dict:
try:
cmd = ['git', 'log', last_tag + '..', "--format='%H %s'"]
commit_log = subprocess.check_output(cmd).decode('utf-8')
except CalledProcessError:
raise GitTagDoesNotExistError('No such tag:', last_tag)
if not commit_log:
raise NoGitCommitSinceLastTagException('No commits since last tag.')
pattern = re.compile('([a-f0-9]{40})\\ (.*)')
rv = {}
for line in commit_log.split('\n'):
match = pattern.search(line)
if match:
commit_hash = match.group(1)
commit_msg = match.group(2)
rv[commit_hash] = commit_msg
return rv
| git_commits_since_last_tag | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(last_tag: str) ->dict:\n try:\n cmd = ['git', 'log', last_tag + '..', \"--format='%H %s'\"]\n commit_log = subprocess.check_output(cmd).decode('utf-8')\n except CalledProcessError:\n raise GitTagDoesNotExistError('No such tag:', last_tag)\n if not commit_log:\n raise NoGitCommitSinceLastTagException('No commits since last tag.')\n pattern = re.compile('([a-f0-9]{40})\\\\ (.*)')\n rv = {}\n for line in commit_log.split('\\n'):\n match = pattern.search(line)\n if match:\n commit_hash = match.group(1)\n commit_msg = match.group(2)\n rv[commit_hash] = commit_msg\n return rv\n",
"role": "user"
},
{
"content": "git_commits_since_last_tag",
"role": "assistant"
}
]
|
def x(commit_log: dict) ->str:
rv = 'pat'
cc_patterns = patterns()
for value in commit_log.values():
if re.search(cc_patterns['feat'], value):
rv = 'min'
if re.search(cc_patterns['BREAKING CHANGE'], value):
rv = 'maj'
return rv
| parse_commit_log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commit_log: dict) ->str:\n rv = 'pat'\n cc_patterns = patterns()\n for value in commit_log.values():\n if re.search(cc_patterns['feat'], value):\n rv = 'min'\n if re.search(cc_patterns['BREAKING CHANGE'], value):\n rv = 'maj'\n return rv\n",
"role": "user"
},
{
"content": "parse_commit_log",
"role": "assistant"
}
]
|
def x(cls, version_str: str):
o = cls()
o.version = version_str
return o
| from_str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, version_str: str):\n o = cls()\n o.version = version_str\n return o\n",
"role": "user"
},
{
"content": "from_str",
"role": "assistant"
}
]
|
def x(self, major: int) ->None:
self.filter_negatives(major)
self._major = major
| major | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, major: int) ->None:\n self.filter_negatives(major)\n self._major = major\n",
"role": "user"
},
{
"content": "major",
"role": "assistant"
}
]
|
def x(self, minor: int) ->None:
self.filter_negatives(minor)
self._minor = minor
| minor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, minor: int) ->None:\n self.filter_negatives(minor)\n self._minor = minor\n",
"role": "user"
},
{
"content": "minor",
"role": "assistant"
}
]
|
def x(self, patch: int) ->None:
self.filter_negatives(patch)
self._patch = patch
| patch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, patch: int) ->None:\n self.filter_negatives(patch)\n self._patch = patch\n",
"role": "user"
},
{
"content": "patch",
"role": "assistant"
}
]
|
def x(self) ->str:
version: str = str(self._major) + '.' + str(self._minor) + '.' + str(self
._patch)
return version
| version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->str:\n version: str = str(self._major) + '.' + str(self._minor) + '.' + str(self\n ._patch)\n return version\n",
"role": "user"
},
{
"content": "version",
"role": "assistant"
}
]
|
def x(self, version_str: str) ->None:
ver = []
for i in version_str.split('.'):
ver.append(int(i))
self.filter_negatives(int(i))
self._major, self._minor, self._patch = ver[0], ver[1], ver[2]
| version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, version_str: str) ->None:\n ver = []\n for i in version_str.split('.'):\n ver.append(int(i))\n self.filter_negatives(int(i))\n self._major, self._minor, self._patch = ver[0], ver[1], ver[2]\n",
"role": "user"
},
{
"content": "version",
"role": "assistant"
}
]
|
def x(data, fit_offset='mean', fit_profile='tilt', border_px=0, from_mask=
None, ret_mask=False):
if fit_profile not in VALID_FIT_PROFILES:
msg = "`fit_profile` must be one of {}, got '{}'".format(
VALID_FIT_PROFILES, fit_profile)
raise ValueError(msg)
if fit_offset not in VALID_FIT_OFFSETS:
msg = "`fit_offset` must be one of {}, got '{}'".format(
VALID_FIT_OFFSETS, fit_offset)
raise ValueError(msg)
if from_mask is not None:
assert isinstance(from_mask, np.ndarray)
mask = from_mask.copy()
else:
mask = np.ones_like(data, dtype=bool)
if border_px > 0:
border_px = int(np.round(border_px))
mask_px = np.zeros_like(mask)
mask_px[:border_px, :] = True
mask_px[-border_px:, :] = True
mask_px[:, :border_px] = True
mask_px[:, -border_px:] = True
np.logical_and(mask, mask_px, out=mask)
if fit_profile == 'tilt':
bgimg = profile_tilt(data, mask)
elif fit_profile == 'poly2o':
bgimg = profile_poly2o(data, mask)
else:
bgimg = np.zeros_like(data, dtype=float)
if fit_offset == 'fit':
if fit_profile == 'offset':
msg = "`fit_offset=='fit'` only valid when `fit_profile!='offset`"
raise ValueError(msg)
elif fit_offset == 'gauss':
bgimg += offset_gaussian((data - bgimg)[mask])
elif fit_offset == 'mean':
bgimg += np.mean((data - bgimg)[mask])
elif fit_offset == 'mode':
bgimg += offset_mode((data - bgimg)[mask])
if ret_mask:
ret = bgimg, mask
else:
ret = bgimg
return ret
| estimate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, fit_offset='mean', fit_profile='tilt', border_px=0, from_mask=\n None, ret_mask=False):\n if fit_profile not in VALID_FIT_PROFILES:\n msg = \"`fit_profile` must be one of {}, got '{}'\".format(\n VALID_FIT_PROFILES, fit_profile)\n raise ValueError(msg)\n if fit_offset not in VALID_FIT_OFFSETS:\n msg = \"`fit_offset` must be one of {}, got '{}'\".format(\n VALID_FIT_OFFSETS, fit_offset)\n raise ValueError(msg)\n if from_mask is not None:\n assert isinstance(from_mask, np.ndarray)\n mask = from_mask.copy()\n else:\n mask = np.ones_like(data, dtype=bool)\n if border_px > 0:\n border_px = int(np.round(border_px))\n mask_px = np.zeros_like(mask)\n mask_px[:border_px, :] = True\n mask_px[-border_px:, :] = True\n mask_px[:, :border_px] = True\n mask_px[:, -border_px:] = True\n np.logical_and(mask, mask_px, out=mask)\n if fit_profile == 'tilt':\n bgimg = profile_tilt(data, mask)\n elif fit_profile == 'poly2o':\n bgimg = profile_poly2o(data, mask)\n else:\n bgimg = np.zeros_like(data, dtype=float)\n if fit_offset == 'fit':\n if fit_profile == 'offset':\n msg = \"`fit_offset=='fit'` only valid when `fit_profile!='offset`\"\n raise ValueError(msg)\n elif fit_offset == 'gauss':\n bgimg += offset_gaussian((data - bgimg)[mask])\n elif fit_offset == 'mean':\n bgimg += np.mean((data - bgimg)[mask])\n elif fit_offset == 'mode':\n bgimg += offset_mode((data - bgimg)[mask])\n if ret_mask:\n ret = bgimg, mask\n else:\n ret = bgimg\n return ret\n",
"role": "user"
},
{
"content": "estimate",
"role": "assistant"
}
]
|
def x(data):
nbins = 2 * int(np.ceil(np.sqrt(data.size)))
mind, maxd = data.min(), data.max()
drange = mind - (maxd - mind) / 2, maxd + (maxd - mind) / 2
histo = np.histogram(data, nbins, density=True, range=drange)
dx = abs(histo[1][1] - histo[1][2]) / 2
hx = histo[1][1:] - dx
hy = histo[0]
gauss = lmfit.models.GaussianModel()
pars = gauss.guess(hy, x=hx)
out = gauss.fit(hy, pars, x=hx)
return out.params['center']
| offset_gaussian | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n nbins = 2 * int(np.ceil(np.sqrt(data.size)))\n mind, maxd = data.min(), data.max()\n drange = mind - (maxd - mind) / 2, maxd + (maxd - mind) / 2\n histo = np.histogram(data, nbins, density=True, range=drange)\n dx = abs(histo[1][1] - histo[1][2]) / 2\n hx = histo[1][1:] - dx\n hy = histo[0]\n gauss = lmfit.models.GaussianModel()\n pars = gauss.guess(hy, x=hx)\n out = gauss.fit(hy, pars, x=hx)\n return out.params['center']\n",
"role": "user"
},
{
"content": "offset_gaussian",
"role": "assistant"
}
]
|
def x(data):
nbins = int(np.ceil(np.sqrt(data.size)))
mind, maxd = data.min(), data.max()
histo = np.histogram(data, nbins, density=True, range=(mind, maxd))
dx = abs(histo[1][1] - histo[1][2]) / 2
hx = histo[1][1:] - dx
hy = histo[0]
idmax = np.argmax(hy)
return hx[idmax]
| offset_mode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data):\n nbins = int(np.ceil(np.sqrt(data.size)))\n mind, maxd = data.min(), data.max()\n histo = np.histogram(data, nbins, density=True, range=(mind, maxd))\n dx = abs(histo[1][1] - histo[1][2]) / 2\n hx = histo[1][1:] - dx\n hy = histo[0]\n idmax = np.argmax(hy)\n return hx[idmax]\n",
"role": "user"
},
{
"content": "offset_mode",
"role": "assistant"
}
]
|
def x(data, mask):
params = lmfit.Parameters()
params.add(name='mx', value=0)
params.add(name='my', value=0)
params.add(name='off', value=np.average(data[mask]))
fr = lmfit.minimize(tilt_residual, params, args=(data, mask))
bg = tilt_model(fr.params, data.shape)
return bg
| profile_tilt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, mask):\n params = lmfit.Parameters()\n params.add(name='mx', value=0)\n params.add(name='my', value=0)\n params.add(name='off', value=np.average(data[mask]))\n fr = lmfit.minimize(tilt_residual, params, args=(data, mask))\n bg = tilt_model(fr.params, data.shape)\n return bg\n",
"role": "user"
},
{
"content": "profile_tilt",
"role": "assistant"
}
]
|
def x(data, mask):
params = lmfit.Parameters()
params.add(name='mx', value=0)
params.add(name='my', value=0)
params.add(name='mxy', value=0)
params.add(name='ax', value=0)
params.add(name='ay', value=0)
params.add(name='off', value=np.average(data[mask]))
fr = lmfit.minimize(poly2o_residual, params, args=(data, mask))
bg = poly2o_model(fr.params, data.shape)
return bg
| profile_poly2o | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, mask):\n params = lmfit.Parameters()\n params.add(name='mx', value=0)\n params.add(name='my', value=0)\n params.add(name='mxy', value=0)\n params.add(name='ax', value=0)\n params.add(name='ay', value=0)\n params.add(name='off', value=np.average(data[mask]))\n fr = lmfit.minimize(poly2o_residual, params, args=(data, mask))\n bg = poly2o_model(fr.params, data.shape)\n return bg\n",
"role": "user"
},
{
"content": "profile_poly2o",
"role": "assistant"
}
]
|
def x(params, shape):
mx = params['mx'].value
my = params['my'].value
mxy = params['mxy'].value
ax = params['ax'].value
ay = params['ay'].value
off = params['off'].value
bg = np.zeros(shape, dtype=float) + off
x = np.arange(bg.shape[0]) - bg.shape[0] // 2
y = np.arange(bg.shape[1]) - bg.shape[1] // 2
x = x.reshape(-1, 1)
y = y.reshape(1, -1)
bg += ax * x ** 2 + ay * y ** 2 + mx * x + my * y + mxy * x * y
return bg
| poly2o_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, shape):\n mx = params['mx'].value\n my = params['my'].value\n mxy = params['mxy'].value\n ax = params['ax'].value\n ay = params['ay'].value\n off = params['off'].value\n bg = np.zeros(shape, dtype=float) + off\n x = np.arange(bg.shape[0]) - bg.shape[0] // 2\n y = np.arange(bg.shape[1]) - bg.shape[1] // 2\n x = x.reshape(-1, 1)\n y = y.reshape(1, -1)\n bg += ax * x ** 2 + ay * y ** 2 + mx * x + my * y + mxy * x * y\n return bg\n",
"role": "user"
},
{
"content": "poly2o_model",
"role": "assistant"
}
]
|
def x(params, data, mask):
bg = poly2o_model(params, shape=data.shape)
res = (data - bg)[mask]
return res.flatten()
| poly2o_residual | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, data, mask):\n bg = poly2o_model(params, shape=data.shape)\n res = (data - bg)[mask]\n return res.flatten()\n",
"role": "user"
},
{
"content": "poly2o_residual",
"role": "assistant"
}
]
|
def x(params, shape):
mx = params['mx'].value
my = params['my'].value
off = params['off'].value
bg = np.zeros(shape, dtype=float) + off
x = np.arange(bg.shape[0]) - bg.shape[0] // 2
y = np.arange(bg.shape[1]) - bg.shape[1] // 2
x = x.reshape(-1, 1)
y = y.reshape(1, -1)
bg += mx * x + my * y
return bg
| tilt_model | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, shape):\n mx = params['mx'].value\n my = params['my'].value\n off = params['off'].value\n bg = np.zeros(shape, dtype=float) + off\n x = np.arange(bg.shape[0]) - bg.shape[0] // 2\n y = np.arange(bg.shape[1]) - bg.shape[1] // 2\n x = x.reshape(-1, 1)\n y = y.reshape(1, -1)\n bg += mx * x + my * y\n return bg\n",
"role": "user"
},
{
"content": "tilt_model",
"role": "assistant"
}
]
|
def x(params, data, mask):
bg = tilt_model(params, shape=data.shape)
res = (data - bg)[mask]
return res.flatten()
| tilt_residual | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(params, data, mask):\n bg = tilt_model(params, shape=data.shape)\n res = (data - bg)[mask]\n return res.flatten()\n",
"role": "user"
},
{
"content": "tilt_residual",
"role": "assistant"
}
]
|
def x(cmd_args: list=None) ->None:
parser = argparse.ArgumentParser(description='Auto-versioning utility.')
subparsers = parser.add_subparsers()
infer_parser = subparsers.add_parser('infer', help='Infers next version.')
infer_parser.set_defaults(func=infer)
commit_parser = subparsers.add_parser('commit', help=
'Makes release commit.')
commit_parser.set_defaults(func=commit)
bump_parser = subparsers.add_parser('bump', help='Bumps version.')
bump_parser.add_argument('type', nargs='?', default='patch', choices=[
'patch', 'minor', 'major'], help='The type of version to bump.')
bump_parser.set_defaults(func=bump)
try:
if cmd_args:
args = parser.parse_args(cmd_args)
else:
args = parser.parse_args()
args.func(args)
except AttributeError:
parser.print_help()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cmd_args: list=None) ->None:\n parser = argparse.ArgumentParser(description='Auto-versioning utility.')\n subparsers = parser.add_subparsers()\n infer_parser = subparsers.add_parser('infer', help='Infers next version.')\n infer_parser.set_defaults(func=infer)\n commit_parser = subparsers.add_parser('commit', help=\n 'Makes release commit.')\n commit_parser.set_defaults(func=commit)\n bump_parser = subparsers.add_parser('bump', help='Bumps version.')\n bump_parser.add_argument('type', nargs='?', default='patch', choices=[\n 'patch', 'minor', 'major'], help='The type of version to bump.')\n bump_parser.set_defaults(func=bump)\n try:\n if cmd_args:\n args = parser.parse_args(cmd_args)\n else:\n args = parser.parse_args()\n args.func(args)\n except AttributeError:\n parser.print_help()\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x(args: argparse.Namespace) ->None:
try:
last_tag = last_git_release_tag(git_tags())
except NoGitTagsException:
print(SemVer(0, 1, 0))
exit(0)
commit_log = git_commits_since_last_tag(last_tag)
action = parse_commit_log(commit_log)
last_ver = git_tag_to_semver(last_tag)
if action == 'min':
new_ver = last_ver.bump_minor()
elif action == 'maj':
new_ver = last_ver.bump_major()
else:
new_ver = last_ver.bump_patch()
print(new_ver)
| infer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args: argparse.Namespace) ->None:\n try:\n last_tag = last_git_release_tag(git_tags())\n except NoGitTagsException:\n print(SemVer(0, 1, 0))\n exit(0)\n commit_log = git_commits_since_last_tag(last_tag)\n action = parse_commit_log(commit_log)\n last_ver = git_tag_to_semver(last_tag)\n if action == 'min':\n new_ver = last_ver.bump_minor()\n elif action == 'maj':\n new_ver = last_ver.bump_major()\n else:\n new_ver = last_ver.bump_patch()\n print(new_ver)\n",
"role": "user"
},
{
"content": "infer",
"role": "assistant"
}
]
|
def x(args: argparse.Namespace) ->None:
try:
last_tag = last_git_release_tag(git_tags())
except NoGitTagsException:
print(SemVer(0, 1, 0))
exit(0)
last_ver = git_tag_to_semver(last_tag)
if args.type == 'patch':
print(last_ver.bump_patch())
elif args.type == 'minor':
print(last_ver.bump_minor())
elif args.type == 'major':
print(last_ver.bump_major())
| bump | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(args: argparse.Namespace) ->None:\n try:\n last_tag = last_git_release_tag(git_tags())\n except NoGitTagsException:\n print(SemVer(0, 1, 0))\n exit(0)\n last_ver = git_tag_to_semver(last_tag)\n if args.type == 'patch':\n print(last_ver.bump_patch())\n elif args.type == 'minor':\n print(last_ver.bump_minor())\n elif args.type == 'major':\n print(last_ver.bump_major())\n",
"role": "user"
},
{
"content": "bump",
"role": "assistant"
}
]
|
def x(ft_data, which=+1, copy=True):
if copy:
ft_data = ft_data.copy()
if which not in [+1, -1]:
raise ValueError('`which` must be +1 or -1!')
ox, oy = ft_data.shape
cx = ox // 2
cy = oy // 2
minlo = max(int(np.ceil(ox / 42)), 5)
if which == +1:
ft_data[cx - minlo:] = 0
else:
ft_data[:cx + minlo] = 0
ft_data[cx - 3:cx + 3, :] = 0
ft_data[:, cy - 3:cy + 3] = 0
am = np.argmax(np.abs(ft_data))
iy = am % oy
ix = int((am - iy) / oy)
fx = np.fft.fftshift(np.fft.fftfreq(ft_data.shape[0]))[ix]
fy = np.fft.fftshift(np.fft.fftfreq(ft_data.shape[1]))[iy]
return fx, fy
| find_sideband | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ft_data, which=+1, copy=True):\n if copy:\n ft_data = ft_data.copy()\n if which not in [+1, -1]:\n raise ValueError('`which` must be +1 or -1!')\n ox, oy = ft_data.shape\n cx = ox // 2\n cy = oy // 2\n minlo = max(int(np.ceil(ox / 42)), 5)\n if which == +1:\n ft_data[cx - minlo:] = 0\n else:\n ft_data[:cx + minlo] = 0\n ft_data[cx - 3:cx + 3, :] = 0\n ft_data[:, cy - 3:cy + 3] = 0\n am = np.argmax(np.abs(ft_data))\n iy = am % oy\n ix = int((am - iy) / oy)\n fx = np.fft.fftshift(np.fft.fftfreq(ft_data.shape[0]))[ix]\n fy = np.fft.fftshift(np.fft.fftfreq(ft_data.shape[1]))[iy]\n return fx, fy\n",
"role": "user"
},
{
"content": "find_sideband",
"role": "assistant"
}
]
|
def x(data, zero_pad=True):
if zero_pad:
N, M = data.shape
order = np.int(max(64.0, 2 ** np.ceil(np.log(2 * max(N, M)) / np.
log(2))))
datapad = np.zeros((order, order), dtype=float)
datapad[:data.shape[0], :data.shape[1]] = data
else:
datapad = data
fft = np.fft.fftshift(np.fft.fft2(datapad))
return fft
| fourier2dpad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, zero_pad=True):\n if zero_pad:\n N, M = data.shape\n order = np.int(max(64.0, 2 ** np.ceil(np.log(2 * max(N, M)) / np.\n log(2))))\n datapad = np.zeros((order, order), dtype=float)\n datapad[:data.shape[0], :data.shape[1]] = data\n else:\n datapad = data\n fft = np.fft.fftshift(np.fft.fft2(datapad))\n return fft\n",
"role": "user"
},
{
"content": "fourier2dpad",
"role": "assistant"
}
]
|
def x(hologram, sideband=+1, filter_name='disk', filter_size=1 / 3,
subtract_mean=True, zero_pad=True, copy=True):
if copy:
hologram = hologram.astype(dtype=np.float, copy=True)
if subtract_mean:
if issubclass(hologram.dtype.type, np.integer):
hologram = hologram.astype(np.float)
hologram -= hologram.mean()
fft = fourier2dpad(hologram, zero_pad=zero_pad)
if sideband in [+1, -1]:
fsx, fsy = find_sideband(fft, which=sideband)
else:
fsx, fsy = sideband
shifted = np.roll(np.roll(fft, -int(fsx * fft.shape[0]), axis=0), -int(
fsy * fft.shape[1]), axis=1)
fx = np.fft.fftshift(np.fft.fftfreq(fft.shape[0])).reshape(-1, 1)
fy = np.fft.fftshift(np.fft.fftfreq(fft.shape[1])).reshape(1, -1)
if filter_size >= 1:
raise ValueError('`filter_size` must be < 1!')
fsize = np.sqrt(fsx ** 2 + fsy ** 2) * filter_size
if filter_name == 'disk':
afilter = fx ** 2 + fy ** 2 < fsize ** 2
elif filter_name == 'smooth disk':
sigma = fsize / 5
tau = 2 * sigma ** 2
radsq = fx ** 2 + fy ** 2
disk = radsq < fsize ** 2
gauss = np.exp(-radsq / tau)
afilter = signal.convolve(gauss, disk, mode='same')
afilter /= afilter.max()
elif filter_name == 'gauss':
sigma = fsize * 0.6
tau = 2 * sigma ** 2
afilter = np.exp(-(fx ** 2 + fy ** 2) / tau)
afilter /= afilter.max()
elif filter_name == 'square':
afilter = (np.abs(fx) < fsize) * (np.abs(fy) < fsize)
elif filter_name == 'smooth square':
blur = fsize / 5
tau = 2 * blur ** 2
square = (np.abs(fx) < fsize) * (np.abs(fy) < fsize)
gauss = np.exp(-fy ** 2 / tau) * np.exp(-fy ** 2 / tau)
afilter = signal.convolve(square, gauss, mode='same')
afilter /= afilter.max()
elif filter_name == 'tukey':
alpha = 0.1
rsize = np.int(min(fx.size, fy.size) * fsize) * 2
tukey_window_x = signal.tukey(rsize, alpha=alpha).reshape(-1, 1)
tukey_window_y = signal.tukey(rsize, alpha=alpha).reshape(1, -1)
tukey = tukey_window_x * tukey_window_y
afilter = np.zeros(shifted.shape)
s1 = (np.array(shifted.shape) - rsize) // 2
s2 = (np.array(shifted.shape) + rsize) // 2
afilter[s1[0]:s2[0], s1[1]:s2[1]] = tukey
else:
raise ValueError('Unknown filter: {}'.format(filter_name))
fft_filt = afilter * shifted
field = np.fft.ifft2(np.fft.ifftshift(fft_filt))
return field[:hologram.shape[0], :hologram.shape[1]]
| get_field | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(hologram, sideband=+1, filter_name='disk', filter_size=1 / 3,\n subtract_mean=True, zero_pad=True, copy=True):\n if copy:\n hologram = hologram.astype(dtype=np.float, copy=True)\n if subtract_mean:\n if issubclass(hologram.dtype.type, np.integer):\n hologram = hologram.astype(np.float)\n hologram -= hologram.mean()\n fft = fourier2dpad(hologram, zero_pad=zero_pad)\n if sideband in [+1, -1]:\n fsx, fsy = find_sideband(fft, which=sideband)\n else:\n fsx, fsy = sideband\n shifted = np.roll(np.roll(fft, -int(fsx * fft.shape[0]), axis=0), -int(\n fsy * fft.shape[1]), axis=1)\n fx = np.fft.fftshift(np.fft.fftfreq(fft.shape[0])).reshape(-1, 1)\n fy = np.fft.fftshift(np.fft.fftfreq(fft.shape[1])).reshape(1, -1)\n if filter_size >= 1:\n raise ValueError('`filter_size` must be < 1!')\n fsize = np.sqrt(fsx ** 2 + fsy ** 2) * filter_size\n if filter_name == 'disk':\n afilter = fx ** 2 + fy ** 2 < fsize ** 2\n elif filter_name == 'smooth disk':\n sigma = fsize / 5\n tau = 2 * sigma ** 2\n radsq = fx ** 2 + fy ** 2\n disk = radsq < fsize ** 2\n gauss = np.exp(-radsq / tau)\n afilter = signal.convolve(gauss, disk, mode='same')\n afilter /= afilter.max()\n elif filter_name == 'gauss':\n sigma = fsize * 0.6\n tau = 2 * sigma ** 2\n afilter = np.exp(-(fx ** 2 + fy ** 2) / tau)\n afilter /= afilter.max()\n elif filter_name == 'square':\n afilter = (np.abs(fx) < fsize) * (np.abs(fy) < fsize)\n elif filter_name == 'smooth square':\n blur = fsize / 5\n tau = 2 * blur ** 2\n square = (np.abs(fx) < fsize) * (np.abs(fy) < fsize)\n gauss = np.exp(-fy ** 2 / tau) * np.exp(-fy ** 2 / tau)\n afilter = signal.convolve(square, gauss, mode='same')\n afilter /= afilter.max()\n elif filter_name == 'tukey':\n alpha = 0.1\n rsize = np.int(min(fx.size, fy.size) * fsize) * 2\n tukey_window_x = signal.tukey(rsize, alpha=alpha).reshape(-1, 1)\n tukey_window_y = signal.tukey(rsize, alpha=alpha).reshape(1, -1)\n tukey = tukey_window_x * tukey_window_y\n afilter = np.zeros(shifted.shape)\n s1 = (np.array(shifted.shape) - rsize) // 2\n s2 = (np.array(shifted.shape) + rsize) // 2\n afilter[s1[0]:s2[0], s1[1]:s2[1]] = tukey\n else:\n raise ValueError('Unknown filter: {}'.format(filter_name))\n fft_filt = afilter * shifted\n field = np.fft.ifft2(np.fft.ifftshift(fft_filt))\n return field[:hologram.shape[0], :hologram.shape[1]]\n",
"role": "user"
},
{
"content": "get_field",
"role": "assistant"
}
]
|
def x(inh5, outh5):
if not isinstance(inh5, h5py.Group):
inh5 = h5py.File(inh5, mode='r')
if outh5 is None:
h5kwargs = {'name': 'qpimage{}.h5'.format(QPImage._instances),
'driver': 'core', 'backing_store': False, 'mode': 'a'}
outh5 = h5py.File(**h5kwargs)
return_h5obj = True
QPImage._instances += 1
elif not isinstance(outh5, h5py.Group):
outh5 = h5py.File(outh5, mode='w')
return_h5obj = False
else:
return_h5obj = True
for key in inh5:
if key in outh5:
del outh5[key]
if isinstance(inh5[key], h5py.Group):
outh5.create_group(key)
copyh5(inh5[key], outh5[key])
else:
dset = write_image_dataset(group=outh5, key=key, data=inh5[key]
[:], h5dtype=inh5[key].dtype)
dset.attrs.update(inh5[key].attrs)
outh5.attrs.update(inh5.attrs)
if return_h5obj:
return outh5
else:
fn = outh5.filename
outh5.flush()
outh5.close()
return fn
| copyh5 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inh5, outh5):\n if not isinstance(inh5, h5py.Group):\n inh5 = h5py.File(inh5, mode='r')\n if outh5 is None:\n h5kwargs = {'name': 'qpimage{}.h5'.format(QPImage._instances),\n 'driver': 'core', 'backing_store': False, 'mode': 'a'}\n outh5 = h5py.File(**h5kwargs)\n return_h5obj = True\n QPImage._instances += 1\n elif not isinstance(outh5, h5py.Group):\n outh5 = h5py.File(outh5, mode='w')\n return_h5obj = False\n else:\n return_h5obj = True\n for key in inh5:\n if key in outh5:\n del outh5[key]\n if isinstance(inh5[key], h5py.Group):\n outh5.create_group(key)\n copyh5(inh5[key], outh5[key])\n else:\n dset = write_image_dataset(group=outh5, key=key, data=inh5[key]\n [:], h5dtype=inh5[key].dtype)\n dset.attrs.update(inh5[key].attrs)\n outh5.attrs.update(inh5.attrs)\n if return_h5obj:\n return outh5\n else:\n fn = outh5.filename\n outh5.flush()\n outh5.close()\n return fn\n",
"role": "user"
},
{
"content": "copyh5",
"role": "assistant"
}
]
|
def x(which_data):
if isinstance(which_data, str):
which_data = which_data.lower().strip()
if which_data.count(','):
which_data = [w.strip() for w in which_data.split(',')]
which_data = [w for w in which_data if w]
if len(which_data) == 1:
return which_data[0]
else:
return tuple(which_data)
else:
return which_data
elif isinstance(which_data, (list, tuple)):
which_data = [w.lower().strip() for w in which_data]
return tuple(which_data)
elif which_data is None:
return None
else:
msg = 'unknown type for `which_data`: {}'.format(which_data)
raise ValueError(msg)
| conv_which_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(which_data):\n if isinstance(which_data, str):\n which_data = which_data.lower().strip()\n if which_data.count(','):\n which_data = [w.strip() for w in which_data.split(',')]\n which_data = [w for w in which_data if w]\n if len(which_data) == 1:\n return which_data[0]\n else:\n return tuple(which_data)\n else:\n return which_data\n elif isinstance(which_data, (list, tuple)):\n which_data = [w.lower().strip() for w in which_data]\n return tuple(which_data)\n elif which_data is None:\n return None\n else:\n msg = 'unknown type for `which_data`: {}'.format(which_data)\n raise ValueError(msg)\n",
"role": "user"
},
{
"content": "conv_which_data",
"role": "assistant"
}
]
|
def x(self, data, which_data):
which_data = QPImage._conv_which_data(which_data)
if which_data not in VALID_INPUT_DATA:
msg = '`which_data` must be one of {}!'.format(VALID_INPUT_DATA)
raise ValueError(msg)
if which_data == 'field':
amp = np.abs(data)
pha = np.angle(data)
elif which_data == 'phase':
pha = data
amp = np.ones_like(data)
elif which_data == ('phase', 'amplitude'):
amp = data[1]
pha = data[0]
elif which_data == ('phase', 'intensity'):
amp = np.sqrt(data[1])
pha = data[0]
elif which_data == 'hologram':
amp, pha = self._get_amp_pha(holo.get_field(data, **self.holo_kw),
which_data='field')
if amp.size == 0 or pha.size == 0:
msg = '`data` with shape {} has zero size!'.format(amp.shape)
raise ValueError(msg)
nanmask = np.isnan(pha)
if np.sum(nanmask):
pham = pha.copy()
pham[nanmask] = 0
pham = np.ma.masked_array(pham, mask=nanmask)
pha = unwrap_phase(pham, seed=47)
pha[nanmask] = np.nan
else:
pha = unwrap_phase(pha, seed=47)
return amp, pha
| get_amp_pha | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, which_data):\n which_data = QPImage._conv_which_data(which_data)\n if which_data not in VALID_INPUT_DATA:\n msg = '`which_data` must be one of {}!'.format(VALID_INPUT_DATA)\n raise ValueError(msg)\n if which_data == 'field':\n amp = np.abs(data)\n pha = np.angle(data)\n elif which_data == 'phase':\n pha = data\n amp = np.ones_like(data)\n elif which_data == ('phase', 'amplitude'):\n amp = data[1]\n pha = data[0]\n elif which_data == ('phase', 'intensity'):\n amp = np.sqrt(data[1])\n pha = data[0]\n elif which_data == 'hologram':\n amp, pha = self._get_amp_pha(holo.get_field(data, **self.holo_kw),\n which_data='field')\n if amp.size == 0 or pha.size == 0:\n msg = '`data` with shape {} has zero size!'.format(amp.shape)\n raise ValueError(msg)\n nanmask = np.isnan(pha)\n if np.sum(nanmask):\n pham = pha.copy()\n pham[nanmask] = 0\n pham = np.ma.masked_array(pham, mask=nanmask)\n pha = unwrap_phase(pham, seed=47)\n pha[nanmask] = np.nan\n else:\n pha = unwrap_phase(pha, seed=47)\n return amp, pha\n",
"role": "user"
},
{
"content": "get_amp_pha",
"role": "assistant"
}
]
|
def x(self):
info = []
meta = self.meta
for key in meta:
info.append((key, self.meta[key]))
for imdat in [self._amp, self._pha]:
info += imdat.info
return info
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n info = []\n meta = self.meta\n for key in meta:\n info.append((key, self.meta[key]))\n for imdat in [self._amp, self._pha]:\n info += imdat.info\n return info\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
]
|
def x(self, which_data=('amplitude', 'phase'), keys='fit'):
which_data = QPImage._conv_which_data(which_data)
if isinstance(keys, str):
keys = [keys]
imdats = []
if 'amplitude' in which_data:
imdats.append(self._amp)
if 'phase' in which_data:
imdats.append(self._pha)
if not imdats:
msg = "`which_data` must contain 'phase' or 'amplitude'!"
raise ValueError(msg)
for imdat in imdats:
for key in keys:
imdat.del_bg(key)
| clear_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, which_data=('amplitude', 'phase'), keys='fit'):\n which_data = QPImage._conv_which_data(which_data)\n if isinstance(keys, str):\n keys = [keys]\n imdats = []\n if 'amplitude' in which_data:\n imdats.append(self._amp)\n if 'phase' in which_data:\n imdats.append(self._pha)\n if not imdats:\n msg = \"`which_data` must contain 'phase' or 'amplitude'!\"\n raise ValueError(msg)\n for imdat in imdats:\n for key in keys:\n imdat.del_bg(key)\n",
"role": "user"
},
{
"content": "clear_bg",
"role": "assistant"
}
]
|
def x(self, which_data='phase', fit_offset='mean', fit_profile='tilt',
border_m=0, border_perc=0, border_px=0, from_mask=None, ret_mask=False):
which_data = QPImage._conv_which_data(which_data)
if not ('amplitude' in which_data or 'phase' in which_data):
msg = "`which_data` must contain 'phase' or 'amplitude'!"
raise ValueError(msg)
border_list = []
if border_m:
if border_m < 0:
raise ValueError('`border_m` must be greater than zero!')
border_list.append(border_m / self.meta['pixel size'])
if border_perc:
if border_perc < 0 or border_perc > 50:
raise ValueError('`border_perc` must be in interval [0, 50]!')
size = np.average(self.shape)
border_list.append(size * border_perc / 100)
if border_px:
border_list.append(border_px)
if border_list:
border_px = np.int(np.round(np.max(border_list)))
elif from_mask is None:
raise ValueError('Neither `from_mask` nor `border_*` given!')
elif np.all(from_mask == 0):
raise ValueError('`from_mask` must not be all-zero!')
imdat_list = []
if 'amplitude' in which_data:
imdat_list.append(self._amp)
if 'phase' in which_data:
imdat_list.append(self._pha)
for imdat in imdat_list:
mask = imdat.estimate_bg(fit_offset=fit_offset, fit_profile=
fit_profile, border_px=border_px, from_mask=from_mask, ret_mask
=ret_mask)
return mask
| compute_bg | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, which_data='phase', fit_offset='mean', fit_profile='tilt',\n border_m=0, border_perc=0, border_px=0, from_mask=None, ret_mask=False):\n which_data = QPImage._conv_which_data(which_data)\n if not ('amplitude' in which_data or 'phase' in which_data):\n msg = \"`which_data` must contain 'phase' or 'amplitude'!\"\n raise ValueError(msg)\n border_list = []\n if border_m:\n if border_m < 0:\n raise ValueError('`border_m` must be greater than zero!')\n border_list.append(border_m / self.meta['pixel size'])\n if border_perc:\n if border_perc < 0 or border_perc > 50:\n raise ValueError('`border_perc` must be in interval [0, 50]!')\n size = np.average(self.shape)\n border_list.append(size * border_perc / 100)\n if border_px:\n border_list.append(border_px)\n if border_list:\n border_px = np.int(np.round(np.max(border_list)))\n elif from_mask is None:\n raise ValueError('Neither `from_mask` nor `border_*` given!')\n elif np.all(from_mask == 0):\n raise ValueError('`from_mask` must not be all-zero!')\n imdat_list = []\n if 'amplitude' in which_data:\n imdat_list.append(self._amp)\n if 'phase' in which_data:\n imdat_list.append(self._pha)\n for imdat in imdat_list:\n mask = imdat.estimate_bg(fit_offset=fit_offset, fit_profile=\n fit_profile, border_px=border_px, from_mask=from_mask, ret_mask\n =ret_mask)\n return mask\n",
"role": "user"
},
{
"content": "compute_bg",
"role": "assistant"
}
]
|
def x(self, h5file=None):
h5 = copyh5(self.h5, h5file)
return QPImage(h5file=h5, h5dtype=self.h5dtype)
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, h5file=None):\n h5 = copyh5(self.h5, h5file)\n return QPImage(h5file=h5, h5dtype=self.h5dtype)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
]
|
def x(self, distance, method='helmholtz', h5file=None, h5mode='a'):
field2 = nrefocus.refocus(field=self.field, d=distance / self[
'pixel size'], nm=self['medium index'], res=self['wavelength'] /
self['pixel size'], method=method)
if 'identifier' in self:
ident = self['identifier']
else:
ident = ''
meta_data = self.meta
meta_data['identifier'] = '{}@{}{:.5e}m'.format(ident, method[0], distance)
qpi2 = QPImage(data=field2, which_data='field', meta_data=meta_data,
h5file=h5file, h5mode=h5mode)
return qpi2
| refocus | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, distance, method='helmholtz', h5file=None, h5mode='a'):\n field2 = nrefocus.refocus(field=self.field, d=distance / self[\n 'pixel size'], nm=self['medium index'], res=self['wavelength'] /\n self['pixel size'], method=method)\n if 'identifier' in self:\n ident = self['identifier']\n else:\n ident = ''\n meta_data = self.meta\n meta_data['identifier'] = '{}@{}{:.5e}m'.format(ident, method[0], distance)\n qpi2 = QPImage(data=field2, which_data='field', meta_data=meta_data,\n h5file=h5file, h5mode=h5mode)\n return qpi2\n",
"role": "user"
},
{
"content": "refocus",
"role": "assistant"
}
]
|
def x(self, bg_data, which_data=None):
if isinstance(bg_data, QPImage):
if which_data is not None:
msg = '`which_data` must not be set if `bg_data` is QPImage!'
raise ValueError(msg)
pha, amp = bg_data.pha, bg_data.amp
elif bg_data is None:
amp, pha = None, None
else:
amp, pha = self._get_amp_pha(bg_data, which_data)
self._amp.set_bg(amp, key='data')
self._pha.set_bg(pha, key='data')
| set_bg_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bg_data, which_data=None):\n if isinstance(bg_data, QPImage):\n if which_data is not None:\n msg = '`which_data` must not be set if `bg_data` is QPImage!'\n raise ValueError(msg)\n pha, amp = bg_data.pha, bg_data.amp\n elif bg_data is None:\n amp, pha = None, None\n else:\n amp, pha = self._get_amp_pha(bg_data, which_data)\n self._amp.set_bg(amp, key='data')\n self._pha.set_bg(pha, key='data')\n",
"role": "user"
},
{
"content": "set_bg_data",
"role": "assistant"
}
]
|
def x(self, qpi, identifier=None, bg_from_idx=None):
if not isinstance(qpi, QPImage):
raise ValueError('`fli` must be instance of QPImage!')
if 'identifier' in qpi and identifier is None:
identifier = qpi['identifier']
if identifier and identifier in self:
msg = ("The identifier '{}' already ".format(identifier) +
'exists! You can either change the identifier of ' +
" '{}' or remove it.".format(qpi))
raise ValueError(msg)
num = len(self)
name = 'qpi_{}'.format(num)
group = self.h5.create_group(name)
thisqpi = qpi.copy(h5file=group)
if bg_from_idx is not None:
refqpi = self[bg_from_idx]
thisqpi._amp.set_bg(bg=refqpi._amp.h5['bg_data']['data'])
thisqpi._pha.set_bg(bg=refqpi._pha.h5['bg_data']['data'])
if identifier:
group.attrs['identifier'] = identifier
| add_qpimage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, qpi, identifier=None, bg_from_idx=None):\n if not isinstance(qpi, QPImage):\n raise ValueError('`fli` must be instance of QPImage!')\n if 'identifier' in qpi and identifier is None:\n identifier = qpi['identifier']\n if identifier and identifier in self:\n msg = (\"The identifier '{}' already \".format(identifier) +\n 'exists! You can either change the identifier of ' +\n \" '{}' or remove it.\".format(qpi))\n raise ValueError(msg)\n num = len(self)\n name = 'qpi_{}'.format(num)\n group = self.h5.create_group(name)\n thisqpi = qpi.copy(h5file=group)\n if bg_from_idx is not None:\n refqpi = self[bg_from_idx]\n thisqpi._amp.set_bg(bg=refqpi._amp.h5['bg_data']['data'])\n thisqpi._pha.set_bg(bg=refqpi._pha.h5['bg_data']['data'])\n if identifier:\n group.attrs['identifier'] = identifier\n",
"role": "user"
},
{
"content": "add_qpimage",
"role": "assistant"
}
]
|
def x(self, index):
if isinstance(index, str):
for ii in range(len(self)):
qpi = self[ii]
if 'identifier' in qpi and qpi['identifier'] == index:
group = self.h5['qpi_{}'.format(ii)]
break
else:
msg = "QPImage identifier '{}' not found!".format(index)
raise KeyError(msg)
else:
if index < -len(self):
msg = 'Index {} out of bounds for QPSeries of size {}!'.format(
index, len(self))
raise ValueError(msg)
elif index < 0:
index += len(self)
name = 'qpi_{}'.format(index)
if name in self.h5:
group = self.h5[name]
else:
msg = 'Index {} not found for QPSeries of length {}'.format(index,
len(self))
raise KeyError(msg)
return QPImage(h5file=group)
| get_qpimage | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if isinstance(index, str):\n for ii in range(len(self)):\n qpi = self[ii]\n if 'identifier' in qpi and qpi['identifier'] == index:\n group = self.h5['qpi_{}'.format(ii)]\n break\n else:\n msg = \"QPImage identifier '{}' not found!\".format(index)\n raise KeyError(msg)\n else:\n if index < -len(self):\n msg = 'Index {} out of bounds for QPSeries of size {}!'.format(\n index, len(self))\n raise ValueError(msg)\n elif index < 0:\n index += len(self)\n name = 'qpi_{}'.format(index)\n if name in self.h5:\n group = self.h5[name]\n else:\n msg = 'Index {} not found for QPSeries of length {}'.format(index,\n len(self))\n raise KeyError(msg)\n return QPImage(h5file=group)\n",
"role": "user"
},
{
"content": "get_qpimage",
"role": "assistant"
}
]
|
def x() ->int:
parser = argparse.ArgumentParser()
parser.add_argument('--overwrite', help=
'Overwrites the unformatted source files with the well-formatted code in place. If not set, an exception is raised if any of the files do not conform to the style guide.'
, action='store_true')
args = parser.parse_args()
overwrite = bool(args.overwrite)
repo_root = pathlib.Path(__file__).parent
print("YAPF'ing...")
if overwrite:
subprocess.check_call(['yapf', '--in-place', '--style=style.yapf',
'--recursive', 'tests', 'icontract', 'setup.py', 'precommit.py'
], cwd=repo_root.as_posix())
else:
subprocess.check_call(['yapf', '--diff', '--style=style.yapf',
'--recursive', 'tests', 'icontract', 'setup.py', 'precommit.py'
], cwd=repo_root.as_posix())
print("Mypy'ing...")
subprocess.check_call(['mypy', 'icontract', 'tests'], cwd=repo_root.
as_posix())
print("Pylint'ing...")
subprocess.check_call(['pylint', '--rcfile=pylint.rc', 'tests',
'icontract'], cwd=repo_root.as_posix())
print("Pydocstyle'ing...")
subprocess.check_call(['pydocstyle', 'icontract'], cwd=repo_root.as_posix()
)
print('Testing...')
env = os.environ.copy()
env['ICONTRACT_SLOW'] = 'true'
subprocess.check_call(['coverage', 'run', '--source', 'icontract', '-m',
'unittest', 'discover', 'tests'], cwd=repo_root.as_posix(), env=env)
subprocess.check_call(['coverage', 'report'])
print('Doctesting...')
subprocess.check_call(['python3', '-m', 'doctest', 'README.rst'])
for pth in (repo_root / 'icontract').glob('**/*.py'):
subprocess.check_call(['python3', '-m', 'doctest', pth.as_posix()])
print('Checking the restructured text of the readme...')
subprocess.check_call(['python3', 'setup.py', 'check',
'--restructuredtext', '--strict'])
return 0
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->int:\n parser = argparse.ArgumentParser()\n parser.add_argument('--overwrite', help=\n 'Overwrites the unformatted source files with the well-formatted code in place. If not set, an exception is raised if any of the files do not conform to the style guide.'\n , action='store_true')\n args = parser.parse_args()\n overwrite = bool(args.overwrite)\n repo_root = pathlib.Path(__file__).parent\n print(\"YAPF'ing...\")\n if overwrite:\n subprocess.check_call(['yapf', '--in-place', '--style=style.yapf',\n '--recursive', 'tests', 'icontract', 'setup.py', 'precommit.py'\n ], cwd=repo_root.as_posix())\n else:\n subprocess.check_call(['yapf', '--diff', '--style=style.yapf',\n '--recursive', 'tests', 'icontract', 'setup.py', 'precommit.py'\n ], cwd=repo_root.as_posix())\n print(\"Mypy'ing...\")\n subprocess.check_call(['mypy', 'icontract', 'tests'], cwd=repo_root.\n as_posix())\n print(\"Pylint'ing...\")\n subprocess.check_call(['pylint', '--rcfile=pylint.rc', 'tests',\n 'icontract'], cwd=repo_root.as_posix())\n print(\"Pydocstyle'ing...\")\n subprocess.check_call(['pydocstyle', 'icontract'], cwd=repo_root.as_posix()\n )\n print('Testing...')\n env = os.environ.copy()\n env['ICONTRACT_SLOW'] = 'true'\n subprocess.check_call(['coverage', 'run', '--source', 'icontract', '-m',\n 'unittest', 'discover', 'tests'], cwd=repo_root.as_posix(), env=env)\n subprocess.check_call(['coverage', 'report'])\n print('Doctesting...')\n subprocess.check_call(['python3', '-m', 'doctest', 'README.rst'])\n for pth in (repo_root / 'icontract').glob('**/*.py'):\n subprocess.check_call(['python3', '-m', 'doctest', pth.as_posix()])\n print('Checking the restructured text of the readme...')\n subprocess.check_call(['python3', 'setup.py', 'check',\n '--restructuredtext', '--strict'])\n return 0\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x(bases: List[type], namespace: MutableMapping[str, Any]) ->None:
invariants = []
for base in bases:
if hasattr(base, '__invariants__'):
invariants.extend(getattr(base, '__invariants__'))
if '__invariants__' in namespace:
invariants.extend(namespace['__invariants__'])
if invariants:
namespace['__invariants__'] = invariants
| collapse_invariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bases: List[type], namespace: MutableMapping[str, Any]) ->None:\n invariants = []\n for base in bases:\n if hasattr(base, '__invariants__'):\n invariants.extend(getattr(base, '__invariants__'))\n if '__invariants__' in namespace:\n invariants.extend(namespace['__invariants__'])\n if invariants:\n namespace['__invariants__'] = invariants\n",
"role": "user"
},
{
"content": "collapse_invariants",
"role": "assistant"
}
]
|
def x(base_preconditions: List[List[Contract]], bases_have_func: bool,
preconditions: List[List[Contract]], func: Callable[..., Any]) ->List[List
[Contract]]:
if not base_preconditions and bases_have_func and preconditions:
raise TypeError(
"The function {} can not weaken the preconditions because the bases specify no preconditions at all. Hence this function must accept all possible input since the preconditions are OR'ed and no precondition implies a dummy precondition which is always fulfilled."
.format(func.__qualname__))
return base_preconditions + preconditions
| collapse_preconditions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_preconditions: List[List[Contract]], bases_have_func: bool,\n preconditions: List[List[Contract]], func: Callable[..., Any]) ->List[List\n [Contract]]:\n if not base_preconditions and bases_have_func and preconditions:\n raise TypeError(\n \"The function {} can not weaken the preconditions because the bases specify no preconditions at all. Hence this function must accept all possible input since the preconditions are OR'ed and no precondition implies a dummy precondition which is always fulfilled.\"\n .format(func.__qualname__))\n return base_preconditions + preconditions\n",
"role": "user"
},
{
"content": "collapse_preconditions",
"role": "assistant"
}
]
|
def x(base_snapshots: List[Snapshot], snapshots: List[Snapshot]) ->List[
Snapshot]:
seen_names = set()
collapsed = base_snapshots + snapshots
for snap in collapsed:
if snap.name in seen_names:
raise ValueError(
"""There are conflicting snapshots with the name: {!r}.
Please mind that the snapshots are inherited from the base classes. Does one of the base classes defines a snapshot with the same name?"""
.format(snap.name))
seen_names.add(snap.name)
return collapsed
| collapse_snapshots | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_snapshots: List[Snapshot], snapshots: List[Snapshot]) ->List[\n Snapshot]:\n seen_names = set()\n collapsed = base_snapshots + snapshots\n for snap in collapsed:\n if snap.name in seen_names:\n raise ValueError(\n \"\"\"There are conflicting snapshots with the name: {!r}.\n\nPlease mind that the snapshots are inherited from the base classes. Does one of the base classes defines a snapshot with the same name?\"\"\"\n .format(snap.name))\n seen_names.add(snap.name)\n return collapsed\n",
"role": "user"
},
{
"content": "collapse_snapshots",
"role": "assistant"
}
]
|
def x(base_postconditions: List[Contract], postconditions: List[Contract]
) ->List[Contract]:
return base_postconditions + postconditions
| collapse_postconditions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(base_postconditions: List[Contract], postconditions: List[Contract]\n ) ->List[Contract]:\n return base_postconditions + postconditions\n",
"role": "user"
},
{
"content": "collapse_postconditions",
"role": "assistant"
}
]
|
def x(bases: List[type], namespace: MutableMapping[str, Any], key: str) ->None:
value = namespace[key]
assert inspect.isfunction(value) or isinstance(value, (staticmethod,
classmethod))
if inspect.isfunction(value):
func = value
elif isinstance(value, (staticmethod, classmethod)):
func = value.__func__
else:
raise NotImplementedError('Unexpected value for a function: {}'.
format(value))
preconditions = []
snapshots = []
postconditions = []
contract_checker = icontract._checkers.find_checker(func=func)
if contract_checker is not None:
preconditions = contract_checker.__preconditions__
snapshots = contract_checker.__postcondition_snapshots__
postconditions = contract_checker.__postconditions__
if key not in ['__init__']:
base_preconditions = []
base_snapshots = []
base_postconditions = []
bases_have_func = False
for base in bases:
if hasattr(base, key):
bases_have_func = True
base_func = getattr(base, key)
base_contract_checker = icontract._checkers.find_checker(func
=base_func)
if base_contract_checker is not None:
base_preconditions.extend(base_contract_checker.
__preconditions__)
base_snapshots.extend(base_contract_checker.
__postcondition_snapshots__)
base_postconditions.extend(base_contract_checker.
__postconditions__)
preconditions = _collapse_preconditions(base_preconditions=
base_preconditions, bases_have_func=bases_have_func,
preconditions=preconditions, func=func)
snapshots = _collapse_snapshots(base_snapshots=base_snapshots,
snapshots=snapshots)
postconditions = _collapse_postconditions(base_postconditions=
base_postconditions, postconditions=postconditions)
if preconditions or postconditions:
if contract_checker is None:
contract_checker = icontract._checkers.decorate_with_checker(func
=func)
if inspect.isfunction(value):
namespace[key] = contract_checker
elif isinstance(value, staticmethod):
namespace[key] = staticmethod(contract_checker)
elif isinstance(value, classmethod):
namespace[key] = classmethod(contract_checker)
else:
raise NotImplementedError('Unexpected value for a function: {}'
.format(value))
contract_checker.__preconditions__ = preconditions
contract_checker.__postcondition_snapshots__ = snapshots
contract_checker.__postconditions__ = postconditions
| decorate_namespace_function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bases: List[type], namespace: MutableMapping[str, Any], key: str) ->None:\n value = namespace[key]\n assert inspect.isfunction(value) or isinstance(value, (staticmethod,\n classmethod))\n if inspect.isfunction(value):\n func = value\n elif isinstance(value, (staticmethod, classmethod)):\n func = value.__func__\n else:\n raise NotImplementedError('Unexpected value for a function: {}'.\n format(value))\n preconditions = []\n snapshots = []\n postconditions = []\n contract_checker = icontract._checkers.find_checker(func=func)\n if contract_checker is not None:\n preconditions = contract_checker.__preconditions__\n snapshots = contract_checker.__postcondition_snapshots__\n postconditions = contract_checker.__postconditions__\n if key not in ['__init__']:\n base_preconditions = []\n base_snapshots = []\n base_postconditions = []\n bases_have_func = False\n for base in bases:\n if hasattr(base, key):\n bases_have_func = True\n base_func = getattr(base, key)\n base_contract_checker = icontract._checkers.find_checker(func\n =base_func)\n if base_contract_checker is not None:\n base_preconditions.extend(base_contract_checker.\n __preconditions__)\n base_snapshots.extend(base_contract_checker.\n __postcondition_snapshots__)\n base_postconditions.extend(base_contract_checker.\n __postconditions__)\n preconditions = _collapse_preconditions(base_preconditions=\n base_preconditions, bases_have_func=bases_have_func,\n preconditions=preconditions, func=func)\n snapshots = _collapse_snapshots(base_snapshots=base_snapshots,\n snapshots=snapshots)\n postconditions = _collapse_postconditions(base_postconditions=\n base_postconditions, postconditions=postconditions)\n if preconditions or postconditions:\n if contract_checker is None:\n contract_checker = icontract._checkers.decorate_with_checker(func\n =func)\n if inspect.isfunction(value):\n namespace[key] = contract_checker\n elif isinstance(value, staticmethod):\n namespace[key] = staticmethod(contract_checker)\n elif isinstance(value, classmethod):\n namespace[key] = classmethod(contract_checker)\n else:\n raise NotImplementedError('Unexpected value for a function: {}'\n .format(value))\n contract_checker.__preconditions__ = preconditions\n contract_checker.__postcondition_snapshots__ = snapshots\n contract_checker.__postconditions__ = postconditions\n",
"role": "user"
},
{
"content": "decorate_namespace_function",
"role": "assistant"
}
]
|
def x(bases: List[type], namespace: MutableMapping[str, Any], key: str) ->None:
value = namespace[key]
assert isinstance(value, property)
fget = value.fget
fset = value.fset
fdel = value.fdel
for func in [value.fget, value.fset, value.fdel]:
func = cast(Callable[..., Any], func)
if func is None:
continue
base_preconditions = []
base_snapshots = []
base_postconditions = []
bases_have_func = False
for base in bases:
if hasattr(base, key):
base_property = getattr(base, key)
assert isinstance(base_property, property
), 'Expected base {} to have {} as property, but got: {}'.format(
base, key, base_property)
if func == value.fget:
base_func = getattr(base, key).fget
elif func == value.fset:
base_func = getattr(base, key).fset
elif func == value.fdel:
base_func = getattr(base, key).fdel
else:
raise NotImplementedError(
'Unhandled case: func neither value.fget, value.fset nor value.fdel'
)
if base_func is None:
continue
bases_have_func = True
base_contract_checker = icontract._checkers.find_checker(func
=base_func)
if base_contract_checker is not None:
base_preconditions.extend(base_contract_checker.
__preconditions__)
base_snapshots.extend(base_contract_checker.
__postcondition_snapshots__)
base_postconditions.extend(base_contract_checker.
__postconditions__)
preconditions = []
snapshots = []
postconditions = []
contract_checker = icontract._checkers.find_checker(func=func)
if contract_checker is not None:
preconditions = contract_checker.__preconditions__
snapshots = contract_checker.__postcondition_snapshots__
postconditions = contract_checker.__postconditions__
preconditions = _collapse_preconditions(base_preconditions=
base_preconditions, bases_have_func=bases_have_func,
preconditions=preconditions, func=func)
snapshots = _collapse_snapshots(base_snapshots=base_snapshots,
snapshots=snapshots)
postconditions = _collapse_postconditions(base_postconditions=
base_postconditions, postconditions=postconditions)
if preconditions or postconditions:
if contract_checker is None:
contract_checker = icontract._checkers.decorate_with_checker(
func=func)
if func == value.fget:
fget = contract_checker
elif func == value.fset:
fset = contract_checker
elif func == value.fdel:
fdel = contract_checker
else:
raise NotImplementedError(
'Unhandled case: func neither fget, fset nor fdel')
contract_checker.__preconditions__ = preconditions
contract_checker.__postcondition_snapshots__ = snapshots
contract_checker.__postconditions__ = postconditions
if fget != value.fget or fset != value.fset or fdel != value.fdel:
namespace[key] = property(fget=fget, fset=fset, fdel=fdel)
| decorate_namespace_property | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bases: List[type], namespace: MutableMapping[str, Any], key: str) ->None:\n value = namespace[key]\n assert isinstance(value, property)\n fget = value.fget\n fset = value.fset\n fdel = value.fdel\n for func in [value.fget, value.fset, value.fdel]:\n func = cast(Callable[..., Any], func)\n if func is None:\n continue\n base_preconditions = []\n base_snapshots = []\n base_postconditions = []\n bases_have_func = False\n for base in bases:\n if hasattr(base, key):\n base_property = getattr(base, key)\n assert isinstance(base_property, property\n ), 'Expected base {} to have {} as property, but got: {}'.format(\n base, key, base_property)\n if func == value.fget:\n base_func = getattr(base, key).fget\n elif func == value.fset:\n base_func = getattr(base, key).fset\n elif func == value.fdel:\n base_func = getattr(base, key).fdel\n else:\n raise NotImplementedError(\n 'Unhandled case: func neither value.fget, value.fset nor value.fdel'\n )\n if base_func is None:\n continue\n bases_have_func = True\n base_contract_checker = icontract._checkers.find_checker(func\n =base_func)\n if base_contract_checker is not None:\n base_preconditions.extend(base_contract_checker.\n __preconditions__)\n base_snapshots.extend(base_contract_checker.\n __postcondition_snapshots__)\n base_postconditions.extend(base_contract_checker.\n __postconditions__)\n preconditions = []\n snapshots = []\n postconditions = []\n contract_checker = icontract._checkers.find_checker(func=func)\n if contract_checker is not None:\n preconditions = contract_checker.__preconditions__\n snapshots = contract_checker.__postcondition_snapshots__\n postconditions = contract_checker.__postconditions__\n preconditions = _collapse_preconditions(base_preconditions=\n base_preconditions, bases_have_func=bases_have_func,\n preconditions=preconditions, func=func)\n snapshots = _collapse_snapshots(base_snapshots=base_snapshots,\n snapshots=snapshots)\n postconditions = _collapse_postconditions(base_postconditions=\n base_postconditions, postconditions=postconditions)\n if preconditions or postconditions:\n if contract_checker is None:\n contract_checker = icontract._checkers.decorate_with_checker(\n func=func)\n if func == value.fget:\n fget = contract_checker\n elif func == value.fset:\n fset = contract_checker\n elif func == value.fdel:\n fdel = contract_checker\n else:\n raise NotImplementedError(\n 'Unhandled case: func neither fget, fset nor fdel')\n contract_checker.__preconditions__ = preconditions\n contract_checker.__postcondition_snapshots__ = snapshots\n contract_checker.__postconditions__ = postconditions\n if fget != value.fget or fset != value.fset or fdel != value.fdel:\n namespace[key] = property(fget=fget, fset=fset, fdel=fdel)\n",
"role": "user"
},
{
"content": "decorate_namespace_property",
"role": "assistant"
}
]
|
def x(bases: List[type], namespace: MutableMapping[str, Any]) ->None:
_collapse_invariants(bases=bases, namespace=namespace)
for key, value in namespace.items():
if inspect.isfunction(value) or isinstance(value, (staticmethod,
classmethod)):
_decorate_namespace_function(bases=bases, namespace=namespace,
key=key)
elif isinstance(value, property):
_decorate_namespace_property(bases=bases, namespace=namespace,
key=key)
else:
pass
| dbc_decorate_namespace | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bases: List[type], namespace: MutableMapping[str, Any]) ->None:\n _collapse_invariants(bases=bases, namespace=namespace)\n for key, value in namespace.items():\n if inspect.isfunction(value) or isinstance(value, (staticmethod,\n classmethod)):\n _decorate_namespace_function(bases=bases, namespace=namespace,\n key=key)\n elif isinstance(value, property):\n _decorate_namespace_property(bases=bases, namespace=namespace,\n key=key)\n else:\n pass\n",
"role": "user"
},
{
"content": "dbc_decorate_namespace",
"role": "assistant"
}
]
|
def x(value: Any) ->bool:
return not inspect.isclass(value) and not inspect.isfunction(value
) and not inspect.ismethod(value) and not inspect.ismodule(value
) and not inspect.isbuiltin(value)
| representable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value: Any) ->bool:\n return not inspect.isclass(value) and not inspect.isfunction(value\n ) and not inspect.ismethod(value) and not inspect.ismodule(value\n ) and not inspect.isbuiltin(value)\n",
"role": "user"
},
{
"content": "representable",
"role": "assistant"
}
]
|
def x(lines: List[str], lineno: int, filename: str) ->DecoratorInspection:
if lineno < 0 or lineno >= len(lines):
raise ValueError(
'Given line number {} of one of the decorator lines is not within the range [{}, {}) of lines in {}'
.format(lineno, 0, len(lines), filename))
decorator_lineno = None
for i in range(lineno, -1, -1):
if _DECORATOR_RE.match(lines[i]):
decorator_lineno = i
break
if decorator_lineno is None:
raise SyntaxError(
'Decorator corresponding to the line {} could not be found in file {}: {!r}'
.format(lineno + 1, filename, lines[lineno]))
decorator_end_lineno = None
for i in range(lineno + 1, len(lines)):
line = lines[i]
if _DECORATOR_RE.match(line) or _DEF_CLASS_RE.match(line):
decorator_end_lineno = i
break
if decorator_end_lineno is None:
raise SyntaxError(
'The next statement following the decorator corresponding to the line {} could not be found in file {}: {!r}'
.format(lineno + 1, filename, lines[lineno]))
decorator_lines = lines[decorator_lineno:decorator_end_lineno]
decorator_text = textwrap.dedent(''.join(decorator_lines)
) + 'def dummy_{}(): pass'.format(uuid.uuid4().hex)
atok = asttokens.ASTTokens(decorator_text, parse=True)
assert isinstance(atok.tree, ast.Module
), 'Expected the parsed decorator text to live in an AST module.'
module_node = atok.tree
assert len(module_node.body
) == 1, 'Expected the module AST of the decorator text to have a single statement.'
assert isinstance(module_node.body[0], ast.FunctionDef
), 'Expected the only statement in the AST module corresponding to the decorator text to be a function definition.'
func_def_node = module_node.body[0]
assert len(func_def_node.decorator_list
) == 1, 'Expected the function AST node corresponding to the decorator text to have a single decorator.'
assert isinstance(func_def_node.decorator_list[0], ast.Call
), 'Expected the only decorator in the function definition AST node corresponding to the decorator text to be a call node.'
call_node = func_def_node.decorator_list[0]
return DecoratorInspection(atok=atok, node=call_node)
| inspect_decorator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lines: List[str], lineno: int, filename: str) ->DecoratorInspection:\n if lineno < 0 or lineno >= len(lines):\n raise ValueError(\n 'Given line number {} of one of the decorator lines is not within the range [{}, {}) of lines in {}'\n .format(lineno, 0, len(lines), filename))\n decorator_lineno = None\n for i in range(lineno, -1, -1):\n if _DECORATOR_RE.match(lines[i]):\n decorator_lineno = i\n break\n if decorator_lineno is None:\n raise SyntaxError(\n 'Decorator corresponding to the line {} could not be found in file {}: {!r}'\n .format(lineno + 1, filename, lines[lineno]))\n decorator_end_lineno = None\n for i in range(lineno + 1, len(lines)):\n line = lines[i]\n if _DECORATOR_RE.match(line) or _DEF_CLASS_RE.match(line):\n decorator_end_lineno = i\n break\n if decorator_end_lineno is None:\n raise SyntaxError(\n 'The next statement following the decorator corresponding to the line {} could not be found in file {}: {!r}'\n .format(lineno + 1, filename, lines[lineno]))\n decorator_lines = lines[decorator_lineno:decorator_end_lineno]\n decorator_text = textwrap.dedent(''.join(decorator_lines)\n ) + 'def dummy_{}(): pass'.format(uuid.uuid4().hex)\n atok = asttokens.ASTTokens(decorator_text, parse=True)\n assert isinstance(atok.tree, ast.Module\n ), 'Expected the parsed decorator text to live in an AST module.'\n module_node = atok.tree\n assert len(module_node.body\n ) == 1, 'Expected the module AST of the decorator text to have a single statement.'\n assert isinstance(module_node.body[0], ast.FunctionDef\n ), 'Expected the only statement in the AST module corresponding to the decorator text to be a function definition.'\n func_def_node = module_node.body[0]\n assert len(func_def_node.decorator_list\n ) == 1, 'Expected the function AST node corresponding to the decorator text to have a single decorator.'\n assert isinstance(func_def_node.decorator_list[0], ast.Call\n ), 'Expected the only decorator in the function definition AST node corresponding to the decorator text to be a call node.'\n call_node = func_def_node.decorator_list[0]\n return DecoratorInspection(atok=atok, node=call_node)\n",
"role": "user"
},
{
"content": "inspect_decorator",
"role": "assistant"
}
]
|
def x(decorator_inspection: DecoratorInspection) ->Optional[
ConditionLambdaInspection]:
call_node = decorator_inspection.node
lambda_node = None
if len(call_node.args) > 0:
assert isinstance(call_node.args[0], ast.Lambda
), 'Expected the first argument to the decorator to be a condition as lambda AST node, but got: {}'.format(
type(call_node.args[0]))
lambda_node = call_node.args[0]
elif len(call_node.keywords) > 0:
for keyword in call_node.keywords:
if keyword.arg == 'condition':
assert isinstance(keyword.value, ast.Lambda
), "Expected lambda node as value of the 'condition' argument to the decorator."
lambda_node = keyword.value
break
assert lambda_node is not None, "Expected to find a keyword AST node with 'condition' arg, but found none"
else:
raise AssertionError(
'Expected a call AST node of a decorator to have either args or keywords, but got: {}'
.format(ast.dump(call_node)))
return ConditionLambdaInspection(atok=decorator_inspection.atok, node=
lambda_node)
| find_lambda_condition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(decorator_inspection: DecoratorInspection) ->Optional[\n ConditionLambdaInspection]:\n call_node = decorator_inspection.node\n lambda_node = None\n if len(call_node.args) > 0:\n assert isinstance(call_node.args[0], ast.Lambda\n ), 'Expected the first argument to the decorator to be a condition as lambda AST node, but got: {}'.format(\n type(call_node.args[0]))\n lambda_node = call_node.args[0]\n elif len(call_node.keywords) > 0:\n for keyword in call_node.keywords:\n if keyword.arg == 'condition':\n assert isinstance(keyword.value, ast.Lambda\n ), \"Expected lambda node as value of the 'condition' argument to the decorator.\"\n lambda_node = keyword.value\n break\n assert lambda_node is not None, \"Expected to find a keyword AST node with 'condition' arg, but found none\"\n else:\n raise AssertionError(\n 'Expected a call AST node of a decorator to have either args or keywords, but got: {}'\n .format(ast.dump(call_node)))\n return ConditionLambdaInspection(atok=decorator_inspection.atok, node=\n lambda_node)\n",
"role": "user"
},
{
"content": "find_lambda_condition",
"role": "assistant"
}
]
|
def x(condition: Callable[..., bool], lambda_inspection: Optional[
ConditionLambdaInspection], condition_kwargs: Mapping[str, Any], a_repr:
reprlib.Repr) ->List[str]:
if _is_lambda(a_function=condition):
assert lambda_inspection is not None, 'Expected a lambda inspection when given a condition as a lambda function'
else:
assert lambda_inspection is None, 'Expected no lambda inspection in a condition given as a non-lambda function'
reprs = dict()
if lambda_inspection is not None:
variable_lookup = []
variable_lookup.append(condition_kwargs)
closure_dict = dict()
if condition.__closure__ is not None:
closure_cells = condition.__closure__
freevars = condition.__code__.co_freevars
assert len(closure_cells) == len(freevars
), 'Number of closure cells of a condition function ({}) == number of free vars ({})'.format(
len(closure_cells), len(freevars))
for cell, freevar in zip(closure_cells, freevars):
closure_dict[freevar] = cell.cell_contents
variable_lookup.append(closure_dict)
if condition.__globals__ is not None:
variable_lookup.append(condition.__globals__)
recompute_visitor = icontract._recompute.Visitor(variable_lookup=
variable_lookup)
recompute_visitor.visit(node=lambda_inspection.node.body)
recomputed_values = recompute_visitor.recomputed_values
repr_visitor = Visitor(recomputed_values=recomputed_values,
variable_lookup=variable_lookup, atok=lambda_inspection.atok)
repr_visitor.visit(node=lambda_inspection.node.body)
reprs = repr_visitor.reprs
else:
for key, val in condition_kwargs.items():
if _representable(value=val):
reprs[key] = val
parts = []
for key in sorted(reprs.keys()):
parts.append('{} was {}'.format(key, a_repr.repr(reprs[key])))
return parts
| repr_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(condition: Callable[..., bool], lambda_inspection: Optional[\n ConditionLambdaInspection], condition_kwargs: Mapping[str, Any], a_repr:\n reprlib.Repr) ->List[str]:\n if _is_lambda(a_function=condition):\n assert lambda_inspection is not None, 'Expected a lambda inspection when given a condition as a lambda function'\n else:\n assert lambda_inspection is None, 'Expected no lambda inspection in a condition given as a non-lambda function'\n reprs = dict()\n if lambda_inspection is not None:\n variable_lookup = []\n variable_lookup.append(condition_kwargs)\n closure_dict = dict()\n if condition.__closure__ is not None:\n closure_cells = condition.__closure__\n freevars = condition.__code__.co_freevars\n assert len(closure_cells) == len(freevars\n ), 'Number of closure cells of a condition function ({}) == number of free vars ({})'.format(\n len(closure_cells), len(freevars))\n for cell, freevar in zip(closure_cells, freevars):\n closure_dict[freevar] = cell.cell_contents\n variable_lookup.append(closure_dict)\n if condition.__globals__ is not None:\n variable_lookup.append(condition.__globals__)\n recompute_visitor = icontract._recompute.Visitor(variable_lookup=\n variable_lookup)\n recompute_visitor.visit(node=lambda_inspection.node.body)\n recomputed_values = recompute_visitor.recomputed_values\n repr_visitor = Visitor(recomputed_values=recomputed_values,\n variable_lookup=variable_lookup, atok=lambda_inspection.atok)\n repr_visitor.visit(node=lambda_inspection.node.body)\n reprs = repr_visitor.reprs\n else:\n for key, val in condition_kwargs.items():\n if _representable(value=val):\n reprs[key] = val\n parts = []\n for key in sorted(reprs.keys()):\n parts.append('{} was {}'.format(key, a_repr.repr(reprs[key])))\n return parts\n",
"role": "user"
},
{
"content": "repr_values",
"role": "assistant"
}
]
|
def x(contract: Contract, condition_kwargs: Mapping[str, Any]) ->str:
parts = []
if contract.location is not None:
parts.append('{}:\n'.format(contract.location))
if contract.description is not None:
parts.append('{}: '.format(contract.description))
lambda_inspection = None
if not _is_lambda(a_function=contract.condition):
condition_text = contract.condition.__name__
else:
lines, condition_lineno = inspect.findsource(contract.condition)
filename = inspect.getsourcefile(contract.condition)
decorator_inspection = inspect_decorator(lines=lines, lineno=
condition_lineno, filename=filename)
lambda_inspection = find_lambda_condition(decorator_inspection=
decorator_inspection)
assert lambda_inspection is not None, 'Expected lambda_inspection to be non-None if _is_lambda is True on: {}'.format(
contract.condition)
condition_text = lambda_inspection.text
parts.append(condition_text)
repr_vals = repr_values(condition=contract.condition, lambda_inspection
=lambda_inspection, condition_kwargs=condition_kwargs, a_repr=
contract._a_repr)
if len(repr_vals) == 0:
pass
elif len(repr_vals) == 1:
parts.append(': ')
parts.append(repr_vals[0])
else:
parts.append(':\n')
parts.append('\n'.join(repr_vals))
msg = ''.join(parts)
return msg
| generate_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contract: Contract, condition_kwargs: Mapping[str, Any]) ->str:\n parts = []\n if contract.location is not None:\n parts.append('{}:\\n'.format(contract.location))\n if contract.description is not None:\n parts.append('{}: '.format(contract.description))\n lambda_inspection = None\n if not _is_lambda(a_function=contract.condition):\n condition_text = contract.condition.__name__\n else:\n lines, condition_lineno = inspect.findsource(contract.condition)\n filename = inspect.getsourcefile(contract.condition)\n decorator_inspection = inspect_decorator(lines=lines, lineno=\n condition_lineno, filename=filename)\n lambda_inspection = find_lambda_condition(decorator_inspection=\n decorator_inspection)\n assert lambda_inspection is not None, 'Expected lambda_inspection to be non-None if _is_lambda is True on: {}'.format(\n contract.condition)\n condition_text = lambda_inspection.text\n parts.append(condition_text)\n repr_vals = repr_values(condition=contract.condition, lambda_inspection\n =lambda_inspection, condition_kwargs=condition_kwargs, a_repr=\n contract._a_repr)\n if len(repr_vals) == 0:\n pass\n elif len(repr_vals) == 1:\n parts.append(': ')\n parts.append(repr_vals[0])\n else:\n parts.append(':\\n')\n parts.append('\\n'.join(repr_vals))\n msg = ''.join(parts)\n return msg\n",
"role": "user"
},
{
"content": "generate_message",
"role": "assistant"
}
]
|
def x(self, node: ast.Name) ->None:
if node in self._recomputed_values:
value = self._recomputed_values[node]
is_builtin = True
for lookup in self._variable_lookup:
if node.id in lookup:
is_builtin = False
break
if not is_builtin and _representable(value=value):
text = self._atok.get_text(node)
self.reprs[text] = value
self.generic_visit(node=node)
| visit_Name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Name) ->None:\n if node in self._recomputed_values:\n value = self._recomputed_values[node]\n is_builtin = True\n for lookup in self._variable_lookup:\n if node.id in lookup:\n is_builtin = False\n break\n if not is_builtin and _representable(value=value):\n text = self._atok.get_text(node)\n self.reprs[text] = value\n self.generic_visit(node=node)\n",
"role": "user"
},
{
"content": "visit_Name",
"role": "assistant"
}
]
|
def x(self, node: ast.Attribute) ->None:
if node in self._recomputed_values:
value = self._recomputed_values[node]
if _representable(value=value):
text = self._atok.get_text(node)
self.reprs[text] = value
self.generic_visit(node=node)
| visit_Attribute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Attribute) ->None:\n if node in self._recomputed_values:\n value = self._recomputed_values[node]\n if _representable(value=value):\n text = self._atok.get_text(node)\n self.reprs[text] = value\n self.generic_visit(node=node)\n",
"role": "user"
},
{
"content": "visit_Attribute",
"role": "assistant"
}
]
|
def x(self, node: ast.Call) ->None:
if node in self._recomputed_values:
value = self._recomputed_values[node]
text = self._atok.get_text(node)
self.reprs[text] = value
self.generic_visit(node=node)
| visit_Call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Call) ->None:\n if node in self._recomputed_values:\n value = self._recomputed_values[node]\n text = self._atok.get_text(node)\n self.reprs[text] = value\n self.generic_visit(node=node)\n",
"role": "user"
},
{
"content": "visit_Call",
"role": "assistant"
}
]
|
def x(self, node: ast.ListComp) ->None:
if node in self._recomputed_values:
value = self._recomputed_values[node]
text = self._atok.get_text(node)
self.reprs[text] = value
self.generic_visit(node=node)
| visit_ListComp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.ListComp) ->None:\n if node in self._recomputed_values:\n value = self._recomputed_values[node]\n text = self._atok.get_text(node)\n self.reprs[text] = value\n self.generic_visit(node=node)\n",
"role": "user"
},
{
"content": "visit_ListComp",
"role": "assistant"
}
]
|
def x(self, node: ast.DictComp) ->None:
if node in self._recomputed_values:
value = self._recomputed_values[node]
text = self._atok.get_text(node)
self.reprs[text] = value
self.generic_visit(node=node)
| visit_DictComp | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.DictComp) ->None:\n if node in self._recomputed_values:\n value = self._recomputed_values[node]\n text = self._atok.get_text(node)\n self.reprs[text] = value\n self.generic_visit(node=node)\n",
"role": "user"
},
{
"content": "visit_DictComp",
"role": "assistant"
}
]
|
def x(func: CallableT) ->Iterable['CallableT']:
while hasattr(func, '__wrapped__'):
yield func
func = getattr(func, '__wrapped__')
yield func
| walk_decorator_stack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: CallableT) ->Iterable['CallableT']:\n while hasattr(func, '__wrapped__'):\n yield func\n func = getattr(func, '__wrapped__')\n yield func\n",
"role": "user"
},
{
"content": "walk_decorator_stack",
"role": "assistant"
}
]
|
def x(func: CallableT) ->Optional[CallableT]:
contract_checker = None
for a_wrapper in _walk_decorator_stack(func):
if hasattr(a_wrapper, '__preconditions__') or hasattr(a_wrapper,
'__postconditions__'):
contract_checker = a_wrapper
return contract_checker
| find_checker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: CallableT) ->Optional[CallableT]:\n contract_checker = None\n for a_wrapper in _walk_decorator_stack(func):\n if hasattr(a_wrapper, '__preconditions__') or hasattr(a_wrapper,\n '__postconditions__'):\n contract_checker = a_wrapper\n return contract_checker\n",
"role": "user"
},
{
"content": "find_checker",
"role": "assistant"
}
]
|
def x(param_names: List[str], kwdefaults: Dict[str, Any], args: Tuple[Any,
...], kwargs: Dict[str, Any]) ->MutableMapping[str, Any]:
mapping = dict()
for param_name, param_value in kwdefaults.items():
mapping[param_name] = param_value
for i, func_arg in enumerate(args):
mapping[param_names[i]] = func_arg
for key, val in kwargs.items():
mapping[key] = val
return mapping
| kwargs_from_call | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param_names: List[str], kwdefaults: Dict[str, Any], args: Tuple[Any,\n ...], kwargs: Dict[str, Any]) ->MutableMapping[str, Any]:\n mapping = dict()\n for param_name, param_value in kwdefaults.items():\n mapping[param_name] = param_value\n for i, func_arg in enumerate(args):\n mapping[param_names[i]] = func_arg\n for key, val in kwargs.items():\n mapping[key] = val\n return mapping\n",
"role": "user"
},
{
"content": "kwargs_from_call",
"role": "assistant"
}
]
|
def x(contract: Contract, resolved_kwargs: Mapping[str, Any]) ->None:
missing_args = [arg_name for arg_name in contract.condition_args if
arg_name not in resolved_kwargs]
if missing_args:
raise TypeError(
'The argument(s) of the precondition have not been set: {}. Does the original function define them? Did you supply them in the call?'
.format(missing_args))
condition_kwargs = {arg_name: value for arg_name, value in
resolved_kwargs.items() if arg_name in contract.condition_arg_set}
check = contract.condition(**condition_kwargs)
if not check:
if contract.error is not None and (inspect.ismethod(contract.error) or
inspect.isfunction(contract.error)):
assert contract.error_arg_set is not None, 'Expected error_arg_set non-None if contract.error a function.'
assert contract.error_args is not None, 'Expected error_args non-None if contract.error a function.'
error_kwargs = {arg_name: value for arg_name, value in
resolved_kwargs.items() if arg_name in contract.error_arg_set}
missing_args = [arg_name for arg_name in contract.error_args if
arg_name not in resolved_kwargs]
if missing_args:
msg_parts = []
if contract.location is not None:
msg_parts.append('{}:\n'.format(contract.location))
msg_parts.append(
'The argument(s) of the precondition error have not been set: {}. Does the original function define them? Did you supply them in the call?'
.format(missing_args))
raise TypeError(''.join(msg_parts))
raise contract.error(**error_kwargs)
else:
msg = icontract._represent.generate_message(contract=contract,
condition_kwargs=condition_kwargs)
if contract.error is None:
raise ViolationError(msg)
elif isinstance(contract.error, type):
raise contract.error(msg)
| assert_precondition | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contract: Contract, resolved_kwargs: Mapping[str, Any]) ->None:\n missing_args = [arg_name for arg_name in contract.condition_args if \n arg_name not in resolved_kwargs]\n if missing_args:\n raise TypeError(\n 'The argument(s) of the precondition have not been set: {}. Does the original function define them? Did you supply them in the call?'\n .format(missing_args))\n condition_kwargs = {arg_name: value for arg_name, value in\n resolved_kwargs.items() if arg_name in contract.condition_arg_set}\n check = contract.condition(**condition_kwargs)\n if not check:\n if contract.error is not None and (inspect.ismethod(contract.error) or\n inspect.isfunction(contract.error)):\n assert contract.error_arg_set is not None, 'Expected error_arg_set non-None if contract.error a function.'\n assert contract.error_args is not None, 'Expected error_args non-None if contract.error a function.'\n error_kwargs = {arg_name: value for arg_name, value in\n resolved_kwargs.items() if arg_name in contract.error_arg_set}\n missing_args = [arg_name for arg_name in contract.error_args if\n arg_name not in resolved_kwargs]\n if missing_args:\n msg_parts = []\n if contract.location is not None:\n msg_parts.append('{}:\\n'.format(contract.location))\n msg_parts.append(\n 'The argument(s) of the precondition error have not been set: {}. Does the original function define them? Did you supply them in the call?'\n .format(missing_args))\n raise TypeError(''.join(msg_parts))\n raise contract.error(**error_kwargs)\n else:\n msg = icontract._represent.generate_message(contract=contract,\n condition_kwargs=condition_kwargs)\n if contract.error is None:\n raise ViolationError(msg)\n elif isinstance(contract.error, type):\n raise contract.error(msg)\n",
"role": "user"
},
{
"content": "assert_precondition",
"role": "assistant"
}
]
|
def x(contract: Contract, instance: Any) ->None:
if 'self' in contract.condition_arg_set:
check = contract.condition(self=instance)
else:
check = contract.condition()
if not check:
if contract.error is not None and (inspect.ismethod(contract.error) or
inspect.isfunction(contract.error)):
assert contract.error_arg_set is not None, 'Expected error_arg_set non-None if contract.error a function.'
assert contract.error_args is not None, 'Expected error_args non-None if contract.error a function.'
if 'self' in contract.error_arg_set:
raise contract.error(self=instance)
else:
raise contract.error()
else:
if 'self' in contract.condition_arg_set:
msg = icontract._represent.generate_message(contract=
contract, condition_kwargs={'self': instance})
else:
msg = icontract._represent.generate_message(contract=
contract, condition_kwargs=dict())
if contract.error is None:
raise ViolationError(msg)
elif isinstance(contract.error, type):
raise contract.error(msg)
else:
raise NotImplementedError('Unhandled contract.error: {}'.
format(contract.error))
| assert_invariant | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(contract: Contract, instance: Any) ->None:\n if 'self' in contract.condition_arg_set:\n check = contract.condition(self=instance)\n else:\n check = contract.condition()\n if not check:\n if contract.error is not None and (inspect.ismethod(contract.error) or\n inspect.isfunction(contract.error)):\n assert contract.error_arg_set is not None, 'Expected error_arg_set non-None if contract.error a function.'\n assert contract.error_args is not None, 'Expected error_args non-None if contract.error a function.'\n if 'self' in contract.error_arg_set:\n raise contract.error(self=instance)\n else:\n raise contract.error()\n else:\n if 'self' in contract.condition_arg_set:\n msg = icontract._represent.generate_message(contract=\n contract, condition_kwargs={'self': instance})\n else:\n msg = icontract._represent.generate_message(contract=\n contract, condition_kwargs=dict())\n if contract.error is None:\n raise ViolationError(msg)\n elif isinstance(contract.error, type):\n raise contract.error(msg)\n else:\n raise NotImplementedError('Unhandled contract.error: {}'.\n format(contract.error))\n",
"role": "user"
},
{
"content": "assert_invariant",
"role": "assistant"
}
]
|
def x(a_snapshot: Snapshot, resolved_kwargs: Mapping[str, Any]) ->Any:
if a_snapshot.arg is not None:
if a_snapshot.arg not in resolved_kwargs:
raise TypeError(
'The argument of the snapshot has not been set: {}. Does the original function define it? Did you supply it in the call?'
.format(a_snapshot.arg))
value = a_snapshot.capture(**{a_snapshot.arg: resolved_kwargs[
a_snapshot.arg]})
else:
value = a_snapshot.capture()
return value
| capture_snapshot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a_snapshot: Snapshot, resolved_kwargs: Mapping[str, Any]) ->Any:\n if a_snapshot.arg is not None:\n if a_snapshot.arg not in resolved_kwargs:\n raise TypeError(\n 'The argument of the snapshot has not been set: {}. Does the original function define it? Did you supply it in the call?'\n .format(a_snapshot.arg))\n value = a_snapshot.capture(**{a_snapshot.arg: resolved_kwargs[\n a_snapshot.arg]})\n else:\n value = a_snapshot.capture()\n return value\n",
"role": "user"
},
{
"content": "capture_snapshot",
"role": "assistant"
}
]
|
def x(func: CallableT) ->CallableT:
assert not hasattr(func, '__preconditions__'
), 'Expected func to have no list of preconditions (there should be only a single contract checker per function).'
assert not hasattr(func, '__postconditions__'
), 'Expected func to have no list of postconditions (there should be only a single contract checker per function).'
assert not hasattr(func, '__postcondition_snapshots__'
), 'Expected func to have no list of postcondition snapshots (there should be only a single contract checker per function).'
sign = inspect.signature(func)
param_names = list(sign.parameters.keys())
kwdefaults = dict()
for param in sign.parameters.values():
if param.default != inspect.Parameter.empty:
kwdefaults[param.name] = param.default
def x(*args, **kwargs):
preconditions = getattr(wrapper, '__preconditions__')
snapshots = getattr(wrapper, '__postcondition_snapshots__')
postconditions = getattr(wrapper, '__postconditions__')
resolved_kwargs = _kwargs_from_call(param_names=param_names,
kwdefaults=kwdefaults, args=args, kwargs=kwargs)
if postconditions:
if 'result' in resolved_kwargs:
raise TypeError(
"Unexpected argument 'result' in a function decorated with postconditions."
)
if 'OLD' in resolved_kwargs:
raise TypeError(
"Unexpected argument 'OLD' in a function decorated with postconditions."
)
violation_err = None
for group in preconditions:
violation_err = None
try:
for contract in group:
_assert_precondition(contract=contract, resolved_kwargs
=resolved_kwargs)
break
except ViolationError as err:
violation_err = err
if violation_err is not None:
raise violation_err
if postconditions:
old_as_mapping = dict()
for snap in snapshots:
assert snap.name not in old_as_mapping, 'Snapshots with the conflicting name: {}'
old_as_mapping[snap.name] = _capture_snapshot(a_snapshot=
snap, resolved_kwargs=resolved_kwargs)
resolved_kwargs['OLD'] = _Old(mapping=old_as_mapping)
result = func(*args, **kwargs)
if postconditions:
resolved_kwargs['result'] = result
for contract in postconditions:
_assert_postcondition(contract=contract, resolved_kwargs=
resolved_kwargs)
return result
functools.update_wrapper(wrapper=wrapper, wrapped=func)
assert not hasattr(wrapper, '__preconditions__'
), 'Expected no preconditions set on a pristine contract checker.'
assert not hasattr(wrapper, '__postcondition_snapshots__'
), 'Expected no postcondition snapshots set on a pristine contract checker.'
assert not hasattr(wrapper, '__postconditions__'
), 'Expected no postconditions set on a pristine contract checker.'
setattr(wrapper, '__preconditions__', [])
setattr(wrapper, '__postcondition_snapshots__', [])
setattr(wrapper, '__postconditions__', [])
return wrapper
| decorate_with_checker | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: CallableT) ->CallableT:\n assert not hasattr(func, '__preconditions__'\n ), 'Expected func to have no list of preconditions (there should be only a single contract checker per function).'\n assert not hasattr(func, '__postconditions__'\n ), 'Expected func to have no list of postconditions (there should be only a single contract checker per function).'\n assert not hasattr(func, '__postcondition_snapshots__'\n ), 'Expected func to have no list of postcondition snapshots (there should be only a single contract checker per function).'\n sign = inspect.signature(func)\n param_names = list(sign.parameters.keys())\n kwdefaults = dict()\n for param in sign.parameters.values():\n if param.default != inspect.Parameter.empty:\n kwdefaults[param.name] = param.default\n\n def x(*args, **kwargs):\n preconditions = getattr(wrapper, '__preconditions__')\n snapshots = getattr(wrapper, '__postcondition_snapshots__')\n postconditions = getattr(wrapper, '__postconditions__')\n resolved_kwargs = _kwargs_from_call(param_names=param_names,\n kwdefaults=kwdefaults, args=args, kwargs=kwargs)\n if postconditions:\n if 'result' in resolved_kwargs:\n raise TypeError(\n \"Unexpected argument 'result' in a function decorated with postconditions.\"\n )\n if 'OLD' in resolved_kwargs:\n raise TypeError(\n \"Unexpected argument 'OLD' in a function decorated with postconditions.\"\n )\n violation_err = None\n for group in preconditions:\n violation_err = None\n try:\n for contract in group:\n _assert_precondition(contract=contract, resolved_kwargs\n =resolved_kwargs)\n break\n except ViolationError as err:\n violation_err = err\n if violation_err is not None:\n raise violation_err\n if postconditions:\n old_as_mapping = dict()\n for snap in snapshots:\n assert snap.name not in old_as_mapping, 'Snapshots with the conflicting name: {}'\n old_as_mapping[snap.name] = _capture_snapshot(a_snapshot=\n snap, resolved_kwargs=resolved_kwargs)\n resolved_kwargs['OLD'] = _Old(mapping=old_as_mapping)\n result = func(*args, **kwargs)\n if postconditions:\n resolved_kwargs['result'] = result\n for contract in postconditions:\n _assert_postcondition(contract=contract, resolved_kwargs=\n resolved_kwargs)\n return result\n functools.update_wrapper(wrapper=wrapper, wrapped=func)\n assert not hasattr(wrapper, '__preconditions__'\n ), 'Expected no preconditions set on a pristine contract checker.'\n assert not hasattr(wrapper, '__postcondition_snapshots__'\n ), 'Expected no postcondition snapshots set on a pristine contract checker.'\n assert not hasattr(wrapper, '__postconditions__'\n ), 'Expected no postconditions set on a pristine contract checker.'\n setattr(wrapper, '__preconditions__', [])\n setattr(wrapper, '__postcondition_snapshots__', [])\n setattr(wrapper, '__postconditions__', [])\n return wrapper\n",
"role": "user"
},
{
"content": "decorate_with_checker",
"role": "assistant"
}
]
|
def x(param_names: List[str], args: Tuple[Any, ...], kwargs: Dict[str, Any]
) ->Any:
instance_i = param_names.index('self')
if instance_i < len(args):
instance = args[instance_i]
else:
instance = kwargs['self']
return instance
| find_self | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(param_names: List[str], args: Tuple[Any, ...], kwargs: Dict[str, Any]\n ) ->Any:\n instance_i = param_names.index('self')\n if instance_i < len(args):\n instance = args[instance_i]\n else:\n instance = kwargs['self']\n return instance\n",
"role": "user"
},
{
"content": "find_self",
"role": "assistant"
}
]
|
def x(func: CallableT, is_init: bool) ->CallableT:
if _already_decorated_with_invariants(func=func):
return func
sign = inspect.signature(func)
param_names = list(sign.parameters.keys())
if is_init:
def x(*args, **kwargs):
result = func(*args, **kwargs)
instance = _find_self(param_names=param_names, args=args,
kwargs=kwargs)
for contract in instance.__class__.__invariants__:
_assert_invariant(contract=contract, instance=instance)
return result
else:
def x(*args, **kwargs):
instance = _find_self(param_names=param_names, args=args,
kwargs=kwargs)
for contract in instance.__class__.__invariants__:
_assert_invariant(contract=contract, instance=instance)
result = func(*args, **kwargs)
for contract in instance.__class__.__invariants__:
_assert_invariant(contract=contract, instance=instance)
return result
functools.update_wrapper(wrapper=wrapper, wrapped=func)
setattr(wrapper, '__is_invariant_check__', True)
return wrapper
| decorate_with_invariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: CallableT, is_init: bool) ->CallableT:\n if _already_decorated_with_invariants(func=func):\n return func\n sign = inspect.signature(func)\n param_names = list(sign.parameters.keys())\n if is_init:\n\n def x(*args, **kwargs):\n result = func(*args, **kwargs)\n instance = _find_self(param_names=param_names, args=args,\n kwargs=kwargs)\n for contract in instance.__class__.__invariants__:\n _assert_invariant(contract=contract, instance=instance)\n return result\n else:\n\n def x(*args, **kwargs):\n instance = _find_self(param_names=param_names, args=args,\n kwargs=kwargs)\n for contract in instance.__class__.__invariants__:\n _assert_invariant(contract=contract, instance=instance)\n result = func(*args, **kwargs)\n for contract in instance.__class__.__invariants__:\n _assert_invariant(contract=contract, instance=instance)\n return result\n functools.update_wrapper(wrapper=wrapper, wrapped=func)\n setattr(wrapper, '__is_invariant_check__', True)\n return wrapper\n",
"role": "user"
},
{
"content": "decorate_with_invariants",
"role": "assistant"
}
]
|
def x(func: CallableT) ->bool:
already_decorated = False
for a_decorator in _walk_decorator_stack(func=func):
if getattr(a_decorator, '__is_invariant_check__', False):
already_decorated = True
break
return already_decorated
| already_decorated_with_invariants | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func: CallableT) ->bool:\n already_decorated = False\n for a_decorator in _walk_decorator_stack(func=func):\n if getattr(a_decorator, '__is_invariant_check__', False):\n already_decorated = True\n break\n return already_decorated\n",
"role": "user"
},
{
"content": "already_decorated_with_invariants",
"role": "assistant"
}
]
|
def x(cls: type) ->None:
init_name_func = None
names_funcs = []
names_properties = []
for name, value in [(name, getattr(cls, name)) for name in dir(cls)]:
if name in ['__repr__', '__getattribute__', '__setattr__',
'__delattr__']:
continue
if name == '__init__':
assert inspect.isfunction(value) or isinstance(value,
_SLOT_WRAPPER_TYPE
), 'Expected __init__ to be either a function or a slot wrapper, but got: {}'.format(
type(value))
init_name_func = name, value
continue
if not inspect.isfunction(value) and not isinstance(value,
_SLOT_WRAPPER_TYPE) and not isinstance(value, property):
continue
if getattr(value, '__self__', None) is cls:
continue
if name.startswith('_') and not (name.startswith('__') and name.
endswith('__')):
continue
if inspect.isfunction(value) or isinstance(value, _SLOT_WRAPPER_TYPE):
names_funcs.append((name, value))
elif isinstance(value, property):
names_properties.append((name, value))
else:
raise NotImplementedError(
'Unhandled directory entry of class {} for {}: {}'.format(
cls, name, value))
if init_name_func:
name, func = init_name_func
wrapper = _decorate_with_invariants(func=func, is_init=True)
setattr(cls, name, wrapper)
for name, func in names_funcs:
wrapper = _decorate_with_invariants(func=func, is_init=False)
setattr(cls, name, wrapper)
for name, prop in names_properties:
new_prop = property(fget=_decorate_with_invariants(func=prop.fget,
is_init=False) if prop.fget else None, fset=
_decorate_with_invariants(func=prop.fset, is_init=False) if
prop.fset else None, fdel=_decorate_with_invariants(func=prop.
fdel, is_init=False) if prop.fdel else None, doc=prop.__doc__)
setattr(cls, name, new_prop)
| add_invariant_checks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls: type) ->None:\n init_name_func = None\n names_funcs = []\n names_properties = []\n for name, value in [(name, getattr(cls, name)) for name in dir(cls)]:\n if name in ['__repr__', '__getattribute__', '__setattr__',\n '__delattr__']:\n continue\n if name == '__init__':\n assert inspect.isfunction(value) or isinstance(value,\n _SLOT_WRAPPER_TYPE\n ), 'Expected __init__ to be either a function or a slot wrapper, but got: {}'.format(\n type(value))\n init_name_func = name, value\n continue\n if not inspect.isfunction(value) and not isinstance(value,\n _SLOT_WRAPPER_TYPE) and not isinstance(value, property):\n continue\n if getattr(value, '__self__', None) is cls:\n continue\n if name.startswith('_') and not (name.startswith('__') and name.\n endswith('__')):\n continue\n if inspect.isfunction(value) or isinstance(value, _SLOT_WRAPPER_TYPE):\n names_funcs.append((name, value))\n elif isinstance(value, property):\n names_properties.append((name, value))\n else:\n raise NotImplementedError(\n 'Unhandled directory entry of class {} for {}: {}'.format(\n cls, name, value))\n if init_name_func:\n name, func = init_name_func\n wrapper = _decorate_with_invariants(func=func, is_init=True)\n setattr(cls, name, wrapper)\n for name, func in names_funcs:\n wrapper = _decorate_with_invariants(func=func, is_init=False)\n setattr(cls, name, wrapper)\n for name, prop in names_properties:\n new_prop = property(fget=_decorate_with_invariants(func=prop.fget,\n is_init=False) if prop.fget else None, fset=\n _decorate_with_invariants(func=prop.fset, is_init=False) if\n prop.fset else None, fdel=_decorate_with_invariants(func=prop.\n fdel, is_init=False) if prop.fdel else None, doc=prop.__doc__)\n setattr(cls, name, new_prop)\n",
"role": "user"
},
{
"content": "add_invariant_checks",
"role": "assistant"
}
]
|
def x() ->None:
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument('--module', help='name of the module to import',
choices=['functions_100_with_no_contract',
'functions_100_with_1_contract', 'functions_100_with_5_contracts',
'functions_100_with_10_contracts',
'functions_100_with_1_disabled_contract',
'functions_100_with_5_disabled_contracts',
'functions_100_with_10_disabled_contracts',
'classes_100_with_no_invariant', 'classes_100_with_1_invariant',
'classes_100_with_5_invariants', 'classes_100_with_10_invariants',
'classes_100_with_1_disabled_invariant',
'classes_100_with_5_disabled_invariants',
'classes_100_with_10_disabled_invariants'], required=True)
args = parser.parse_args()
a_module = str(args.module)
if a_module == 'functions_100_with_no_contract':
start = time.time()
import functions_100_with_no_contract
print(time.time() - start)
elif a_module == 'functions_100_with_1_contract':
start = time.time()
import functions_100_with_1_contract
print(time.time() - start)
elif a_module == 'functions_100_with_5_contracts':
start = time.time()
import functions_100_with_5_contracts
print(time.time() - start)
elif a_module == 'functions_100_with_10_contracts':
start = time.time()
import functions_100_with_10_contracts
print(time.time() - start)
elif a_module == 'functions_100_with_1_disabled_contract':
start = time.time()
import functions_100_with_1_disabled_contract
print(time.time() - start)
elif a_module == 'functions_100_with_5_disabled_contracts':
start = time.time()
import functions_100_with_5_disabled_contracts
print(time.time() - start)
elif a_module == 'functions_100_with_10_disabled_contracts':
start = time.time()
import functions_100_with_10_disabled_contracts
print(time.time() - start)
elif a_module == 'classes_100_with_no_invariant':
start = time.time()
import classes_100_with_no_invariant
print(time.time() - start)
elif a_module == 'classes_100_with_1_invariant':
start = time.time()
import classes_100_with_1_invariant
print(time.time() - start)
elif a_module == 'classes_100_with_5_invariants':
start = time.time()
import classes_100_with_5_invariants
print(time.time() - start)
elif a_module == 'classes_100_with_10_invariants':
start = time.time()
import classes_100_with_10_invariants
print(time.time() - start)
elif a_module == 'classes_100_with_1_disabled_invariant':
start = time.time()
import classes_100_with_1_disabled_invariant
print(time.time() - start)
elif a_module == 'classes_100_with_5_disabled_invariants':
start = time.time()
import classes_100_with_5_disabled_invariants
print(time.time() - start)
elif a_module == 'classes_100_with_10_disabled_invariants':
start = time.time()
import classes_100_with_10_disabled_invariants
print(time.time() - start)
else:
raise NotImplementedError('Unhandled module: {}'.format(a_module))
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->None:\n parser = argparse.ArgumentParser(description=__doc__)\n parser.add_argument('--module', help='name of the module to import',\n choices=['functions_100_with_no_contract',\n 'functions_100_with_1_contract', 'functions_100_with_5_contracts',\n 'functions_100_with_10_contracts',\n 'functions_100_with_1_disabled_contract',\n 'functions_100_with_5_disabled_contracts',\n 'functions_100_with_10_disabled_contracts',\n 'classes_100_with_no_invariant', 'classes_100_with_1_invariant',\n 'classes_100_with_5_invariants', 'classes_100_with_10_invariants',\n 'classes_100_with_1_disabled_invariant',\n 'classes_100_with_5_disabled_invariants',\n 'classes_100_with_10_disabled_invariants'], required=True)\n args = parser.parse_args()\n a_module = str(args.module)\n if a_module == 'functions_100_with_no_contract':\n start = time.time()\n import functions_100_with_no_contract\n print(time.time() - start)\n elif a_module == 'functions_100_with_1_contract':\n start = time.time()\n import functions_100_with_1_contract\n print(time.time() - start)\n elif a_module == 'functions_100_with_5_contracts':\n start = time.time()\n import functions_100_with_5_contracts\n print(time.time() - start)\n elif a_module == 'functions_100_with_10_contracts':\n start = time.time()\n import functions_100_with_10_contracts\n print(time.time() - start)\n elif a_module == 'functions_100_with_1_disabled_contract':\n start = time.time()\n import functions_100_with_1_disabled_contract\n print(time.time() - start)\n elif a_module == 'functions_100_with_5_disabled_contracts':\n start = time.time()\n import functions_100_with_5_disabled_contracts\n print(time.time() - start)\n elif a_module == 'functions_100_with_10_disabled_contracts':\n start = time.time()\n import functions_100_with_10_disabled_contracts\n print(time.time() - start)\n elif a_module == 'classes_100_with_no_invariant':\n start = time.time()\n import classes_100_with_no_invariant\n print(time.time() - start)\n elif a_module == 'classes_100_with_1_invariant':\n start = time.time()\n import classes_100_with_1_invariant\n print(time.time() - start)\n elif a_module == 'classes_100_with_5_invariants':\n start = time.time()\n import classes_100_with_5_invariants\n print(time.time() - start)\n elif a_module == 'classes_100_with_10_invariants':\n start = time.time()\n import classes_100_with_10_invariants\n print(time.time() - start)\n elif a_module == 'classes_100_with_1_disabled_invariant':\n start = time.time()\n import classes_100_with_1_disabled_invariant\n print(time.time() - start)\n elif a_module == 'classes_100_with_5_disabled_invariants':\n start = time.time()\n import classes_100_with_5_disabled_invariants\n print(time.time() - start)\n elif a_module == 'classes_100_with_10_disabled_invariants':\n start = time.time()\n import classes_100_with_10_disabled_invariants\n print(time.time() - start)\n else:\n raise NotImplementedError('Unhandled module: {}'.format(a_module))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x() ->None:
modules = ['functions_100_with_no_contract',
'functions_100_with_1_contract', 'functions_100_with_5_contracts',
'functions_100_with_10_contracts',
'functions_100_with_1_disabled_contract',
'functions_100_with_5_disabled_contracts',
'functions_100_with_10_disabled_contracts',
'classes_100_with_no_invariant', 'classes_100_with_1_invariant',
'classes_100_with_5_invariants', 'classes_100_with_10_invariants',
'classes_100_with_1_disabled_invariant',
'classes_100_with_5_disabled_invariants',
'classes_100_with_10_disabled_invariants']
for a_module in modules:
durations = []
for i in range(0, 10):
duration = float(subprocess.check_output(['./measure.py',
'--module', a_module], cwd=os.path.dirname(__file__)).strip())
durations.append(duration)
print(
'Duration to import the module {} (in milliseconds): {:.2f} ± {:.2f}'
.format(a_module, statistics.mean(durations) * 10000.0,
statistics.stdev(durations) * 10000.0))
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->None:\n modules = ['functions_100_with_no_contract',\n 'functions_100_with_1_contract', 'functions_100_with_5_contracts',\n 'functions_100_with_10_contracts',\n 'functions_100_with_1_disabled_contract',\n 'functions_100_with_5_disabled_contracts',\n 'functions_100_with_10_disabled_contracts',\n 'classes_100_with_no_invariant', 'classes_100_with_1_invariant',\n 'classes_100_with_5_invariants', 'classes_100_with_10_invariants',\n 'classes_100_with_1_disabled_invariant',\n 'classes_100_with_5_disabled_invariants',\n 'classes_100_with_10_disabled_invariants']\n for a_module in modules:\n durations = []\n for i in range(0, 10):\n duration = float(subprocess.check_output(['./measure.py',\n '--module', a_module], cwd=os.path.dirname(__file__)).strip())\n durations.append(duration)\n print(\n 'Duration to import the module {} (in milliseconds): {:.2f} ± {:.2f}'\n .format(a_module, statistics.mean(durations) * 10000.0, \n statistics.stdev(durations) * 10000.0))\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x() ->None:
parser = argparse.ArgumentParser(description=__doc__)
parser.add_argument('--outdir', help='output directory', default=os.
path.dirname(__file__))
args = parser.parse_args()
outdir = pathlib.Path(args.outdir)
if not outdir.exists():
raise FileNotFoundError('Output directory is missing: {}'.format(
outdir))
for contracts in [0, 1, 5, 10]:
if contracts == 0:
pth = outdir / 'functions_100_with_no_contract.py'
elif contracts == 1:
pth = outdir / 'functions_100_with_1_contract.py'
else:
pth = outdir / 'functions_100_with_{}_contracts.py'.format(
contracts)
text = generate_functions(functions=100, contracts=contracts,
disabled=False)
pth.write_text(text)
for contracts in [1, 5, 10]:
if contracts == 1:
pth = outdir / 'functions_100_with_1_disabled_contract.py'
else:
pth = (outdir / 'functions_100_with_{}_disabled_contracts.py'.
format(contracts))
text = generate_functions(functions=100, contracts=contracts,
disabled=True)
pth.write_text(text)
for invariants in [0, 1, 5, 10]:
if invariants == 0:
pth = outdir / 'classes_100_with_no_invariant.py'
elif invariants == 1:
pth = outdir / 'classes_100_with_1_invariant.py'
else:
pth = outdir / 'classes_100_with_{}_invariants.py'.format(
invariants)
text = generate_classes(classes=100, invariants=invariants,
disabled=False)
pth.write_text(text)
for invariants in [1, 5, 10]:
if invariants == 1:
pth = outdir / 'classes_100_with_1_disabled_invariant.py'
else:
pth = outdir / 'classes_100_with_{}_disabled_invariants.py'.format(
invariants)
text = generate_classes(classes=100, invariants=invariants,
disabled=True)
pth.write_text(text)
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->None:\n parser = argparse.ArgumentParser(description=__doc__)\n parser.add_argument('--outdir', help='output directory', default=os.\n path.dirname(__file__))\n args = parser.parse_args()\n outdir = pathlib.Path(args.outdir)\n if not outdir.exists():\n raise FileNotFoundError('Output directory is missing: {}'.format(\n outdir))\n for contracts in [0, 1, 5, 10]:\n if contracts == 0:\n pth = outdir / 'functions_100_with_no_contract.py'\n elif contracts == 1:\n pth = outdir / 'functions_100_with_1_contract.py'\n else:\n pth = outdir / 'functions_100_with_{}_contracts.py'.format(\n contracts)\n text = generate_functions(functions=100, contracts=contracts,\n disabled=False)\n pth.write_text(text)\n for contracts in [1, 5, 10]:\n if contracts == 1:\n pth = outdir / 'functions_100_with_1_disabled_contract.py'\n else:\n pth = (outdir / 'functions_100_with_{}_disabled_contracts.py'.\n format(contracts))\n text = generate_functions(functions=100, contracts=contracts,\n disabled=True)\n pth.write_text(text)\n for invariants in [0, 1, 5, 10]:\n if invariants == 0:\n pth = outdir / 'classes_100_with_no_invariant.py'\n elif invariants == 1:\n pth = outdir / 'classes_100_with_1_invariant.py'\n else:\n pth = outdir / 'classes_100_with_{}_invariants.py'.format(\n invariants)\n text = generate_classes(classes=100, invariants=invariants,\n disabled=False)\n pth.write_text(text)\n for invariants in [1, 5, 10]:\n if invariants == 1:\n pth = outdir / 'classes_100_with_1_disabled_invariant.py'\n else:\n pth = outdir / 'classes_100_with_{}_disabled_invariants.py'.format(\n invariants)\n text = generate_classes(classes=100, invariants=invariants,\n disabled=True)\n pth.write_text(text)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
]
|
def x(self, node: ast.Num) ->Union[int, float]:
result = node.n
self.recomputed_values[node] = result
return result
| visit_Num | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Num) ->Union[int, float]:\n result = node.n\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
},
{
"content": "visit_Num",
"role": "assistant"
}
]
|
def x(self, node: ast.Str) ->str:
result = node.s
self.recomputed_values[node] = result
return result
| visit_Str | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Str) ->str:\n result = node.s\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
},
{
"content": "visit_Str",
"role": "assistant"
}
]
|
def x(self, node: ast.Bytes) ->bytes:
result = node.s
self.recomputed_values[node] = result
return node.s
| visit_Bytes | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Bytes) ->bytes:\n result = node.s\n self.recomputed_values[node] = result\n return node.s\n",
"role": "user"
},
{
"content": "visit_Bytes",
"role": "assistant"
}
]
|
def x(self, node: ast.List) ->List[Any]:
if isinstance(node.ctx, ast.Store):
raise NotImplementedError(
'Can not compute the value of a Store on a list')
result = [self.visit(node=elt) for elt in node.elts]
self.recomputed_values[node] = result
return result
| visit_List | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.List) ->List[Any]:\n if isinstance(node.ctx, ast.Store):\n raise NotImplementedError(\n 'Can not compute the value of a Store on a list')\n result = [self.visit(node=elt) for elt in node.elts]\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
},
{
"content": "visit_List",
"role": "assistant"
}
]
|
def x(self, node: ast.Tuple) ->Tuple[Any, ...]:
if isinstance(node.ctx, ast.Store):
raise NotImplementedError(
'Can not compute the value of a Store on a tuple')
result = tuple(self.visit(node=elt) for elt in node.elts)
self.recomputed_values[node] = result
return result
| visit_Tuple | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Tuple) ->Tuple[Any, ...]:\n if isinstance(node.ctx, ast.Store):\n raise NotImplementedError(\n 'Can not compute the value of a Store on a tuple')\n result = tuple(self.visit(node=elt) for elt in node.elts)\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
},
{
"content": "visit_Tuple",
"role": "assistant"
}
]
|
def x(self, node: ast.Set) ->Set[Any]:
result = set(self.visit(node=elt) for elt in node.elts)
self.recomputed_values[node] = result
return result
| visit_Set | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Set) ->Set[Any]:\n result = set(self.visit(node=elt) for elt in node.elts)\n self.recomputed_values[node] = result\n return result\n",
"role": "user"
},
{
"content": "visit_Set",
"role": "assistant"
}
]
|
def x(self, node: ast.Dict) ->Dict[Any, Any]:
recomputed_dict = dict()
for key, val in zip(node.keys, node.values):
recomputed_dict[self.visit(node=key)] = self.visit(node=val)
self.recomputed_values[node] = recomputed_dict
return recomputed_dict
| visit_Dict | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node: ast.Dict) ->Dict[Any, Any]:\n recomputed_dict = dict()\n for key, val in zip(node.keys, node.values):\n recomputed_dict[self.visit(node=key)] = self.visit(node=val)\n self.recomputed_values[node] = recomputed_dict\n return recomputed_dict\n",
"role": "user"
},
{
"content": "visit_Dict",
"role": "assistant"
}
]
|
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.