source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
if self._str[0:5] != CPE2_3_WFN.CPE_PREFIX:
errmsg = 'Bad-formed CPE Name: WFN prefix not found'
raise ValueError(errmsg)
if self._str[-1:] != ']':
errmsg = 'Bad-formed CPE Name: final bracket of WFN not found'
raise ValueError(errmsg)
content = self._str[5:-1]
if content != '':
components = dict()
list_component = content.split(CPEComponent2_3_WFN.SEPARATOR_COMP)
for e in list_component:
if e.find(' ') != -1:
msg = 'Bad-formed CPE Name: WFN with too many whitespaces'
raise ValueError(msg)
pair = e.split(CPEComponent2_3_WFN.SEPARATOR_PAIR)
att_name = pair[0]
att_value = pair[1]
if att_name not in CPEComponent.CPE_COMP_KEYS_EXTENDED:
msg = ("Bad-formed CPE Name: invalid attribute name '{0}'".
format(att_name))
raise ValueError(msg)
if att_name in components:
msg = "Bad-formed CPE Name: attribute '{0}' repeated".format(
att_name)
raise ValueError(msg)
if not (att_value.startswith('"') and att_value.endswith('"')):
strUpper = att_value.upper()
if strUpper == CPEComponent2_3_WFN.VALUE_ANY:
comp = CPEComponentAnyValue()
elif strUpper == CPEComponent2_3_WFN.VALUE_NA:
comp = CPEComponentNotApplicable()
else:
msg = "Invalid logical value '{0}'".format(att_value)
raise ValueError(msg)
elif att_value.startswith('"') and att_value.endswith('"'):
comp = CPEComponent2_3_WFN(att_value, att_name)
else:
msg = "Bad-formed CPE Name: invalid value '{0}'".format(
att_value)
raise ValueError(msg)
components[att_name] = comp
for ck in CPEComponent.CPE_COMP_KEYS_EXTENDED:
if ck not in components:
components[ck] = CPEComponentUndefined()
part_comp = components[CPEComponent.ATT_PART]
if isinstance(part_comp, CPEComponentLogical):
elements = []
elements.append(components)
self[CPE.KEY_UNDEFINED] = elements
else:
part_value = part_comp.get_value()
system = part_value[1:-1]
if system in CPEComponent.SYSTEM_VALUES:
self._create_cpe_parts(system, components)
else:
self._create_cpe_parts(CPEComponent.VALUE_PART_UNDEFINED,
components)
for pk in CPE.CPE_PART_KEYS:
if pk not in self.keys():
self[pk] = []
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._str[0:5] != CPE2_3_WFN.CPE_PREFIX:\n errmsg = 'Bad-formed CPE Name: WFN prefix not found'\n raise ValueError(errmsg)\n if... |
def x(self, cpeset, cpel_dom=None):
TAG_ROOT = '#document'
TAG_PLATSPEC = 'cpe:platform-specification'
TAG_PLATFORM = 'cpe:platform'
TAG_LOGITEST = 'cpe:logical-test'
TAG_CPE = 'cpe:fact-ref'
ATT_NAME = 'name'
ATT_OP = 'operator'
ATT_NEGATE = 'negate'
ATT_OP_AND = 'AND'
ATT_OP_OR = 'OR'
ATT_NEGATE_TRUE = 'TRUE'
if cpel_dom is None:
cpel_dom = self.document
if cpel_dom.nodeName == TAG_ROOT or cpel_dom.nodeName == TAG_PLATSPEC:
for node in cpel_dom.childNodes:
if node.nodeName == TAG_PLATSPEC:
return self.language_match(cpeset, node)
if node.nodeName == TAG_PLATFORM:
return self.language_match(cpeset, node)
elif cpel_dom.nodeName == TAG_PLATFORM:
for node in cpel_dom.childNodes:
if node.nodeName == TAG_LOGITEST:
return self.language_match(cpeset, node)
elif cpel_dom.nodeName == TAG_CPE:
cpename = cpel_dom.getAttribute(ATT_NAME)
c = CPE2_2(cpename)
return cpeset.name_match(c)
elif cpel_dom.nodeName == TAG_LOGITEST:
count = 0
len = 0
answer = False
for node in cpel_dom.childNodes:
if node.nodeName.find('#') == 0:
continue
len = len + 1
if self.language_match(cpeset, node):
count = count + 1
operator = cpel_dom.getAttribute(ATT_OP).upper()
if operator == ATT_OP_AND:
if count == len:
answer = True
elif operator == ATT_OP_OR:
if count > 0:
answer = True
operator_not = cpel_dom.getAttribute(ATT_NEGATE)
if operator_not:
if operator_not.upper() == ATT_NEGATE_TRUE:
answer = not answer
return answer
else:
return False
| language_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpeset, cpel_dom=None):\n TAG_ROOT = '#document'\n TAG_PLATSPEC = 'cpe:platform-specification'\n TAG_PLATFORM = 'cpe:platform'\n TAG_LOGITEST... |
def x(self, cpe):
if cpe.VERSION != CPE.VERSION_2_2:
errmsg = 'CPE Name version {0} not valid, version 2.2 expected'.format(
cpe.VERSION)
raise ValueError(errmsg)
for k in self.K:
if cpe.cpe_str == k.cpe_str:
return None
self.K.append(cpe)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpe):\n if cpe.VERSION != CPE.VERSION_2_2:\n errmsg = 'CPE Name version {0} not valid, version 2.2 expected'.format(\n cpe.VERSION)\... |
def x(self, comp_str, comp_att):
str = comp_str[1:-1]
self._standard_value = str
super(CPEComponent2_3_WFN, self).set_value(str, comp_att)
| set_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, comp_str, comp_att):\n str = comp_str[1:-1]\n self._standard_value = str\n super(CPEComponent2_3_WFN, self).set_value(str, comp_att)\n",
"ro... |
def x(self, cpe):
if cpe.VERSION != CPE.VERSION_1_1:
msg = 'CPE Name version {0} not valid, version 1.1 expected'.format(cpe
.VERSION)
raise ValueError(msg)
for k in self.K:
if cpe.cpe_str == k.cpe_str:
return None
self.K.append(cpe)
| append | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpe):\n if cpe.VERSION != CPE.VERSION_1_1:\n msg = 'CPE Name version {0} not valid, version 1.1 expected'.format(cpe\n .VERSION)\n ... |
def x(self, cpe):
if len(self) == 0:
return False
for k in self.K:
if k.cpe_str == cpe.cpe_str:
return True
match = False
for p in CPE.CPE_PART_KEYS:
elems_cpe = cpe.get(p)
for ec in elems_cpe:
for k in self.K:
elems_k = k.get(p)
for ek in elems_k:
for ck in CPEComponent.CPE_COMP_KEYS:
comp_cpe = ec.get(ck)
comp_k = ek.get(ck)
match = comp_k in comp_cpe
if not match:
break
if match:
break
if match:
break
if not match:
return False
return True
| name_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpe):\n if len(self) == 0:\n return False\n for k in self.K:\n if k.cpe_str == cpe.cpe_str:\n return True\n match = Fal... |
def x(self):
if self._str.find(' ') != -1:
msg = 'Bad-formed CPE Name: it must not have whitespaces'
raise ValueError(msg)
parts_match = CPE2_3_FS._parts_rxc.match(self._str)
if parts_match is None:
msg = 'Bad-formed CPE Name: validation of parts failed'
raise ValueError(msg)
components = dict()
parts_match_dict = parts_match.groupdict()
for ck in CPEComponent.CPE_COMP_KEYS_EXTENDED:
if ck in parts_match_dict:
value = parts_match.group(ck)
if value == CPEComponent2_3_FS.VALUE_ANY:
comp = CPEComponentAnyValue()
elif value == CPEComponent2_3_FS.VALUE_NA:
comp = CPEComponentNotApplicable()
else:
try:
comp = CPEComponent2_3_FS(value, ck)
except ValueError:
errmsg = ('Bad-formed CPE Name: not correct value: {0}'
.format(value))
raise ValueError(errmsg)
else:
errmsg = 'Component {0} should be specified'.format(ck)
raise ValueError(ck)
components[ck] = comp
part_comp = components[CPEComponent.ATT_PART]
if isinstance(part_comp, CPEComponentLogical):
elements = []
elements.append(components)
self[CPE.KEY_UNDEFINED] = elements
else:
system = parts_match.group(CPEComponent.ATT_PART)
if system in CPEComponent.SYSTEM_VALUES:
self._create_cpe_parts(system, components)
else:
self._create_cpe_parts(CPEComponent.VALUE_PART_UNDEFINED,
components)
for pk in CPE.CPE_PART_KEYS:
if pk not in self.keys():
self[pk] = []
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._str.find(' ') != -1:\n msg = 'Bad-formed CPE Name: it must not have whitespaces'\n raise ValueError(msg)\n parts_match = ... |
def x(self, att_name):
lc = []
if not CPEComponent.is_valid_attribute(att_name):
errmsg = 'Invalid attribute name: {0}'.format(att_name)
raise ValueError(errmsg)
for pk in CPE.CPE_PART_KEYS:
elements = self.get(pk)
for elem in elements:
comp = elem.get(att_name)
if isinstance(comp, CPEComponentAnyValue):
value = CPEComponent2_3_FS.VALUE_ANY
elif isinstance(comp, CPEComponentNotApplicable):
value = CPEComponent2_3_FS.VALUE_NA
else:
value = comp.get_value()
lc.append(value)
return lc
| get_attribute_values | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, att_name):\n lc = []\n if not CPEComponent.is_valid_attribute(att_name):\n errmsg = 'Invalid attribute name: {0}'.format(att_name)\n ... |
def x(self):
if self._str.find(' ') != -1:
msg = 'Bad-formed CPE Name: it must not have whitespaces'
raise ValueError(msg)
parts_match = CPE2_2._parts_rxc.match(self._str)
if parts_match is None:
msg = 'Bad-formed CPE Name: validation of parts failed'
raise ValueError(msg)
components = dict()
parts_match_dict = parts_match.groupdict()
for ck in CPEComponent.CPE_COMP_KEYS:
if ck in parts_match_dict:
value = parts_match.group(ck)
if value == CPEComponent2_2.VALUE_UNDEFINED:
comp = CPEComponentUndefined()
elif value == CPEComponent2_2.VALUE_EMPTY:
comp = CPEComponentEmpty()
else:
try:
comp = CPEComponent2_2(value, ck)
except ValueError:
errmsg = ('Bad-formed CPE Name: not correct value: {0}'
.format(value))
raise ValueError(errmsg)
else:
comp = CPEComponentUndefined()
components[ck] = comp
for ck2 in CPEComponent.CPE_COMP_KEYS_EXTENDED:
if ck2 not in components.keys():
components[ck2] = CPEComponentUndefined()
if components[CPEComponent.ATT_PART] == CPEComponentUndefined():
system = CPEComponent.VALUE_PART_UNDEFINED
else:
system = parts_match.group(CPEComponent.ATT_PART)
self._create_cpe_parts(system, components)
for sys in CPEComponent.SYSTEM_VALUES:
if sys != system:
pk = CPE._system_and_parts[sys]
self[pk] = []
| parse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self._str.find(' ') != -1:\n msg = 'Bad-formed CPE Name: it must not have whitespaces'\n raise ValueError(msg)\n parts_match = ... |
def x(self):
wfn = []
wfn.append(CPE2_3_WFN.CPE_PREFIX)
for ck in CPEComponent.CPE_COMP_KEYS:
lc = self._get_attribute_components(ck)
comp = lc[0]
if isinstance(comp, CPEComponentUndefined) or isinstance(comp,
CPEComponentEmpty):
continue
else:
v = []
v.append(ck)
v.append('=')
v.append('"')
v.append(comp.as_wfn())
v.append('"')
wfn.append(''.join(v))
wfn.append(CPEComponent2_3_WFN.SEPARATOR_COMP)
wfn = wfn[:-1]
wfn.append(CPE2_3_WFN.CPE_SUFFIX)
return ''.join(wfn)
| as_wfn | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n wfn = []\n wfn.append(CPE2_3_WFN.CPE_PREFIX)\n for ck in CPEComponent.CPE_COMP_KEYS:\n lc = self._get_attribute_components(ck)\n ... |
def x(cls, cpeset, wfn):
for n in cpeset:
if CPESet2_3.cpe_superset(wfn, n):
return True
return False
| fact_ref_eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cpeset, wfn):\n for n in cpeset:\n if CPESet2_3.cpe_superset(wfn, n):\n return True\n return False\n",
"role": "user"
},
{... |
def x(cls, cpel_dom):
CHECK_SYSTEM = 'check-system'
CHECK_LOCATION = 'check-location'
CHECK_ID = 'check-id'
checksystemID = cpel_dom.getAttribute(CHECK_SYSTEM)
if checksystemID == 'http://oval.mitre.org/XMLSchema/ovaldefinitions-5':
return CPELanguage2_3._ovalcheck(cpel_dom.getAttribute(
CHECK_LOCATION), cpel_dom.getAttribute(CHECK_ID))
if checksystemID == 'http://scap.nist.gov/schema/ocil/2':
return CPELanguage2_3._ocilcheck(cpel_dom.getAttribute(
CHECK_LOCATION), cpel_dom.getAttribute(CHECK_ID))
return False
| check_fact_ref_eval | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cpel_dom):\n CHECK_SYSTEM = 'check-system'\n CHECK_LOCATION = 'check-location'\n CHECK_ID = 'check-id'\n checksystemID = cpel_dom.getAttribute... |
def x(cls, boundname):
try:
fs = CPE2_3_FS(boundname)
except:
try:
uri = CPE2_3_URI(boundname)
except:
return CPE2_3_WFN(boundname)
else:
return CPE2_3_WFN(uri.as_wfn())
else:
return CPE2_3_WFN(fs.as_wfn())
| unbind | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, boundname):\n try:\n fs = CPE2_3_FS(boundname)\n except:\n try:\n uri = CPE2_3_URI(boundname)\n except:\n ... |
def x(self, cpeset, cpel_dom=None):
TAG_ROOT = '#document'
TAG_PLATSPEC = 'cpe:platform-specification'
TAG_PLATFORM = 'cpe:platform'
TAG_LOGITEST = 'cpe:logical-test'
TAG_CPE = 'cpe:fact-ref'
TAG_CHECK_CPE = 'check-fact-ref'
ATT_NAME = 'name'
ATT_OP = 'operator'
ATT_NEGATE = 'negate'
ATT_OP_AND = 'AND'
ATT_OP_OR = 'OR'
ATT_NEGATE_TRUE = 'TRUE'
ERROR = 2
if cpel_dom is None:
cpel_dom = self.document
if cpel_dom.nodeName == TAG_ROOT or cpel_dom.nodeName == TAG_PLATSPEC:
for node in cpel_dom.childNodes:
if node.nodeName == TAG_PLATSPEC:
return self.language_match(cpeset, node)
if node.nodeName == TAG_PLATFORM:
return self.language_match(cpeset, node)
elif cpel_dom.nodeName == TAG_PLATFORM:
for node in cpel_dom.childNodes:
if node.nodeName == TAG_LOGITEST:
return self.language_match(cpeset, node)
elif cpel_dom.nodeName == TAG_CPE:
cpename = cpel_dom.getAttribute(ATT_NAME)
wfn = CPELanguage2_3._unbind(cpename)
return CPELanguage2_3._fact_ref_eval(cpeset, wfn)
elif cpel_dom.nodeName == TAG_CHECK_CPE:
return CPELanguage2_3._check_fact_ref_Eval(cpel_dom)
elif cpel_dom.nodeName == TAG_LOGITEST:
count = 0
len = 0
answer = False
for node in cpel_dom.childNodes:
if node.nodeName.find('#') == 0:
continue
len = len + 1
result = self.language_match(cpeset, node)
if result:
count = count + 1
elif result == ERROR:
answer = ERROR
operator = cpel_dom.getAttribute(ATT_OP).upper()
if operator == ATT_OP_AND:
if count == len:
answer = True
elif operator == ATT_OP_OR:
if count > 0:
answer = True
operator_not = cpel_dom.getAttribute(ATT_NEGATE)
if operator_not:
if operator_not.upper() == ATT_NEGATE_TRUE and answer != ERROR:
answer = not answer
return answer
else:
return False
| language_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpeset, cpel_dom=None):\n TAG_ROOT = '#document'\n TAG_PLATSPEC = 'cpe:platform-specification'\n TAG_PLATFORM = 'cpe:platform'\n TAG_LOGITEST... |
def x(self, cpe):
if len(self) == 0:
return False
for k in self.K:
if k.cpe_str == cpe.cpe_str:
return True
if len(cpe) == 0:
return True
match = False
for p in CPE.CPE_PART_KEYS:
elems_cpe = cpe.get(p)
for ec in elems_cpe:
for k in self.K:
if len(k) >= len(cpe):
elems_k = k.get(p)
for ek in elems_k:
for c in range(0, len(cpe)):
key = CPEComponent.ordered_comp_parts[c]
comp_cpe = ec.get(key)
comp_k = ek.get(key)
match = comp_k in comp_cpe
if not match:
break
if match:
break
if match:
break
if not match:
return False
return True
| name_match | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cpe):\n if len(self) == 0:\n return False\n for k in self.K:\n if k.cpe_str == cpe.cpe_str:\n return True\n if len(cpe)... |
def x(self):
result = []
idx = 0
s = self._encoded_value
while idx < len(s):
c = s[idx]
if c in CPEComponent2_2.NON_STANDARD_VALUES:
result.append('\\')
result.append(c)
else:
result.append(c)
idx += 1
self._standard_value = ''.join(result)
| decode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n result = []\n idx = 0\n s = self._encoded_value\n while idx < len(s):\n c = s[idx]\n if c in CPEComponent2_2.NON_STANDARD_VA... |
def x(w, ids):
components = 0
marks = dict([(node, 0) for node in ids])
q = []
for node in ids:
if marks[node] == 0:
components += 1
q.append(node)
if components > 1:
return False
while q:
node = q.pop()
marks[node] = components
others = [neighbor for neighbor in w.neighbors[node] if
neighbor in ids]
for other in others:
if marks[other] == 0 and other not in q:
q.append(other)
return True
| is_component | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, ids):\n components = 0\n marks = dict([(node, 0) for node in ids])\n q = []\n for node in ids:\n if marks[node] == 0:\n compon... |
def x(w, neighbors, leaver):
ids = neighbors[:]
ids.remove(leaver)
return is_component(w, ids)
| check_contiguity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(w, neighbors, leaver):\n ids = neighbors[:]\n ids.remove(leaver)\n return is_component(w, ids)\n",
"role": "user"
},
{
"content": "check_c... |
def x(question, assume_yes=True):
if assume_yes:
suffix = 'Y/n'
else:
suffix = 'y/N'
while True:
response = input('{0} [{1}] '.format(question, suffix))
response = response.lower().strip()
if not response:
return assume_yes
if response in ['y', 'yes']:
return True
if response in ['n', 'no']:
return False
err = "I didn't understand you. Please specify '(y)es' or '(n)o'."
print(err, file=sys.stderr)
| confirm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(question, assume_yes=True):\n if assume_yes:\n suffix = 'Y/n'\n else:\n suffix = 'y/N'\n while True:\n response = input('{0} [{1}... |
def x(f):
@wraps(f)
def x(*args, **kwargs):
rv = f(*args, **kwargs)
return make_json_response(rv)
return wrapper
| jsonapi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f):\n\n @wraps(f)\n def x(*args, **kwargs):\n rv = f(*args, **kwargs)\n return make_json_response(rv)\n return wrapper\n",
"role": "... |
def x(c, tmp, package, version, git_url=None):
real_version = version[:]
source = None
if git_url:
pass
else:
cwd = os.getcwd()
print('Moving into temp dir %s' % tmp)
os.chdir(tmp)
try:
flags = '--download=. --build=build --no-use-wheel'
cmd = 'pip install %s %s==%s' % (flags, package, version)
c.run(cmd)
globs = []
globexpr = ''
for extension, opener in (('zip', 'unzip'), ('tgz', 'tar xzvf'),
('tar.gz', 'tar xzvf')):
globexpr = '*.{0}'.format(extension)
globs = glob(globexpr)
if globs:
break
archive = os.path.basename(globs[0])
source, _, _ = archive.rpartition('.{0}'.format(extension))
c.run('{0} {1}'.format(opener, globexpr))
finally:
os.chdir(cwd)
return real_version, source
| unpack | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, tmp, package, version, git_url=None):\n real_version = version[:]\n source = None\n if git_url:\n pass\n else:\n cwd = os.getcwd()... |
def x(c, distribution, version, vendor_dir, package=None, git_url=None,
license=None):
with tmpdir() as tmp:
package = package or distribution
target = os.path.join(vendor_dir, package)
real_version, source = _unpack(c, tmp, distribution, version, git_url)
abs_source = os.path.join(tmp, source)
source_package = os.path.join(abs_source, package)
if not os.path.exists(source_package):
rel_package = os.path.join(source, package)
raise ValueError("Source package %s doesn't exist!" % rel_package)
if os.path.exists(target):
print('Removing pre-existing vendorized folder %s' % target)
rmtree(target)
print('Copying %s => %s' % (source_package, target))
copytree(source_package, target)
if license:
copy(os.path.join(abs_source, license), target)
| vendorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, distribution, version, vendor_dir, package=None, git_url=None,\n license=None):\n with tmpdir() as tmp:\n package = package or distribution\n ... |
def x(c):
user = c.travis.sudo.user
password = c.travis.sudo.password
c.sudo('useradd {0} --create-home --groups travis'.format(user))
c.run('echo {0}:{1} | sudo chpasswd'.format(user, password))
conf = '/etc/sudoers.d/passworded'
cmd = "echo '{0} ALL=(ALL:ALL) PASSWD:ALL' > {1}".format(user, conf)
c.sudo('sh -c "{0}"'.format(cmd))
c.sudo('chmod g+w /home/travis')
| make_sudouser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n user = c.travis.sudo.user\n password = c.travis.sudo.password\n c.sudo('useradd {0} --create-home --groups travis'.format(user))\n c.run('ech... |
def x(c):
user = c.travis.sudo.user
home = '~{0}'.format(user)
c.config.sudo.user = user
ssh_dir = '{0}/.ssh'.format(home)
for cmd in ('mkdir {0}', 'chmod 0700 {0}'):
c.sudo(cmd.format(ssh_dir, user))
c.sudo('ssh-keygen -f {0}/id_rsa -N ""'.format(ssh_dir))
c.sudo('cp {0}/{{id_rsa.pub,authorized_keys}}'.format(ssh_dir))
| make_sshable | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n user = c.travis.sudo.user\n home = '~{0}'.format(user)\n c.config.sudo.user = user\n ssh_dir = '{0}/.ssh'.format(home)\n for cmd in ('mkdi... |
def x(c, command):
cmd = 'source $VIRTUAL_ENV/bin/activate && {}'.format(command)
c.sudo('bash -c "{0}"'.format(cmd), user=c.travis.sudo.user)
| sudo_run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, command):\n cmd = 'source $VIRTUAL_ENV/bin/activate && {}'.format(command)\n c.sudo('bash -c \"{0}\"'.format(cmd), user=c.travis.sudo.user)\n",
"r... |
def x(c):
if not PYTHON.startswith('3.6'):
msg = 'Not blackening, since Python {} != Python 3.6'.format(PYTHON)
print(msg, file=sys.stderr)
return
config = c.config.get('travis', {}).get('black', {})
version = config.get('version', '18.5b0')
c.run('pip install black=={}'.format(version))
checks.blacken(c, check=True, diff=True)
| blacken | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n if not PYTHON.startswith('3.6'):\n msg = 'Not blackening, since Python {} != Python 3.6'.format(PYTHON)\n print(msg, file=sys.stderr)\n ... |
def x(self, x, y):
x = np.array(x)
y = np.array(y)
n = len(y)
perm = list(range(n))
perm.sort(key=lambda a: (x[a], y[a]))
vals = y[perm]
ExtraY = 0
ExtraX = 0
ACount = 0
BCount = 0
CCount = 0
DCount = 0
ECount = 0
DCount = 0
Concordant = 0
Discordant = 0
li = [None] * (n - 1)
ri = [None] * (n - 1)
ld = np.zeros(n)
nequal = np.zeros(n)
for i in range(1, n):
NumBefore = 0
NumEqual = 1
root = 0
x0 = x[perm[i - 1]]
y0 = y[perm[i - 1]]
x1 = x[perm[i]]
y1 = y[perm[i]]
if x0 != x1:
DCount = 0
ECount = 1
elif y0 == y1:
ECount += 1
else:
DCount += ECount
ECount = 1
root = 0
inserting = True
while inserting:
current = y[perm[i]]
if current > y[perm[root]]:
NumBefore += 1 + ld[root] + nequal[root]
if ri[root] is None:
ri[root] = i
inserting = False
else:
root = ri[root]
elif current < y[perm[root]]:
ld[root] += 1
if li[root] is None:
li[root] = i
inserting = False
else:
root = li[root]
elif current == y[perm[root]]:
NumBefore += ld[root]
NumEqual += nequal[root] + 1
nequal[root] += 1
inserting = False
ACount = NumBefore - DCount
BCount = NumEqual - ECount
CCount = i - (ACount + BCount + DCount + ECount - 1)
ExtraY += DCount
ExtraX += BCount
Concordant += ACount
Discordant += CCount
cd = Concordant + Discordant
num = Concordant - Discordant
tau = num / np.sqrt((cd + ExtraX) * (cd + ExtraY))
v = (4.0 * n + 10) / (9.0 * n * (n - 1))
z = tau / np.sqrt(v)
pval = erfc(np.abs(z) / 1.4142136)
return tau, pval, Concordant, Discordant, ExtraX, ExtraY
| calc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n x = np.array(x)\n y = np.array(y)\n n = len(y)\n perm = list(range(n))\n perm.sort(key=lambda a: (x[a], y[a]))\n vals = y[perm... |
def x(self, func):
if inspect.isfunction(func):
func._methodview = self
elif inspect.ismethod(func):
func.__func__._methodview = self
else:
raise AssertionError('Can only decorate function and methods, {} given'
.format(func))
return func
| decorator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func):\n if inspect.isfunction(func):\n func._methodview = self\n elif inspect.ismethod(func):\n func.__func__._methodview = self\n ... |
def x(self, verb, params):
return (self.ifset is None or self.ifset <= params) and (self.ifnset is
None or self.ifnset.isdisjoint(params)) and (self.methods is None or
verb in self.methods)
| matches | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, verb, params):\n return (self.ifset is None or self.ifset <= params) and (self.ifnset is\n None or self.ifnset.isdisjoint(params)) and (self.me... |
def x(self, method, route_params):
method = method.upper()
route_params = frozenset(k for k, v in route_params.items() if v is not
None)
for view_name, info in self.methods_map[method].items():
if info.matches(method, route_params):
return getattr(self, view_name)
else:
return None
| match_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, route_params):\n method = method.upper()\n route_params = frozenset(k for k, v in route_params.items() if v is not\n None)\n for ... |
def x(cls, app, name, rules, *class_args, **class_kwargs):
view = super(MethodView, cls).as_view(name, *class_args, **class_kwargs)
for rule in rules:
app.add_url_rule(rule, view_func=view)
return view
| route_as_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, app, name, rules, *class_args, **class_kwargs):\n view = super(MethodView, cls).as_view(name, *class_args, **class_kwargs)\n for rule in rules:\n ... |
def x(P):
v, d = la.eig(np.transpose(P))
d = np.array(d)
mv = max(v)
i = v.tolist().index(mv)
row = abs(d[:, i])
return row / sum(row)
| steady_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(P):\n v, d = la.eig(np.transpose(P))\n d = np.array(d)\n mv = max(v)\n i = v.tolist().index(mv)\n row = abs(d[:, i])\n return row / sum(row)\... |
def x(P):
P = np.matrix(P)
k = P.shape[0]
A = np.zeros_like(P)
ss = steady_state(P).reshape(k, 1)
for i in range(k):
A[:, i] = ss
A = A.transpose()
I = np.identity(k)
Z = la.inv(I - P + A)
E = np.ones_like(Z)
A_diag = np.diag(A)
A_diag = A_diag + (A_diag == 0)
D = np.diag(1.0 / A_diag)
Zdg = np.diag(np.diag(Z))
M = (I - Z + E * Zdg) * D
return np.array(M)
| fmpt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(P):\n P = np.matrix(P)\n k = P.shape[0]\n A = np.zeros_like(P)\n ss = steady_state(P).reshape(k, 1)\n for i in range(k):\n A[:, i] = ss\n... |
def x(P):
P = np.matrix(P)
A = P ** 1000
n, k = A.shape
I = np.identity(k)
Z = la.inv(I - P + A)
E = np.ones_like(Z)
D = np.diag(1.0 / np.diag(A))
Zdg = np.diag(np.diag(Z))
M = (I - Z + E * Zdg) * D
ZM = Z * M
ZMdg = np.diag(np.diag(ZM))
W = M * (2 * Zdg * D - I) + 2 * (ZM - E * ZMdg)
return np.array(W - np.multiply(M, M))
| var_fmpt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(P):\n P = np.matrix(P)\n A = P ** 1000\n n, k = A.shape\n I = np.identity(k)\n Z = la.inv(I - P + A)\n E = np.ones_like(Z)\n D = np.diag(1... |
def x(c):
branch, release_type = _release_line(c)
if release_type is Release.UNDEFINED:
raise UndefinedReleaseType(
"You don't seem to be on a release-related branch; why are you trying to cut a release?"
)
"""
.. note::
Requires that one sets the ``packaging.changelog_file`` configuration
option; it should be a relative or absolute path to your
``changelog.rst`` (or whatever it's named in your project).
"""
changelog = parse_changelog(c.packaging.changelog_file, load_extensions
=True)
line_release, issues = _release_and_issues(changelog, branch, release_type)
overall_release = _versions_from_changelog(changelog)[-1]
current_version = load_version(c)
tags = _get_tags(c)
state = Lexicon({'branch': branch, 'release_type': release_type,
'changelog': changelog, 'latest_line_release': Version(line_release
) if line_release else None, 'latest_overall_release':
overall_release, 'unreleased_issues': issues, 'current_version':
Version(current_version), 'tags': tags})
latest_version, next_version = _latest_and_next_version(state)
state.latest_version = latest_version
state.next_version = next_version
state.expected_version = latest_version
if state.unreleased_issues:
state.expected_version = next_version
actions = Lexicon()
actions.changelog = Changelog.OKAY
if release_type in (Release.BUGFIX, Release.FEATURE) and issues:
actions.changelog = Changelog.NEEDS_RELEASE
actions.version = VersionFile.OKAY
if state.current_version != state.expected_version:
actions.version = VersionFile.NEEDS_BUMP
actions.tag = Tag.OKAY
if state.expected_version not in state.tags:
actions.tag = Tag.NEEDS_CUTTING
return actions, state
| converge | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n branch, release_type = _release_line(c)\n if release_type is Release.UNDEFINED:\n raise UndefinedReleaseType(\n \"You don't seem ... |
def x(c):
actions, state = _converge(c)
table = []
for component in 'changelog version tag'.split():
table.append((component.capitalize(), actions[component].value))
print(tabulate(table))
return actions, state
| status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n actions, state = _converge(c)\n table = []\n for component in 'changelog version tag'.split():\n table.append((component.capitalize(), ac... |
def x(c):
actions, state = status(c)
if not confirm('Take the above actions?'):
sys.exit('Aborting.')
if actions.changelog is Changelog.NEEDS_RELEASE:
cmd = '$EDITOR {0.packaging.changelog_file}'.format(c)
c.run(cmd, pty=True, hide=False)
if actions.version == VersionFile.NEEDS_BUMP:
version_file = os.path.join(_find_package(c), c.packaging.get(
'version_module', '_version') + '.py')
cmd = '$EDITOR {0}'.format(version_file)
c.run(cmd, pty=True, hide=False)
if actions.tag == Tag.NEEDS_CUTTING:
cmd = 'git status --porcelain | egrep -v "^\\?"'
if c.run(cmd, hide=True, warn=True).ok:
c.run('git commit -am "Cut {0}"'.format(state.expected_version),
hide=False)
c.run('git tag {0}'.format(state.expected_version), hide=False)
| prepare | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n actions, state = status(c)\n if not confirm('Take the above actions?'):\n sys.exit('Aborting.')\n if actions.changelog is Changelog.NEEDS... |
def x(c):
branch = c.run('git rev-parse --abbrev-ref HEAD', hide=True).stdout.strip()
type_ = Release.UNDEFINED
if BUGFIX_RE.match(branch):
type_ = Release.BUGFIX
if FEATURE_RE.match(branch):
type_ = Release.FEATURE
return branch, type_
| release_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n branch = c.run('git rev-parse --abbrev-ref HEAD', hide=True).stdout.strip()\n type_ = Release.UNDEFINED\n if BUGFIX_RE.match(branch):\n t... |
def x(changelog):
versions = [Version(x) for x in changelog if BUGFIX_RELEASE_RE.match(x)]
return sorted(versions)
| versions_from_changelog | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(changelog):\n versions = [Version(x) for x in changelog if BUGFIX_RELEASE_RE.match(x)]\n return sorted(versions)\n",
"role": "user"
},
{
"con... |
def x(changelog, branch, release_type):
bucket = branch
if release_type is Release.FEATURE:
bucket = _latest_feature_bucket(changelog)
issues = changelog[bucket]
release = None
if release_type is Release.BUGFIX:
versions = [text_type(x) for x in _versions_from_changelog(changelog)]
release = [x for x in versions if x.startswith(bucket)][-1]
return release, issues
| release_and_issues | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(changelog, branch, release_type):\n bucket = branch\n if release_type is Release.FEATURE:\n bucket = _latest_feature_bucket(changelog)\n issues... |
def x(c):
tags_ = []
for tagstr in c.run('git tag', hide=True).stdout.strip().split('\n'):
try:
tags_.append(Version(tagstr))
except ValueError:
pass
return sorted(tags_)
| get_tags | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n tags_ = []\n for tagstr in c.run('git tag', hide=True).stdout.strip().split('\\n'):\n try:\n tags_.append(Version(tagstr))\n ... |
def x(c):
configured_value = c.get('packaging', {}).get('package', None)
if configured_value:
return configured_value
packages = [path for path in os.listdir('.') if os.path.isdir(path) and
os.path.exists(os.path.join(path, '__init__.py')) and path not in (
'tests', 'integration', 'sites', 'vendor')]
if not packages:
sys.exit('Unable to find a local Python package!')
if len(packages) > 1:
sys.exit('Found multiple Python packages: {0!r}'.format(packages))
return packages[0]
| find_package | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n configured_value = c.get('packaging', {}).get('package', None)\n if configured_value:\n return configured_value\n packages = [path for pa... |
def x(c, sdist=True, wheel=False, directory=None, python=None, clean=True):
config = c.config.get('packaging', {})
sdist = config.get('sdist', sdist)
wheel = config.get('wheel', wheel)
python = config.get('python', python or 'python')
if not sdist and not wheel:
sys.exit(
'You said no sdists and no wheels...what DO you want to build exactly?'
)
if not directory:
directory = ''
dist_dir = os.path.join(directory, 'dist')
dist_arg = '-d {0}'.format(dist_dir)
build_dir = os.path.join(directory, 'build')
build_arg = '-b {0}'.format(build_dir)
if clean:
if os.path.exists(build_dir):
rmtree(build_dir)
parts = [python, 'setup.py']
if sdist:
parts.extend(('sdist', dist_arg))
if wheel:
parts.extend(('build', build_arg))
parts.extend(('bdist_wheel', dist_arg))
c.run(' '.join(parts))
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, sdist=True, wheel=False, directory=None, python=None, clean=True):\n config = c.config.get('packaging', {})\n sdist = config.get('sdist', sdist)\n ... |
def x(c, sdist=True, wheel=False, index=None, sign=False, dry_run=False,
directory=None, dual_wheels=False, alt_python=None, check_desc=False):
c.config.run.hide = False
config = c.config.get('packaging', {})
index = config.get('index', index)
sign = config.get('sign', sign)
dual_wheels = config.get('dual_wheels', dual_wheels)
check_desc = config.get('check_desc', check_desc)
if check_desc:
c.run('python setup.py check -r -s')
with tmpdir(skip_cleanup=dry_run, explicit=directory) as tmp:
build(c, sdist=sdist, wheel=wheel, directory=tmp)
if dual_wheels:
if not alt_python:
alt_python = 'python2'
if sys.version_info[0] == 2:
alt_python = 'python3'
build(c, sdist=False, wheel=True, directory=tmp, python=alt_python)
upload(c, directory=tmp, index=index, sign=sign, dry_run=dry_run)
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, sdist=True, wheel=False, index=None, sign=False, dry_run=False,\n directory=None, dual_wheels=False, alt_python=None, check_desc=False):\n c.config.ru... |
def x(c, directory, index=None, sign=False, dry_run=False):
archives = list(itertools.chain.from_iterable(glob(os.path.join(
directory, 'dist', '*.{0}'.format(extension))) for extension in (
'whl', 'tar.gz')))
if sign:
prompt = 'Please enter GPG passphrase for signing: '
input_ = StringIO(getpass.getpass(prompt) + '\n')
gpg_bin = find_gpg(c)
if not gpg_bin:
sys.exit(
'You need to have one of `gpg`, `gpg1` or `gpg2` installed to GPG-sign!'
)
for archive in archives:
cmd = '{0} --detach-sign -a --passphrase-fd 0 {{0}}'.format(gpg_bin
)
c.run(cmd.format(archive), in_stream=input_)
input_.seek(0)
parts = ['twine', 'upload']
if index:
index_arg = '--repository {0}'.format(index)
if index:
parts.append(index_arg)
paths = archives[:]
if sign:
paths.append(os.path.join(directory, 'dist', '*.asc'))
parts.extend(paths)
cmd = ' '.join(parts)
if dry_run:
print('Would publish via: {0}'.format(cmd))
print('Files that would be published:')
c.run('ls -l {0}'.format(' '.join(paths)))
else:
c.run(cmd)
| upload | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, directory, index=None, sign=False, dry_run=False):\n archives = list(itertools.chain.from_iterable(glob(os.path.join(\n directory, 'dist', '*.{0}'... |
def x(skip_cleanup=False, explicit=None):
tmp = explicit if explicit is not None else mkdtemp()
try:
yield tmp
finally:
if not skip_cleanup:
rmtree(tmp)
| tmpdir | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(skip_cleanup=False, explicit=None):\n tmp = explicit if explicit is not None else mkdtemp()\n try:\n yield tmp\n finally:\n if not skip_... |
def x(self, permutations=99, alternative='two.sided'):
rY = self.Y.copy()
idxs = np.arange(len(rY))
counts = np.zeros((permutations, len(self.counts)))
for m in range(permutations):
np.random.shuffle(idxs)
res = self._calc(rY[idxs, :], self.w, self.k)
counts[m] = res['counts']
self.counts_perm = counts
self.larger_perm = np.array([(counts[:, i] >= self.counts[i]).sum() for
i in range(self.k)])
self.smaller_perm = np.array([(counts[:, i] <= self.counts[i]).sum() for
i in range(self.k)])
self.expected_perm = counts.mean(axis=0)
self.alternative = alternative
alt = alternative.upper()
if alt == 'TWO.SIDED':
P = (self.larger_perm + 1) / (permutations + 1.0)
mask = P < 0.5
self.p = mask * 2 * P + (1 - mask) * 2 * (1 - P)
elif alt == 'POSITIVE':
POS = _POS8
if self.k == 4:
POS = _POS4
L = (self.larger_perm + 1) / (permutations + 1.0)
S = (self.smaller_perm + 1) / (permutations + 1.0)
P = POS * L + (1 - POS) * S
self.p = P
elif alt == 'NEGATIVE':
NEG = _NEG8
if self.k == 4:
NEG = _NEG4
L = (self.larger_perm + 1) / (permutations + 1.0)
S = (self.smaller_perm + 1) / (permutations + 1.0)
P = NEG * L + (1 - NEG) * S
self.p = P
else:
print('Bad option for alternative: %s.' % alternative)
| permute | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permutations=99, alternative='two.sided'):\n rY = self.Y.copy()\n idxs = np.arange(len(rY))\n counts = np.zeros((permutations, len(self.counts))... |
def x(self, attribute=None, ax=None, **kwargs):
from splot.giddy import dynamic_lisa_rose
fig, ax = dynamic_lisa_rose(self, attribute=attribute, ax=ax, **kwargs)
return fig, ax
| plot | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, attribute=None, ax=None, **kwargs):\n from splot.giddy import dynamic_lisa_rose\n fig, ax = dynamic_lisa_rose(self, attribute=attribute, ax=ax, **k... |
def x(self):
import matplotlib.cm as cm
import matplotlib.pyplot as plt
ax = plt.subplot(111)
xlim = [self._dx.min(), self._dx.max()]
ylim = [self._dy.min(), self._dy.max()]
for x, y in zip(self._dx, self._dy):
xs = [0, x]
ys = [0, y]
plt.plot(xs, ys, '-b')
plt.axis('equal')
plt.xlim(xlim)
plt.ylim(ylim)
| plot_origin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n import matplotlib.cm as cm\n import matplotlib.pyplot as plt\n ax = plt.subplot(111)\n xlim = [self._dx.min(), self._dx.max()]\n ylim =... |
def x(self, arrows=True):
from splot.giddy import dynamic_lisa_vectors
fig, ax = dynamic_lisa_vectors(self, arrows=arrows)
return fig, ax
| plot_vectors | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arrows=True):\n from splot.giddy import dynamic_lisa_vectors\n fig, ax = dynamic_lisa_vectors(self, arrows=arrows)\n return fig, ax\n",
"rol... |
def x(c):
if isdir(c.sphinx.target):
rmtree(c.sphinx.target)
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n if isdir(c.sphinx.target):\n rmtree(c.sphinx.target)\n",
"role": "user"
},
{
"content": "clean",
"role": "assistant"
}
] |
def x(c):
index = join(c.sphinx.target, c.sphinx.target_file)
c.run('open {0}'.format(index))
| browse | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n index = join(c.sphinx.target, c.sphinx.target_file)\n c.run('open {0}'.format(index))\n",
"role": "user"
},
{
"content": "browse",
... |
def x(c, clean=False, browse=False, nitpick=False, opts=None, source=None,
target=None):
if clean:
_clean(c)
if opts is None:
opts = ''
if nitpick:
opts += ' -n -W -T'
cmd = 'sphinx-build{0} {1} {2}'.format(' ' + opts if opts else '',
source or c.sphinx.source, target or c.sphinx.target)
c.run(cmd, pty=True)
if browse:
_browse(c)
| build | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, clean=False, browse=False, nitpick=False, opts=None, source=None,\n target=None):\n if clean:\n _clean(c)\n if opts is None:\n opts =... |
def x(c):
ignore = '.git|*.pyc|*.swp|dist|*.egg-info|_static|_build|_templates'
c.run('tree -Ca -I "{0}" {1}'.format(ignore, c.sphinx.source))
| tree | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n ignore = '.git|*.pyc|*.swp|dist|*.egg-info|_static|_build|_templates'\n c.run('tree -Ca -I \"{0}\" {1}'.format(ignore, c.sphinx.source))\n",
"r... |
def x(c):
docs_c = Context(config=c.config.clone())
www_c = Context(config=c.config.clone())
docs_c.update(**docs.configuration())
www_c.update(**www.configuration())
docs_c['run'].hide = True
www_c['run'].hide = True
docs['build'](docs_c)
www['build'](www_c)
docs_c['run'].hide = False
www_c['run'].hide = False
docs['build'](docs_c, nitpick=True)
www['build'](www_c, nitpick=True)
| sites | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n docs_c = Context(config=c.config.clone())\n www_c = Context(config=c.config.clone())\n docs_c.update(**docs.configuration())\n www_c.update(*... |
def x(c):
www_c = Context(config=c.config.clone())
www_c.update(**www.configuration())
www_handler = make_handler(ctx=www_c, task_=www['build'], regexes=[
'\\./README.rst', '\\./sites/www'], ignore_regexes=[
'.*/\\..*\\.swp', '\\./sites/www/_build'])
docs_c = Context(config=c.config.clone())
docs_c.update(**docs.configuration())
regexes = ['\\./sites/docs']
package = c.get('packaging', {}).get('package', None)
if package is None:
package = c.get('tests', {}).get('package', None)
if package:
regexes.append('\\./{}/'.format(package))
api_handler = make_handler(ctx=docs_c, task_=docs['build'], regexes=
regexes, ignore_regexes=['.*/\\..*\\.swp', '\\./sites/docs/_build'])
observe(www_handler, api_handler)
| watch_docs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c):\n www_c = Context(config=c.config.clone())\n www_c.update(**www.configuration())\n www_handler = make_handler(ctx=www_c, task_=www['build'], regex... |
def x(X, ids):
np.random.shuffle(ids)
return X[ids, :][:, ids]
| shuffle_matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(X, ids):\n np.random.shuffle(ids)\n return X[ids, :][:, ids]\n",
"role": "user"
},
{
"content": "shuffle_matrix",
"role": "assistant"
}... |
def x(matrix):
n = matrix.shape[0]
lowerlist = []
for i in range(n):
for j in range(n):
if i > j:
lowerlist.append(matrix[i, j])
veclen = n * (n - 1) / 2
lowvec = np.reshape(np.array(lowerlist), (int(veclen), 1))
return lowvec
| get_lower | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(matrix):\n n = matrix.shape[0]\n lowerlist = []\n for i in range(n):\n for j in range(n):\n if i > j:\n lowerlist.app... |
def x(c, line_length=79, folders=None, check=False, diff=False, find_opts=None
):
config = c.config.get('blacken', {})
default_folders = ['.']
configured_folders = config.get('folders', default_folders)
folders = folders or configured_folders
default_find_opts = ''
configured_find_opts = config.get('find_opts', default_find_opts)
find_opts = find_opts or configured_find_opts
black_command_line = 'black -l {}'.format(line_length)
if check:
black_command_line = '{} --check'.format(black_command_line)
if diff:
black_command_line = '{} --diff'.format(black_command_line)
if find_opts:
find_opts = ' {}'.format(find_opts)
else:
find_opts = ''
cmd = "find {} -name '*.py'{} | xargs {}".format(' '.join(folders),
find_opts, black_command_line)
c.run(cmd, pty=True)
| blacken | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(c, line_length=79, folders=None, check=False, diff=False, find_opts=None\n ):\n config = c.config.get('blacken', {})\n default_folders = ['.']\n co... |
def x(rv):
status = headers = None
if isinstance(rv, tuple):
rv, status, headers = rv + (None,) * (3 - len(rv))
return rv, status, headers
| normalize_response_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rv):\n status = headers = None\n if isinstance(rv, tuple):\n rv, status, headers = rv + (None,) * (3 - len(rv))\n return rv, status, headers\n"... |
def x(rv):
rv, status, headers = normalize_response_value(rv)
if isinstance(rv, JsonResponse):
return rv
return JsonResponse(rv, status, headers)
| make_json_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rv):\n rv, status, headers = normalize_response_value(rv)\n if isinstance(rv, JsonResponse):\n return rv\n return JsonResponse(rv, status, head... |
def x(p, measure='P', ini=None):
p = np.array(p)
k = p.shape[1]
if measure == 'P':
t = np.trace(p)
mobi = (k - t) / (k - 1)
elif measure == 'D':
mobi = 1 - abs(la.det(p))
elif measure == 'L2':
w, v = la.eig(p)
eigen_value_abs = abs(w)
mobi = 1 - np.sort(eigen_value_abs)[-2]
elif measure == 'B1':
if ini is None:
ini = 1.0 / k * np.ones(k)
mobi = (k - k * np.sum(ini * np.diag(p))) / (k - 1)
elif measure == 'B2':
mobi = 0
if ini is None:
ini = 1.0 / k * np.ones(k)
for i in range(k):
for j in range(k):
mobi = mobi + ini[i] * p[i, j] * abs(i - j)
mobi = mobi / (k - 1)
return mobi
| markov_mobility | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p, measure='P', ini=None):\n p = np.array(p)\n k = p.shape[1]\n if measure == 'P':\n t = np.trace(p)\n mobi = (k - t) / (k - 1)\n eli... |
def x(T1, T2):
rs2 = T2.sum(axis=1)
rs1 = T1.sum(axis=1)
rs2nz = rs2 > 0
rs1nz = rs1 > 0
dof1 = sum(rs1nz)
dof2 = sum(rs2nz)
rs2 = rs2 + (rs2 == 0)
dof = (dof1 - 1) * (dof2 - 1)
p = np.diag(1 / rs2) * np.matrix(T2)
E = np.diag(rs1) * np.matrix(p)
num = T1 - E
num = np.multiply(num, num)
E = E + (E == 0)
chi2 = num / E
chi2 = chi2.sum()
pvalue = 1 - stats.chi2.cdf(chi2, dof)
return chi2, pvalue, dof
| chi2 | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(T1, T2):\n rs2 = T2.sum(axis=1)\n rs1 = T1.sum(axis=1)\n rs2nz = rs2 > 0\n rs1nz = rs1 > 0\n dof1 = sum(rs1nz)\n dof2 = sum(rs2nz)\n rs2 =... |
def x(F):
F1 = F == 0
F1 = F + F1
FLF = F * np.log(F1)
T1 = 2 * FLF.sum()
FdJK = F.sum(axis=0)
FdJK1 = FdJK + (FdJK == 0)
FdJKLFdJK = FdJK * np.log(FdJK1)
T2 = 2 * FdJKLFdJK.sum()
FdJd = F.sum(axis=0).sum(axis=1)
FdJd1 = FdJd + (FdJd == 0)
T3 = 2 * (FdJd * np.log(FdJd1)).sum()
FIJd = F[:, :].sum(axis=1)
FIJd1 = FIJd + (FIJd == 0)
T4 = 2 * (FIJd * np.log(FIJd1)).sum()
T6 = F.sum()
T6 = 2 * T6 * np.log(T6)
s, r, r1 = F.shape
chom = T1 - T4 - T2 + T3
cdof = r * (s - 1) * (r - 1)
results = {}
results['Conditional homogeneity'] = chom
results['Conditional homogeneity dof'] = cdof
results['Conditional homogeneity pvalue'] = 1 - stats.chi2.cdf(chom, cdof)
return results
| kullback | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(F):\n F1 = F == 0\n F1 = F + F1\n FLF = F * np.log(F1)\n T1 = 2 * FLF.sum()\n FdJK = F.sum(axis=0)\n FdJK1 = FdJK + (FdJK == 0)\n FdJKLFdJ... |
def x(pmat):
pmat = np.array(pmat)
pr = 1 - np.diag(pmat)
return pr
| prais | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pmat):\n pmat = np.array(pmat)\n pr = 1 - np.diag(pmat)\n return pr\n",
"role": "user"
},
{
"content": "prais",
"role": "assistant"
... |
def x(transition_matrices, regime_names=[], class_names=[], title=
'Markov Homogeneity Test'):
return Homogeneity_Results(transition_matrices, regime_names=
regime_names, class_names=class_names, title=title)
| homogeneity | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(transition_matrices, regime_names=[], class_names=[], title=\n 'Markov Homogeneity Test'):\n return Homogeneity_Results(transition_matrices, regime_names... |
def x(p):
p = np.asarray(p)
pii = p.diagonal()
if not (1 - pii).all():
print('Sojourn times are infinite for absorbing states!')
return 1 / (1 - pii)
| sojourn_time | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n p = np.asarray(p)\n pii = p.diagonal()\n if not (1 - pii).all():\n print('Sojourn times are infinite for absorbing states!')\n return ... |
def x(self, y, w):
if self.discrete:
self.lclass_ids = weights.lag_categorical(w, self.class_ids, ties=
'tryself')
else:
ly = weights.lag_spatial(w, y)
self.lclass_ids, self.lag_cutoffs, self.m = self._maybe_classify(ly,
self.m, self.lag_cutoffs)
self.lclasses = np.arange(self.m)
T = np.zeros((self.m, self.k, self.k))
n, t = y.shape
for t1 in range(t - 1):
t2 = t1 + 1
for i in range(n):
T[self.lclass_ids[i, t1], self.class_ids[i, t1], self.class_ids
[i, t2]] += 1
P = np.zeros_like(T)
for i, mat in enumerate(T):
row_sum = mat.sum(axis=1)
row_sum = row_sum + (row_sum == 0)
p_i = np.matrix(np.diag(1.0 / row_sum) * np.matrix(mat))
P[i] = p_i
return T, P
| calc | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, w):\n if self.discrete:\n self.lclass_ids = weights.lag_categorical(w, self.class_ids, ties=\n 'tryself')\n else:\n ly ... |
def x(self, file_name=None):
class_names = [('C%d' % i) for i in range(self.k)]
regime_names = [('LAG%d' % i) for i in range(self.k)]
ht = homogeneity(self.T, class_names=class_names, regime_names=regime_names
)
title = 'Spatial Markov Test'
if self.variable_name:
title = title + ': ' + self.variable_name
if file_name:
ht.summary(file_name=file_name, title=title)
else:
ht.summary(title=title)
| summary | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, file_name=None):\n class_names = [('C%d' % i) for i in range(self.k)]\n regime_names = [('LAG%d' % i) for i in range(self.k)]\n ht = homogeneity... |
def x(self, y, k, cutoffs):
rows, cols = y.shape
if cutoffs is None:
if self.fixed:
mcyb = mc.Quantiles(y.flatten(), k=k)
yb = mcyb.yb.reshape(y.shape)
cutoffs = mcyb.bins
k = len(cutoffs)
return yb, cutoffs[:-1], k
else:
yb = np.array([mc.Quantiles(y[:, i], k=k).yb for i in np.arange
(cols)]).transpose()
return yb, None, k
else:
cutoffs = list(cutoffs) + [np.inf]
cutoffs = np.array(cutoffs)
yb = mc.User_Defined(y.flatten(), np.array(cutoffs)).yb.reshape(y.shape
)
k = len(cutoffs)
return yb, cutoffs[:-1], k
| maybe_classify | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, k, cutoffs):\n rows, cols = y.shape\n if cutoffs is None:\n if self.fixed:\n mcyb = mc.Quantiles(y.flatten(), k=k)\n ... |
def x(self, quadrant=1, neighbors_on=False):
n, k = self.q.shape
if self.permutations:
spill_over = np.zeros((n, k - 1))
components = np.zeros((n, k))
i2id = {}
for key in list(self.w.neighbors.keys()):
idx = self.w.id2i[key]
i2id[idx] = key
sig_lisas = (self.q == quadrant) * (self.p_values <= self.
significance_level)
sig_ids = [np.nonzero(sig_lisas[:, i])[0].tolist() for i in range(k)]
neighbors = self.w.neighbors
for t in range(k - 1):
s1 = sig_ids[t]
s2 = sig_ids[t + 1]
g1 = Graph(undirected=True)
for i in s1:
for neighbor in neighbors[i2id[i]]:
g1.add_edge(i2id[i], neighbor, 1.0)
if neighbors_on:
for nn in neighbors[neighbor]:
g1.add_edge(neighbor, nn, 1.0)
components1 = g1.connected_components(op=gt)
components1 = [list(c.nodes) for c in components1]
g2 = Graph(undirected=True)
for i in s2:
for neighbor in neighbors[i2id[i]]:
g2.add_edge(i2id[i], neighbor, 1.0)
if neighbors_on:
for nn in neighbors[neighbor]:
g2.add_edge(neighbor, nn, 1.0)
components2 = g2.connected_components(op=gt)
components2 = [list(c.nodes) for c in components2]
c2 = []
c1 = []
for c in components2:
c2.extend(c)
for c in components1:
c1.extend(c)
new_ids = [j for j in c2 if j not in c1]
spill_ids = []
for j in new_ids:
cj = [c for c in components2 if j in c][0]
for i in cj:
if i in c1:
spill_ids.append(j)
break
for spill_id in spill_ids:
id = self.w.id2i[spill_id]
spill_over[id, t] = 1
for c, component in enumerate(components1):
for i in component:
ii = self.w.id2i[i]
components[ii, t] = c + 1
results = {}
results['components'] = components
results['spill_over'] = spill_over
return results
else:
return None
| spillover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, quadrant=1, neighbors_on=False):\n n, k = self.q.shape\n if self.permutations:\n spill_over = np.zeros((n, k - 1))\n components = np.... |
def x(entity):
ins = entity if isinstance(entity, InstanceState) else inspect(entity)
return set(ins.mapper.column_attrs.keys() + ins.mapper.relationships.keys()
)
| get_entity_propnames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entity):\n ins = entity if isinstance(entity, InstanceState) else inspect(entity)\n return set(ins.mapper.column_attrs.keys() + ins.mapper.relationships.... |
def x(entity):
ins = inspect(entity)
keynames = get_entity_propnames(ins)
if not ins.transient:
keynames -= ins.unloaded
if ins.expired:
keynames |= ins.expired_attributes
return keynames
| get_entity_loaded_propnames | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(entity):\n ins = inspect(entity)\n keynames = get_entity_propnames(ins)\n if not ins.transient:\n keynames -= ins.unloaded\n if ins.expired:... |
def x(self):
clone = self.clone()
clone.minor += 1
clone.patch = 0
return clone
| next_minor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n clone = self.clone()\n clone.minor += 1\n clone.patch = 0\n return clone\n",
"role": "user"
},
{
"content": "next_minor",
... |
def x(name, encoding_to_check, alternative_encoding, source=None):
assert name is not None
if encoding_to_check not in (alternative_encoding, 'chardet', None):
try:
"""""".encode(encoding_to_check)
except LookupError:
raise pygount.common.OptionError(
'{0} is "{1}" but must be "{2}" or a known Python encoding'
.format(name, encoding_to_check, alternative_encoding), source)
| check_encoding | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, encoding_to_check, alternative_encoding, source=None):\n assert name is not None\n if encoding_to_check not in (alternative_encoding, 'chardet', No... |
def x(text):
assert text is not None
assert '\r' not in text
previous_newline_index = 0
newline_index = text.find('\n')
while newline_index != -1:
yield text[previous_newline_index:newline_index]
previous_newline_index = newline_index + 1
newline_index = text.find('\n', previous_newline_index)
last_line = text[previous_newline_index:]
if last_line != '':
yield last_line
| lines | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n assert text is not None\n assert '\\r' not in text\n previous_newline_index = 0\n newline_index = text.find('\\n')\n while newline_inde... |
def x(source_lines, generated_regexes, max_line_count=15):
initial_numbers_and_lines = enumerate(itertools.islice(source_lines,
max_line_count))
matching_number_line_and_regexps = ((number, line, matching_regex) for
number, line in initial_numbers_and_lines for matching_regex in
generated_regexes if matching_regex.match(line))
possible_first_matching_number_line_and_regexp = list(itertools.islice(
matching_number_line_and_regexps, 1))
result = (possible_first_matching_number_line_and_regexp + [None])[0]
return result
| matching_number_line_and_regex | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_lines, generated_regexes, max_line_count=15):\n initial_numbers_and_lines = enumerate(itertools.islice(source_lines,\n max_line_count))\n m... |
def x(tokens):
is_after_colon = True
for token_type, token_text in tokens:
if is_after_colon and token_type in pygments.token.String:
token_type = pygments.token.Comment
elif token_text == ':':
is_after_colon = True
elif token_type not in pygments.token.Comment:
is_whitespace = len(token_text.rstrip(' \x0c\n\r\t')) == 0
if not is_whitespace:
is_after_colon = False
yield token_type, token_text
| pythonized_comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tokens):\n is_after_colon = True\n for token_type, token_text in tokens:\n if is_after_colon and token_type in pygments.token.String:\n ... |
def x(source_path, encoding='automatic', fallback_encoding=None):
assert encoding is not None
if encoding == 'automatic':
with open(source_path, 'rb') as source_file:
heading = source_file.read(128)
result = None
if len(heading) == 0:
result = 'utf-8'
if result is None:
for bom, encoding in _BOM_TO_ENCODING_MAP.items():
if heading[:len(bom)] == bom:
result = encoding
break
if result is None:
ascii_heading = heading.decode('ascii', errors='replace')
ascii_heading = ascii_heading.replace('\r\n', '\n')
ascii_heading = ascii_heading.replace('\r', '\n')
ascii_heading = '\n'.join(ascii_heading.split('\n')[:2]) + '\n'
coding_magic_match = _CODING_MAGIC_REGEX.match(ascii_heading)
if coding_magic_match is not None:
result = coding_magic_match.group('encoding')
else:
first_line = ascii_heading.split('\n')[0]
xml_prolog_match = _XML_PROLOG_REGEX.match(first_line)
if xml_prolog_match is not None:
result = xml_prolog_match.group('encoding')
elif encoding == 'chardet':
assert _detector is not None, 'without chardet installed, encoding="chardet" must be rejected before calling encoding_for()'
_detector.reset()
with open(source_path, 'rb') as source_file:
for line in source_file.readlines():
_detector.feed(line)
if _detector.done:
break
result = _detector.result['encoding']
if result is None:
_log.warning(
'%s: chardet cannot determine encoding, assuming fallback encoding %s'
, source_path, fallback_encoding)
result = fallback_encoding
else:
result = encoding
if result is None:
if fallback_encoding is not None:
result = fallback_encoding
else:
try:
with open(source_path, 'r', encoding='utf-8') as source_file:
source_file.read()
result = 'utf-8'
except UnicodeDecodeError:
result = DEFAULT_FALLBACK_ENCODING
_log.debug('%s: no fallback encoding specified, using %s',
source_path, result)
assert result is not None
return result
| encoding_for | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_path, encoding='automatic', fallback_encoding=None):\n assert encoding is not None\n if encoding == 'automatic':\n with open(source_path, '... |
def x(source_path):
result = bool(pygments.lexers.find_lexer_class_for_filename(source_path))
if not result:
suffix = os.path.splitext(os.path.basename(source_path))[1].lstrip('.')
result = suffix in _SUFFIX_TO_FALLBACK_LEXER_MAP
return result
| has_lexer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_path):\n result = bool(pygments.lexers.find_lexer_class_for_filename(source_path))\n if not result:\n suffix = os.path.splitext(os.path.bas... |
def x(source_path, group, encoding='automatic', fallback_encoding='cp1252',
generated_regexes=pygount.common.regexes_from(
DEFAULT_GENERATED_PATTERNS_TEXT), duplicate_pool=None):
assert encoding is not None
assert generated_regexes is not None
result = None
lexer = None
source_code = None
source_size = os.path.getsize(source_path)
if source_size == 0:
_log.info('%s: is empty', source_path)
result = pseudo_source_analysis(source_path, group, SourceState.empty)
elif is_binary_file(source_path):
_log.info('%s: is binary', source_path)
result = pseudo_source_analysis(source_path, group, SourceState.binary)
elif not has_lexer(source_path):
_log.info('%s: unknown language', source_path)
result = pseudo_source_analysis(source_path, group, SourceState.unknown
)
elif duplicate_pool is not None:
duplicate_path = duplicate_pool.duplicate_path(source_path)
if duplicate_path is not None:
_log.info('%s: is a duplicate of %s', source_path, duplicate_path)
result = pseudo_source_analysis(source_path, group, SourceState
.duplicate, duplicate_path)
if result is None:
if encoding in ('automatic', 'chardet'):
encoding = encoding_for(source_path, encoding, fallback_encoding)
try:
with open(source_path, 'r', encoding=encoding) as source_file:
source_code = source_file.read()
except (LookupError, OSError, UnicodeError) as error:
_log.warning('cannot read %s using encoding %s: %s',
source_path, encoding, error)
result = pseudo_source_analysis(source_path, group, SourceState
.error, error)
if result is None:
lexer = guess_lexer(source_path, source_code)
assert lexer is not None
if result is None and len(generated_regexes) != 0:
number_line_and_regex = matching_number_line_and_regex(pygount.
common.lines(source_code), generated_regexes)
if number_line_and_regex is not None:
number, _, regex = number_line_and_regex
message = 'line {0} matches {1}'.format(number, regex)
_log.info('%s: is generated code because %s', source_path, message)
result = pseudo_source_analysis(source_path, group, SourceState
.generated, message)
if result is None:
assert lexer is not None
assert source_code is not None
language = lexer.name
if 'xml' in language.lower() or language == 'Genshi':
dialect = pygount.xmldialect.xml_dialect(source_path, source_code)
if dialect is not None:
language = dialect
_log.info('%s: analyze as %s using encoding %s', source_path,
language, encoding)
mark_to_count_map = {'c': 0, 'd': 0, 'e': 0, 's': 0}
for line_parts in _line_parts(lexer, source_code):
mark_to_increment = 'e'
for mark_to_check in ('d', 's', 'c'):
if mark_to_check in line_parts:
mark_to_increment = mark_to_check
mark_to_count_map[mark_to_increment] += 1
result = SourceAnalysis(path=source_path, language=language, group=
group, code=mark_to_count_map['c'], documentation=
mark_to_count_map['d'], empty=mark_to_count_map['e'], string=
mark_to_count_map['s'], state=SourceState.analyzed.name,
state_info=None)
assert result is not None
return result
| source_analysis | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source_path, group, encoding='automatic', fallback_encoding='cp1252',\n generated_regexes=pygount.common.regexes_from(\n DEFAULT_GENERATED_PATTERNS_TEXT)... |
def x(img, mask, inplace=False, replace_all=False, max_dev=1e-05, max_iter=
20, order=2):
if inplace:
out = img
else:
out = img.copy()
lastm = 0
for _ in range(max_iter):
out2 = polyfit2dGrid(out, mask, order=order, copy=not inplace,
replace_all=replace_all)
if replace_all:
out = out2
break
res = np.abs(out2 - out).mean()
print('residuum: ', res)
if res < max_dev:
out = out2
break
out = out2
mask = _highGrad(out)
m = mask.sum()
if m == lastm or m == img.size:
break
lastm = m
out = np.clip(out, 0, 1, out=out)
return out
| polynomial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img, mask, inplace=False, replace_all=False, max_dev=1e-05, max_iter=\n 20, order=2):\n if inplace:\n out = img\n else:\n out = img.copy... |
def x(scale, measExpTime, n_events_in_expTime, event_duration, std,
points_per_time=100, n_repetitions=300):
ntimes = 10
s1 = measExpTime * scale * 10
p2 = np.logspace(-4, 4, 18, base=2)
t = np.linspace(0, s1, ntimes * points_per_time * s1)
err = None
for rr in range(n_repetitions):
f = _flux(t, n_events_in_expTime, event_duration, std)
e = np.array([_capture(f, t, measExpTime, pp) for pp in p2])
if err is None:
err = e
else:
err += e
err /= rr + 1
try:
fac = findXAt(err, p2, 1)
except:
fac = 1
err /= fac
return p2, err, t, f
| errorDist | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scale, measExpTime, n_events_in_expTime, event_duration, std,\n points_per_time=100, n_repetitions=300):\n ntimes = 10\n s1 = measExpTime * scale * 10... |
def x(std=1, dur1=1, dur2=3, dur3=0.2, n1=0.5, n2=0.5, n3=2):
np.random.seed(123)
t = np.linspace(0, 10, 100)
f0 = _flux(t, n1, dur1, std, offs=0)
f1 = _flux(t, n2, dur2, std, offs=0)
f2 = _flux(t, n3, dur3, std, offs=0)
return t, f0, f1, f2
| exampleSignals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(std=1, dur1=1, dur2=3, dur3=0.2, n1=0.5, n2=0.5, n3=2):\n np.random.seed(123)\n t = np.linspace(0, 10, 100)\n f0 = _flux(t, n1, dur1, std, offs=0)\n ... |
def x(t, n, duration, std, offs=1):
duration *= len(t) / t[-1]
duration = int(max(duration, 1))
pos = []
n *= t[-1]
pp = np.arange(len(t))
valid = np.ones_like(t, dtype=bool)
for _ in range(int(round(n))):
try:
ppp = np.random.choice(pp[valid], 1)[0]
pos.append(ppp)
valid[max(0, ppp - duration - 1):ppp + duration + 1] = False
except ValueError:
break
sign = np.random.randint(0, 2, len(pos))
sign[sign == 0] = -1
out = np.zeros_like(t)
amps = np.random.normal(loc=0, scale=1, size=len(pos))
if duration > 2:
evt = gaussian(duration, duration)
evt -= evt[0]
else:
evt = np.ones(shape=duration)
for s, p, a in zip(sign, pos, amps):
pp = duration
if p + duration > len(out):
pp = len(out) - p
out[p:p + pp] = s * a * evt[:pp]
out /= out.std() / std
out += offs
return out
| flux | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(t, n, duration, std, offs=1):\n duration *= len(t) / t[-1]\n duration = int(max(duration, 1))\n pos = []\n n *= t[-1]\n pp = np.arange(len(t))\n... |
def x(f, t, t0, factor):
n_per_sec = len(t) / t[-1]
n = int(t0 * factor * n_per_sec)
s = len(f) // n
m = s * n
f = f[:m]
ff = np.split(f, s)
m = np.mean(ff, axis=1)
return np.std(m)
| capture | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, t, t0, factor):\n n_per_sec = len(t) / t[-1]\n n = int(t0 * factor * n_per_sec)\n s = len(f) // n\n m = s * n\n f = f[:m]\n ff = np.split(... |
def x(shape, angularField=60):
cy = int(shape[0] / 2)
cx = int(shape[1] / 2)
fx = fy = cx / np.tan(angularField / 2 * np.pi / 180)
return np.array([[fx, 0, cx], [0, fy, cy], [0, 0, 1]], dtype=np.float32)
| genericCameraMatrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(shape, angularField=60):\n cy = int(shape[0] / 2)\n cx = int(shape[1] / 2)\n fx = fy = cx / np.tan(angularField / 2 * np.pi / 180)\n return np.arra... |
def x(img, ksize=5, blurred=None):
if ksize not in (list, tuple):
ksize = ksize, ksize
if blurred is None:
blurred = gaussian_filter(img, ksize)
else:
assert blurred.shape == img.shape
std = np.empty_like(img)
_calc(img, ksize[0], ksize[1], blurred, std)
return std
| standardDeviation2d | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img, ksize=5, blurred=None):\n if ksize not in (list, tuple):\n ksize = ksize, ksize\n if blurred is None:\n blurred = gaussian_filter(img,... |
def x(arr, mask, ksize=30, fill_mask=True, fn='median'):
if fill_mask:
mask1 = mask
out = arr
else:
mask1 = ~mask
out = np.full_like(arr, fill_value=np.nan)
mask2 = ~mask
if fn == 'mean':
_calcMean(arr, mask1, mask2, out, ksize // 2)
else:
buff = np.empty(shape=ksize * ksize, dtype=arr.dtype)
_calcMedian(arr, mask1, mask2, out, ksize // 2, buff)
return out
| maskedFilter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arr, mask, ksize=30, fill_mask=True, fn='median'):\n if fill_mask:\n mask1 = mask\n out = arr\n else:\n mask1 = ~mask\n out =... |
def x(imgs, bg):
f = FlatFieldFromImgFit(imgs, bg)
return f.result, f.mask
| vignettingFromDifferentObjects | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(imgs, bg):\n f = FlatFieldFromImgFit(imgs, bg)\n return f.result, f.mask\n",
"role": "user"
},
{
"content": "vignettingFromDifferentObjects",... |
def x(i1, i2, ibg=0, allow_color_images=False):
i1 = np.asfarray(i1)
i2 = np.asfarray(i2)
if ibg is not 0:
ibg = np.asfarray(ibg)
assert i1.shape == ibg.shape, 'all input images need to have the same resolution'
assert i1.shape == i2.shape, 'all input images need to have the same resolution'
if not allow_color_images:
assert i1.ndim == 2, 'Images need to be in grayscale according to the IEC standard'
signal = 0.5 * (i1 + i2) - ibg
noise = 0.5 ** 0.5 * np.abs(i1 - i2) * (2 / np.pi) ** -0.5
if signal.ndim == 3:
signal = np.average(signal, axis=2, weights=(0.114, 0.587, 0.299))
noise = np.average(noise, axis=2, weights=(0.114, 0.587, 0.299))
signal = signal.sum()
noise = noise.sum()
return signal / noise
| SNR_IEC | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(i1, i2, ibg=0, allow_color_images=False):\n i1 = np.asfarray(i1)\n i2 = np.asfarray(i2)\n if ibg is not 0:\n ibg = np.asfarray(ibg)\n as... |
def x(img, angle):
s = img.shape
if angle == 0:
return img
else:
M = cv2.getRotationMatrix2D((s[1] // 2, s[0] // 2), angle, 1)
return cv2.warpAffine(img, M, (s[1], s[0]))
| rotate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img, angle):\n s = img.shape\n if angle == 0:\n return img\n else:\n M = cv2.getRotationMatrix2D((s[1] // 2, s[0] // 2), angle, 1)\n ... |
def x(self, img_rgb, overlap, overlapDeviation, rotation, rotationDeviation):
if len(img_rgb.shape) != len(img_rgb.shape):
raise Exception('number of channels(colors) for both images different')
if overlapDeviation == 0 and rotationDeviation == 0:
return 0, overlap, rotation
s = self.base_img_rgb.shape
ho = int(round(overlap * 0.5))
overlap = int(round(overlap))
imgcut = self.base_img_rgb[s[0] - overlapDeviation - overlap:, :]
template = img_rgb[:overlap, ho:s[1] - ho]
def x(angle):
rotTempl = self._rotate(template, angle)
fn.res = cv2.matchTemplate(rotTempl.astype(np.float32), imgcut.
astype(np.float32), cv2.TM_CCORR_NORMED)
return 1 / fn.res.mean()
if rotationDeviation == 0:
angle = rotation
fn(rotation)
else:
angle = brent(fn, brack=(rotation - rotationDeviation, rotation +
rotationDeviation))
loc = cv2.minMaxLoc(fn.res)[-1]
offsx = int(round(loc[0] - ho))
offsy = overlapDeviation + overlap - loc[1]
return offsx, offsy, angle
| findOverlap | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, img_rgb, overlap, overlapDeviation, rotation, rotationDeviation):\n if len(img_rgb.shape) != len(img_rgb.shape):\n raise Exception('number of c... |
def x(imgs1, imgs2=None, mn_mx=None, nbins=100):
if imgs2 is None:
imgs2 = [None] * len(imgs1)
else:
assert len(imgs1) == len(imgs2)
y_vals = np.empty((len(imgs1), nbins))
w_vals = np.zeros((len(imgs1), nbins))
if mn_mx is None:
print('estimating min and max image value')
mn = 1000000.0
mx = -1000000.0
for n, i1 in enumerate(imgs1):
print('%s/%s' % (n + 1, len(imgs1)))
i1 = imread(i1)
mmn, mmx = _getMinMax(i1)
mn = min(mn, mmn)
mx = mx = max(mx, mmx)
print('--> min(%s), max(%s)' % (mn, mx))
else:
mn, mx = mn_mx
x = None
print('get noise level function')
for n, (i1, i2) in enumerate(zip(imgs1, imgs2)):
print('%s/%s' % (n + 1, len(imgs1)))
i1 = imread(i1)
if i2 is not None:
i2 = imread(i2)
x, y, weights, _ = calcNLF(i1, i2, mn_mx_nbins=(mn, mx, nbins), x=x)
y_vals[n] = y
w_vals[n] = weights
filledPos = np.sum(w_vals, axis=0) != 0
w_vals = w_vals[:, filledPos]
y_vals = y_vals[:, filledPos]
x = x[filledPos]
y_avg = np.average(np.nan_to_num(y_vals), weights=w_vals, axis=0)
w_vals = np.sum(w_vals, axis=0)
w_vals /= w_vals.sum()
fitParams, fn, i = _evaluate(x, y_avg, w_vals)
return x, fn, y_avg, y_vals, w_vals, fitParams, i
| estimateFromImages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(imgs1, imgs2=None, mn_mx=None, nbins=100):\n if imgs2 is None:\n imgs2 = [None] * len(imgs1)\n else:\n assert len(imgs1) == len(imgs2)\n ... |
def x(x, y, weights):
i = _validI(x, y, weights)
xx = x[i]
y = y[i]
try:
fitParams = _fit(xx, y)
minY = function(xx[0], *fitParams)
fitParams = np.insert(fitParams, 0, minY)
fn = lambda x, minY=minY: boundedFunction(x, *fitParams)
except RuntimeError:
print(
"couldn't fit noise function with filtered indices, use polynomial fit instead"
)
fitParams = None
fn = smooth(xx, y, weights[i])
return fitParams, fn, i
| evaluate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, weights):\n i = _validI(x, y, weights)\n xx = x[i]\n y = y[i]\n try:\n fitParams = _fit(xx, y)\n minY = function(xx[0], *fitPar... |
def x(x, minY, ax, ay):
y = function(x, ax, ay)
return np.maximum(np.nan_to_num(y), minY)
| boundedFunction | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, minY, ax, ay):\n y = function(x, ax, ay)\n return np.maximum(np.nan_to_num(y), minY)\n",
"role": "user"
},
{
"content": "boundedFunction",... |
def x(x, ax, ay):
with np.errstate(invalid='ignore'):
return ay * (x - ax) ** 0.5
| function | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, ax, ay):\n with np.errstate(invalid='ignore'):\n return ay * (x - ax) ** 0.5\n",
"role": "user"
},
{
"content": "function",
"role"... |
def x(x, y, weights):
i = np.logical_and(np.isfinite(y), weights > np.median(weights))
try:
grad = np.abs(np.gradient(y[i]))
max_gradient = 4 * np.median(grad)
i[i][grad > max_gradient] = False
except (IndexError, ValueError):
pass
return i
| validI | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, weights):\n i = np.logical_and(np.isfinite(y), weights > np.median(weights))\n try:\n grad = np.abs(np.gradient(y[i]))\n max_gradient... |
def x(x, y, weights):
p = np.polyfit(x, y, w=weights, deg=2)
if np.any(np.isnan(p)):
my = np.average(y, weights=weights)
return lambda x: my
return lambda xint: np.poly1d(p)(np.clip(xint, x[0], x[-1]))
| smooth | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x, y, weights):\n p = np.polyfit(x, y, w=weights, deg=2)\n if np.any(np.isnan(p)):\n my = np.average(y, weights=weights)\n return lambda x:... |
def x(img, img2=None, signal=None):
x, y, weights, signal = calcNLF(img, img2, signal)
_, fn, _ = _evaluate(x, y, weights)
return fn, signal
| oneImageNLF | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(img, img2=None, signal=None):\n x, y, weights, signal = calcNLF(img, img2, signal)\n _, fn, _ = _evaluate(x, y, weights)\n return fn, signal\n",
"... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.