source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, type, role=None, relation=None, iob=None):
if (type is None or type == OUTSIDE) and (role is None or role == OUTSIDE
) and (relation is None or relation == OUTSIDE):
return
if iob != BEGIN and self.chunks and self.chunks[-1
].type == type and self._relation == (relation, role) and self.words[-2
].chunk is not None:
self.chunks[-1].append(self.words[-1])
else:
ch = Chunk(self, [self.words[-1]], type, role, relation)
self.chunks.append(ch)
self._relation = relation, role
|
do_chunk
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, type, role=None, relation=None, iob=None):\n if (type is None or type == OUTSIDE) and (role is None or role == OUTSIDE\n ) and (relation is None or relation == OUTSIDE):\n return\n if iob != BEGIN and self.chunks and self.chunks[-1\n ].type == type and self._relation == (relation, role) and self.words[-2\n ].chunk is not None:\n self.chunks[-1].append(self.words[-1])\n else:\n ch = Chunk(self, [self.words[-1]], type, role, relation)\n self.chunks.append(ch)\n self._relation = relation, role\n",
"role": "user"
},
{
"content": "do_chunk",
"role": "assistant"
}
] |
def x(self):
if self.chunks:
ch = self.chunks[-1]
for relation, role in ch.relations:
if role == 'SBJ' or role == 'OBJ':
self.relations[role][relation] = ch
if ch.type in ('VP',):
self.relations[ch.type][ch.relation] = ch
|
do_relation
|
[
{
"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.chunks:\n ch = self.chunks[-1]\n for relation, role in ch.relations:\n if role == 'SBJ' or role == 'OBJ':\n self.relations[role][relation] = ch\n if ch.type in ('VP',):\n self.relations[ch.type][ch.relation] = ch\n",
"role": "user"
},
{
"content": "do_relation",
"role": "assistant"
}
] |
def x(self, pnp, anchor=None):
if anchor or pnp and pnp.endswith('PNP'):
if anchor is not None:
m = find(lambda x: x.startswith('P'), anchor)
else:
m = None
if self.pnp and pnp and pnp != OUTSIDE and pnp.startswith('B-'
) is False and self.words[-2].pnp is not None:
self.pnp[-1].append(self.words[-1])
elif m is not None and m == self._attachment:
self.pnp[-1].append(self.words[-1])
else:
ch = PNPChunk(self, [self.words[-1]], type='PNP')
self.pnp.append(ch)
self._attachment = m
|
do_pnp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pnp, anchor=None):\n if anchor or pnp and pnp.endswith('PNP'):\n if anchor is not None:\n m = find(lambda x: x.startswith('P'), anchor)\n else:\n m = None\n if self.pnp and pnp and pnp != OUTSIDE and pnp.startswith('B-'\n ) is False and self.words[-2].pnp is not None:\n self.pnp[-1].append(self.words[-1])\n elif m is not None and m == self._attachment:\n self.pnp[-1].append(self.words[-1])\n else:\n ch = PNPChunk(self, [self.words[-1]], type='PNP')\n self.pnp.append(ch)\n self._attachment = m\n",
"role": "user"
},
{
"content": "do_pnp",
"role": "assistant"
}
] |
def x(self, anchor):
if anchor:
for x in anchor.split('-'):
A, P = None, None
if x.startswith('A') and len(self.chunks) > 0:
A, P = x, x.replace('A', 'P')
self._anchors[A] = self.chunks[-1]
if x.startswith('P') and len(self.pnp) > 0:
A, P = x.replace('P', 'A'), x
self._anchors[P] = self.pnp[-1]
if A in self._anchors and P in self._anchors and not self._anchors[
P].anchor:
pnp = self._anchors[P]
pnp.anchor = self._anchors[A]
pnp.anchor.attachments.append(pnp)
|
do_anchor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, anchor):\n if anchor:\n for x in anchor.split('-'):\n A, P = None, None\n if x.startswith('A') and len(self.chunks) > 0:\n A, P = x, x.replace('A', 'P')\n self._anchors[A] = self.chunks[-1]\n if x.startswith('P') and len(self.pnp) > 0:\n A, P = x.replace('P', 'A'), x\n self._anchors[P] = self.pnp[-1]\n if A in self._anchors and P in self._anchors and not self._anchors[\n P].anchor:\n pnp = self._anchors[P]\n pnp.anchor = self._anchors[A]\n pnp.anchor.attachments.append(pnp)\n",
"role": "user"
},
{
"content": "do_anchor",
"role": "assistant"
}
] |
def x(self, _and=('and', 'e', 'en', 'et', 'und', 'y')):
w = self.words
if len(w) > 2 and w[-2].type == 'CC' and w[-2].chunk is None:
cc = w[-2].string.lower() in _and and AND or OR
ch1 = w[-3].chunk
ch2 = w[-1].chunk
if ch1 is not None and ch2 is not None:
ch1.conjunctions.append(ch2, cc)
ch2.conjunctions.append(ch1, cc)
|
do_conjunction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _and=('and', 'e', 'en', 'et', 'und', 'y')):\n w = self.words\n if len(w) > 2 and w[-2].type == 'CC' and w[-2].chunk is None:\n cc = w[-2].string.lower() in _and and AND or OR\n ch1 = w[-3].chunk\n ch2 = w[-1].chunk\n if ch1 is not None and ch2 is not None:\n ch1.conjunctions.append(ch2, cc)\n ch2.conjunctions.append(ch1, cc)\n",
"role": "user"
},
{
"content": "do_conjunction",
"role": "assistant"
}
] |
def x(self, index, tag=LEMMA):
if tag == WORD:
return self.words[index]
if tag == LEMMA:
return self.words[index].lemma
if tag == POS:
return self.words[index].type
if tag == CHUNK:
return self.words[index].chunk
if tag == PNP:
return self.words[index].pnp
if tag == REL:
ch = self.words[index].chunk
return ch and ch.relation
if tag == ROLE:
ch = self.words[index].chunk
return ch and ch.role
if tag == ANCHOR:
ch = self.words[index].pnp
return ch and ch.anchor
if tag in self.words[index].custom_tags:
return self.words[index].custom_tags[tag]
return None
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index, tag=LEMMA):\n if tag == WORD:\n return self.words[index]\n if tag == LEMMA:\n return self.words[index].lemma\n if tag == POS:\n return self.words[index].type\n if tag == CHUNK:\n return self.words[index].chunk\n if tag == PNP:\n return self.words[index].pnp\n if tag == REL:\n ch = self.words[index].chunk\n return ch and ch.relation\n if tag == ROLE:\n ch = self.words[index].chunk\n return ch and ch.role\n if tag == ANCHOR:\n ch = self.words[index].pnp\n return ch and ch.anchor\n if tag in self.words[index].custom_tags:\n return self.words[index].custom_tags[tag]\n return None\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, *tags):
for i in range(len(self.words)):
yield tuple([self.get(i, tag=tag) for tag in tags])
|
loop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *tags):\n for i in range(len(self.words)):\n yield tuple([self.get(i, tag=tag) for tag in tags])\n",
"role": "user"
},
{
"content": "loop",
"role": "assistant"
}
] |
def x(self, value, tag=WORD):
match = lambda a, b: a.endswith('*') and b.startswith(a[:-1]) or a == b
indices = []
for i in range(len(self.words)):
if match(value, unicode(self.get(i, tag))):
indices.append(i)
return indices
|
indexof
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value, tag=WORD):\n match = lambda a, b: a.endswith('*') and b.startswith(a[:-1]) or a == b\n indices = []\n for i in range(len(self.words)):\n if match(value, unicode(self.get(i, tag))):\n indices.append(i)\n return indices\n",
"role": "user"
},
{
"content": "indexof",
"role": "assistant"
}
] |
def x(self, start, stop):
s = Slice(token=self.token, language=self.language)
for i, word in enumerate(self.words[start:stop]):
p0 = word.string
p1 = word.lemma
p2 = word.type
p3 = word.chunk is not None and word.chunk.type or None
p4 = word.pnp is not None and 'PNP' or None
p5 = word.chunk is not None and unzip(0, word.chunk.relations) or None
p6 = word.chunk is not None and unzip(1, word.chunk.relations) or None
p7 = word.chunk and word.chunk.anchor_id or None
p8 = word.chunk and word.chunk.start == start + i and BEGIN or None
p9 = word.custom_tags
if word.chunk is not None and word.chunk.stop > stop:
p3, p4, p5, p6, p7, p8 = None, None, None, None, None, None
if word.pnp is not None and word.pnp.start == start + i:
p4 = BEGIN + '-' + 'PNP'
if word.pnp is not None and (word.pnp.start < start or word.chunk.
stop > stop):
p4, p7 = None, None
s.append(word=p0, lemma=p1, type=p2, chunk=p3, pnp=p4, relation=p5,
role=p6, anchor=p7, iob=p8, custom=p9)
s.parent = self
s._start = start
return s
|
slice
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start, stop):\n s = Slice(token=self.token, language=self.language)\n for i, word in enumerate(self.words[start:stop]):\n p0 = word.string\n p1 = word.lemma\n p2 = word.type\n p3 = word.chunk is not None and word.chunk.type or None\n p4 = word.pnp is not None and 'PNP' or None\n p5 = word.chunk is not None and unzip(0, word.chunk.relations) or None\n p6 = word.chunk is not None and unzip(1, word.chunk.relations) or None\n p7 = word.chunk and word.chunk.anchor_id or None\n p8 = word.chunk and word.chunk.start == start + i and BEGIN or None\n p9 = word.custom_tags\n if word.chunk is not None and word.chunk.stop > stop:\n p3, p4, p5, p6, p7, p8 = None, None, None, None, None, None\n if word.pnp is not None and word.pnp.start == start + i:\n p4 = BEGIN + '-' + 'PNP'\n if word.pnp is not None and (word.pnp.start < start or word.chunk.\n stop > stop):\n p4, p7 = None, None\n s.append(word=p0, lemma=p1, type=p2, chunk=p3, pnp=p4, relation=p5,\n role=p6, anchor=p7, iob=p8, custom=p9)\n s.parent = self\n s._start = start\n return s\n",
"role": "user"
},
{
"content": "slice",
"role": "assistant"
}
] |
def x(self, pnp=False):
a = []
for word in self.words:
if pnp and word.pnp is not None:
if len(a) == 0 or a[-1] != word.pnp:
a.append(word.pnp)
elif word.chunk is not None:
if len(a) == 0 or a[-1] != word.chunk:
a.append(word.chunk)
else:
a.append(word)
return a
|
constituents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pnp=False):\n a = []\n for word in self.words:\n if pnp and word.pnp is not None:\n if len(a) == 0 or a[-1] != word.pnp:\n a.append(word.pnp)\n elif word.chunk is not None:\n if len(a) == 0 or a[-1] != word.chunk:\n a.append(word.chunk)\n else:\n a.append(word)\n return a\n",
"role": "user"
},
{
"content": "constituents",
"role": "assistant"
}
] |
def x(cls, xml):
s = parse_string(xml)
return Sentence(s.split('\n')[0], token=s.tags, language=s.language)
|
from_xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, xml):\n s = parse_string(xml)\n return Sentence(s.split('\\n')[0], token=s.tags, language=s.language)\n",
"role": "user"
},
{
"content": "from_xml",
"role": "assistant"
}
] |
def x(self):
xml = []
xml.append('<?xml version="1.0" encoding="%s"?>' % XML_ENCODING.get(
self.encoding, self.encoding))
xml.append('<%s>' % XML_TEXT)
xml.extend([sentence.xml for sentence in self])
xml.append('</%s>' % XML_TEXT)
return '\n'.join(xml)
|
xml
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n xml = []\n xml.append('<?xml version=\"1.0\" encoding=\"%s\"?>' % XML_ENCODING.get(\n self.encoding, self.encoding))\n xml.append('<%s>' % XML_TEXT)\n xml.extend([sentence.xml for sentence in self])\n xml.append('</%s>' % XML_TEXT)\n return '\\n'.join(xml)\n",
"role": "user"
},
{
"content": "xml",
"role": "assistant"
}
] |
def x():
credits = read(os.path.join(_HERE, 'AUTHORS.rst')).split('\n')
from_index = credits.index('Active Contributors')
credits = '\n'.join(credits[from_index + 2:])
return credits
|
get_credits
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n credits = read(os.path.join(_HERE, 'AUTHORS.rst')).split('\\n')\n from_index = credits.index('Active Contributors')\n credits = '\\n'.join(credits[from_index + 2:])\n return credits\n",
"role": "user"
},
{
"content": "get_credits",
"role": "assistant"
}
] |
def x(path_to_rst, path_to_md, pandoc='pandoc'):
_proc = subprocess.Popen([pandoc, '-f', 'rst', '-t', 'markdown_github',
path_to_rst], stdout=subprocess.PIPE, stderr=subprocess.PIPE)
print("Converting README.rst to markdown_github, using 'pandoc' ...")
_stdout, _stderr = _proc.communicate()
with _open(path_to_md, 'w', encoding='utf-8') as _md:
_skip_newline = False
for line in _stdout.decode('utf-8').split(os.linesep):
line = re.sub('``` sourceCode', '``` python', line)
if line.startswith('[!['):
_md.write(line)
_md.write('\n')
if not line.startswith('[![LICENSE'):
_skip_newline = True
elif _skip_newline and line == '':
_skip_newline = False
continue
else:
_md.write(line)
_md.write('\n')
if _stderr:
print('pandoc.exe STDERR: ', _stderr)
if os.path.isfile(path_to_md) and os.stat(path_to_md).st_size > 0:
print('README.rst converted and saved as: {}'.format(path_to_md))
|
rst2markdown_github
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path_to_rst, path_to_md, pandoc='pandoc'):\n _proc = subprocess.Popen([pandoc, '-f', 'rst', '-t', 'markdown_github',\n path_to_rst], stdout=subprocess.PIPE, stderr=subprocess.PIPE)\n print(\"Converting README.rst to markdown_github, using 'pandoc' ...\")\n _stdout, _stderr = _proc.communicate()\n with _open(path_to_md, 'w', encoding='utf-8') as _md:\n _skip_newline = False\n for line in _stdout.decode('utf-8').split(os.linesep):\n line = re.sub('``` sourceCode', '``` python', line)\n if line.startswith('[!['):\n _md.write(line)\n _md.write('\\n')\n if not line.startswith('[![LICENSE'):\n _skip_newline = True\n elif _skip_newline and line == '':\n _skip_newline = False\n continue\n else:\n _md.write(line)\n _md.write('\\n')\n if _stderr:\n print('pandoc.exe STDERR: ', _stderr)\n if os.path.isfile(path_to_md) and os.stat(path_to_md).st_size > 0:\n print('README.rst converted and saved as: {}'.format(path_to_md))\n",
"role": "user"
},
{
"content": "rst2markdown_github",
"role": "assistant"
}
] |
def x(cwd, help_cmd, path_to_rst, rst_title, format_as_code=False):
generated_time_str = """
::
generated: {0}
""".format(time.
strftime('%d %B %Y - %H:%M'))
with _open(path_to_rst, 'w', encoding='utf-8') as f:
print('File', f)
print('cwd', cwd)
print('help_cmd', help_cmd)
os.chdir(cwd)
_proc = subprocess.Popen(help_cmd, stdout=subprocess.PIPE, stderr=
subprocess.STDOUT, universal_newlines=True)
help_msg = _proc.stdout.readlines()
f.write(get_rst_title(rst_title, '-', overline=True))
f.write(generated_time_str)
if 'README' in path_to_rst:
help_msg = ''.join(help_msg[10:])
for line in help_msg:
if line.strip().startswith('make[1]:'):
print('skipped line: {}'.format(line))
elif line.strip().startswith('\x1b[1m'):
print('skipped line: {}'.format(line))
elif line.strip().startswith("Using fallback version of '"):
print('skipped line: {}'.format(line))
else:
if line.strip().startswith('-->'):
f.write(3 * '\t')
if format_as_code:
f.write('\t' + line.strip())
f.write('\n')
else:
f.write(line)
f.write('\n')
if 'README' in path_to_rst:
f.write(get_rst_title('Credits', '^'))
f.write(get_credits())
print('\ncmd:{} in dir:{} --> RST generated:\n\t{}\n\n'.format(help_cmd,
cwd, path_to_rst))
|
console_help2rst
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cwd, help_cmd, path_to_rst, rst_title, format_as_code=False):\n generated_time_str = \"\"\"\n\n ::\n\n generated: {0}\n\n\"\"\".format(time.\n strftime('%d %B %Y - %H:%M'))\n with _open(path_to_rst, 'w', encoding='utf-8') as f:\n print('File', f)\n print('cwd', cwd)\n print('help_cmd', help_cmd)\n os.chdir(cwd)\n _proc = subprocess.Popen(help_cmd, stdout=subprocess.PIPE, stderr=\n subprocess.STDOUT, universal_newlines=True)\n help_msg = _proc.stdout.readlines()\n f.write(get_rst_title(rst_title, '-', overline=True))\n f.write(generated_time_str)\n if 'README' in path_to_rst:\n help_msg = ''.join(help_msg[10:])\n for line in help_msg:\n if line.strip().startswith('make[1]:'):\n print('skipped line: {}'.format(line))\n elif line.strip().startswith('\\x1b[1m'):\n print('skipped line: {}'.format(line))\n elif line.strip().startswith(\"Using fallback version of '\"):\n print('skipped line: {}'.format(line))\n else:\n if line.strip().startswith('-->'):\n f.write(3 * '\\t')\n if format_as_code:\n f.write('\\t' + line.strip())\n f.write('\\n')\n else:\n f.write(line)\n f.write('\\n')\n if 'README' in path_to_rst:\n f.write(get_rst_title('Credits', '^'))\n f.write(get_credits())\n print('\\ncmd:{} in dir:{} --> RST generated:\\n\\t{}\\n\\n'.format(help_cmd,\n cwd, path_to_rst))\n",
"role": "user"
},
{
"content": "console_help2rst",
"role": "assistant"
}
] |
def x(readme=True, makefiles=True):
if readme:
_pandoc = get_external_executable('pandoc')
rst2markdown_github(os.path.join(_HERE, 'README.rst'), os.path.join
(_HERE, 'README.md'), pandoc=_pandoc)
if makefiles:
_make = get_external_executable('make')
project_makefile_dir = os.path.abspath(_HERE)
project_makefile_rst = os.path.join(_HERE, 'docs', 'src',
'project_makefile.rst')
docs_makefile_dir = os.path.join(_HERE, 'docs', 'src')
docs_makefile_rst = os.path.join(_HERE, 'docs', 'src',
'docs_makefile.rst')
help2rst_queue = [(project_makefile_dir, [_make, 'help'],
project_makefile_rst, 'Project ``Makefile``'), (
docs_makefile_dir, [_make, 'help'], docs_makefile_rst,
'Documentation ``Makefile``')]
for cwd, help_cmd, outfile, title in help2rst_queue:
console_help2rst(cwd, help_cmd, outfile, title, format_as_code=True
)
|
update_docs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(readme=True, makefiles=True):\n if readme:\n _pandoc = get_external_executable('pandoc')\n rst2markdown_github(os.path.join(_HERE, 'README.rst'), os.path.join\n (_HERE, 'README.md'), pandoc=_pandoc)\n if makefiles:\n _make = get_external_executable('make')\n project_makefile_dir = os.path.abspath(_HERE)\n project_makefile_rst = os.path.join(_HERE, 'docs', 'src',\n 'project_makefile.rst')\n docs_makefile_dir = os.path.join(_HERE, 'docs', 'src')\n docs_makefile_rst = os.path.join(_HERE, 'docs', 'src',\n 'docs_makefile.rst')\n help2rst_queue = [(project_makefile_dir, [_make, 'help'],\n project_makefile_rst, 'Project ``Makefile``'), (\n docs_makefile_dir, [_make, 'help'], docs_makefile_rst,\n 'Documentation ``Makefile``')]\n for cwd, help_cmd, outfile, title in help2rst_queue:\n console_help2rst(cwd, help_cmd, outfile, title, format_as_code=True\n )\n",
"role": "user"
},
{
"content": "update_docs",
"role": "assistant"
}
] |
def x(self, x, params=()):
internal_x, internal_params = self.pre_process(np.asarray(x), np.
asarray(params))
if internal_params.ndim > 1:
raise NotImplementedError('Parameters should be constant.')
result = np.empty(internal_x.size // self.nx)
for idx in range(internal_x.shape[0]):
result[idx] = np.sqrt(np.mean(np.square(self.f_cb(internal_x[idx, :
], internal_params))))
return result
|
rms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, params=()):\n internal_x, internal_params = self.pre_process(np.asarray(x), np.\n asarray(params))\n if internal_params.ndim > 1:\n raise NotImplementedError('Parameters should be constant.')\n result = np.empty(internal_x.size // self.nx)\n for idx in range(internal_x.shape[0]):\n result[idx] = np.sqrt(np.mean(np.square(self.f_cb(internal_x[idx, :\n ], internal_params))))\n return result\n",
"role": "user"
},
{
"content": "rms",
"role": "assistant"
}
] |
def x(self, x0, params, varied_data, varied_idx, internal_x0=None, solver=
None, propagate=True, **kwargs):
if self.x_by_name and isinstance(x0, dict):
x0 = [x0[k] for k in self.names]
if self.par_by_name:
if isinstance(params, dict):
params = [params[k] for k in self.param_names]
if isinstance(varied_idx, str):
varied_idx = self.param_names.index(varied_idx)
new_params = np.atleast_1d(np.array(params, dtype=np.float64))
xout = np.empty((len(varied_data), len(x0)))
self.internal_xout = np.empty_like(xout)
self.internal_params_out = np.empty((len(varied_data), len(new_params)))
info_dicts = []
new_x0 = np.array(x0, dtype=np.float64)
conds = kwargs.get('initial_conditions', None)
for idx, value in enumerate(varied_data):
try:
new_params[varied_idx] = value
except TypeError:
new_params = value
if conds is not None:
kwargs['initial_conditions'] = conds
x, info_dict = self.solve(new_x0, new_params, internal_x0, solver,
**kwargs)
if propagate:
if info_dict['success']:
try:
new_x0 = info_dict['x_vecs'][0]
internal_x0 = info_dict['internal_x_vecs'][0]
conds = info_dict['intermediate_info'][0].get('conditions',
None)
except:
new_x0 = x
internal_x0 = None
conds = info_dict.get('conditions', None)
xout[idx, :] = x
self.internal_xout[idx, :] = self.internal_x
self.internal_params_out[idx, :] = self.internal_params
info_dicts.append(info_dict)
return xout, info_dicts
|
solve_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x0, params, varied_data, varied_idx, internal_x0=None, solver=\n None, propagate=True, **kwargs):\n if self.x_by_name and isinstance(x0, dict):\n x0 = [x0[k] for k in self.names]\n if self.par_by_name:\n if isinstance(params, dict):\n params = [params[k] for k in self.param_names]\n if isinstance(varied_idx, str):\n varied_idx = self.param_names.index(varied_idx)\n new_params = np.atleast_1d(np.array(params, dtype=np.float64))\n xout = np.empty((len(varied_data), len(x0)))\n self.internal_xout = np.empty_like(xout)\n self.internal_params_out = np.empty((len(varied_data), len(new_params)))\n info_dicts = []\n new_x0 = np.array(x0, dtype=np.float64)\n conds = kwargs.get('initial_conditions', None)\n for idx, value in enumerate(varied_data):\n try:\n new_params[varied_idx] = value\n except TypeError:\n new_params = value\n if conds is not None:\n kwargs['initial_conditions'] = conds\n x, info_dict = self.solve(new_x0, new_params, internal_x0, solver,\n **kwargs)\n if propagate:\n if info_dict['success']:\n try:\n new_x0 = info_dict['x_vecs'][0]\n internal_x0 = info_dict['internal_x_vecs'][0]\n conds = info_dict['intermediate_info'][0].get('conditions',\n None)\n except:\n new_x0 = x\n internal_x0 = None\n conds = info_dict.get('conditions', None)\n xout[idx, :] = x\n self.internal_xout[idx, :] = self.internal_x\n self.internal_params_out[idx, :] = self.internal_params\n info_dicts.append(info_dict)\n return xout, info_dicts\n",
"role": "user"
},
{
"content": "solve_series",
"role": "assistant"
}
] |
def x(self, xres, varied_data, varied_idx, **kwargs):
for attr in 'names latex_names'.split():
if kwargs.get(attr, None) is None:
kwargs[attr] = getattr(self, attr)
ax = plot_series(xres, varied_data, **kwargs)
if self.par_by_name and isinstance(varied_idx, str):
varied_idx = self.param_names.index(varied_idx)
if self.latex_param_names:
ax.set_xlabel('$%s$' % self.latex_param_names[varied_idx])
elif self.param_names:
ax.set_xlabel(self.param_names[varied_idx])
return ax
|
plot_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xres, varied_data, varied_idx, **kwargs):\n for attr in 'names latex_names'.split():\n if kwargs.get(attr, None) is None:\n kwargs[attr] = getattr(self, attr)\n ax = plot_series(xres, varied_data, **kwargs)\n if self.par_by_name and isinstance(varied_idx, str):\n varied_idx = self.param_names.index(varied_idx)\n if self.latex_param_names:\n ax.set_xlabel('$%s$' % self.latex_param_names[varied_idx])\n elif self.param_names:\n ax.set_xlabel(self.param_names[varied_idx])\n return ax\n",
"role": "user"
},
{
"content": "plot_series",
"role": "assistant"
}
] |
def x(self, xres, varied_data, varied_idx, params, **kwargs):
nf = len(self.f_cb(*self.pre_process(xres[0], params)))
xerr = np.empty((xres.shape[0], nf))
new_params = np.array(params)
for idx, row in enumerate(xres):
new_params[varied_idx] = varied_data[idx]
xerr[idx, :] = self.f_cb(*self.pre_process(row, params))
return self.plot_series(xerr, varied_data, varied_idx, **kwargs)
|
plot_series_residuals
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xres, varied_data, varied_idx, params, **kwargs):\n nf = len(self.f_cb(*self.pre_process(xres[0], params)))\n xerr = np.empty((xres.shape[0], nf))\n new_params = np.array(params)\n for idx, row in enumerate(xres):\n new_params[varied_idx] = varied_data[idx]\n xerr[idx, :] = self.f_cb(*self.pre_process(row, params))\n return self.plot_series(xerr, varied_data, varied_idx, **kwargs)\n",
"role": "user"
},
{
"content": "plot_series_residuals",
"role": "assistant"
}
] |
def x(self, varied_data, varied_idx, **kwargs):
nf = len(self.f_cb(*self.pre_process(self.internal_xout[0], self.
internal_params_out[0])))
xerr = np.empty((self.internal_xout.shape[0], nf))
for idx, (res, params) in enumerate(zip(self.internal_xout, self.
internal_params_out)):
xerr[idx, :] = self.f_cb(res, params)
return self.plot_series(xerr, varied_data, varied_idx, **kwargs)
|
plot_series_residuals_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, varied_data, varied_idx, **kwargs):\n nf = len(self.f_cb(*self.pre_process(self.internal_xout[0], self.\n internal_params_out[0])))\n xerr = np.empty((self.internal_xout.shape[0], nf))\n for idx, (res, params) in enumerate(zip(self.internal_xout, self.\n internal_params_out)):\n xerr[idx, :] = self.f_cb(res, params)\n return self.plot_series(xerr, varied_data, varied_idx, **kwargs)\n",
"role": "user"
},
{
"content": "plot_series_residuals_internal",
"role": "assistant"
}
] |
def x(self, x0, params, varied_data, varied_idx, solver=None, plot_kwargs=
None, plot_residuals_kwargs=None, **kwargs):
sol, nfo = self.solve_series(x0, params, varied_data, varied_idx,
solver=solver, **kwargs)
ax_sol = self.plot_series(sol, varied_data, varied_idx, info=nfo, **
plot_kwargs or {})
extra = dict(ax_sol=ax_sol, info=nfo)
if plot_residuals_kwargs:
extra['ax_resid'] = self.plot_series_residuals_internal(varied_data,
varied_idx, info=nfo, **plot_residuals_kwargs or {})
return sol, extra
|
solve_and_plot_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x0, params, varied_data, varied_idx, solver=None, plot_kwargs=\n None, plot_residuals_kwargs=None, **kwargs):\n sol, nfo = self.solve_series(x0, params, varied_data, varied_idx,\n solver=solver, **kwargs)\n ax_sol = self.plot_series(sol, varied_data, varied_idx, info=nfo, **\n plot_kwargs or {})\n extra = dict(ax_sol=ax_sol, info=nfo)\n if plot_residuals_kwargs:\n extra['ax_resid'] = self.plot_series_residuals_internal(varied_data,\n varied_idx, info=nfo, **plot_residuals_kwargs or {})\n return sol, extra\n",
"role": "user"
},
{
"content": "solve_and_plot_series",
"role": "assistant"
}
] |
def x(self, x0, params=()):
if self.x_by_name and isinstance(x0, dict):
x0 = [x0[k] for k in self.names]
if self.par_by_name and isinstance(params, dict):
params = [params[k] for k in self.param_names]
for pre_processor in self.pre_processors:
x0, params = pre_processor(x0, params)
return x0, np.atleast_1d(params)
|
pre_process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x0, params=()):\n if self.x_by_name and isinstance(x0, dict):\n x0 = [x0[k] for k in self.names]\n if self.par_by_name and isinstance(params, dict):\n params = [params[k] for k in self.param_names]\n for pre_processor in self.pre_processors:\n x0, params = pre_processor(x0, params)\n return x0, np.atleast_1d(params)\n",
"role": "user"
},
{
"content": "pre_process",
"role": "assistant"
}
] |
def x(self, xout, params_out):
for post_processor in self.post_processors:
xout, params_out = post_processor(xout, params_out)
return xout, params_out
|
post_process
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xout, params_out):\n for post_processor in self.post_processors:\n xout, params_out = post_processor(xout, params_out)\n return xout, params_out\n",
"role": "user"
},
{
"content": "post_process",
"role": "assistant"
}
] |
def x(self, x0, params=(), internal_x0=None, solver=None, attached_solver=
None, **kwargs):
if not isinstance(solver, (tuple, list)):
solver = [solver]
if not isinstance(attached_solver, (tuple, list)):
attached_solver = [attached_solver] + [None] * (len(solver) - 1)
_x0, self.internal_params = self.pre_process(x0, params)
for solv, attached_solv in zip(solver, attached_solver):
if internal_x0 is not None:
_x0 = internal_x0
elif self.internal_x0_cb is not None:
_x0 = self.internal_x0_cb(x0, params)
nfo = self._get_solver_cb(solv, attached_solv)(_x0, **kwargs)
_x0 = nfo['x'].copy()
self.internal_x = _x0
x0 = self.post_process(self.internal_x, self.internal_params)[0]
return x0, nfo
|
solve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x0, params=(), internal_x0=None, solver=None, attached_solver=\n None, **kwargs):\n if not isinstance(solver, (tuple, list)):\n solver = [solver]\n if not isinstance(attached_solver, (tuple, list)):\n attached_solver = [attached_solver] + [None] * (len(solver) - 1)\n _x0, self.internal_params = self.pre_process(x0, params)\n for solv, attached_solv in zip(solver, attached_solver):\n if internal_x0 is not None:\n _x0 = internal_x0\n elif self.internal_x0_cb is not None:\n _x0 = self.internal_x0_cb(x0, params)\n nfo = self._get_solver_cb(solv, attached_solv)(_x0, **kwargs)\n _x0 = nfo['x'].copy()\n self.internal_x = _x0\n x0 = self.post_process(self.internal_x, self.internal_params)[0]\n return x0, nfo\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(self, intern_x0, tol=1e-08, method=None, **kwargs):
from scipy.optimize import root
if method is None:
if self.nf > self.nx:
method = 'lm'
elif self.nf == self.nx:
method = 'hybr'
else:
raise ValueError('Underdetermined problem')
if 'band' in kwargs:
raise ValueError("Set 'band' at initialization instead.")
if 'args' in kwargs:
raise ValueError("Set 'args' as params in initialization instead.")
new_kwargs = kwargs.copy()
if self.band is not None:
warnings.warn('Band argument ignored (see SciPy docs)')
new_kwargs['band'] = self.band
new_kwargs['args'] = self.internal_params
return root(self.f_cb, intern_x0, jac=self.j_cb, method=method, tol=tol,
**new_kwargs)
|
solve_scipy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, intern_x0, tol=1e-08, method=None, **kwargs):\n from scipy.optimize import root\n if method is None:\n if self.nf > self.nx:\n method = 'lm'\n elif self.nf == self.nx:\n method = 'hybr'\n else:\n raise ValueError('Underdetermined problem')\n if 'band' in kwargs:\n raise ValueError(\"Set 'band' at initialization instead.\")\n if 'args' in kwargs:\n raise ValueError(\"Set 'args' as params in initialization instead.\")\n new_kwargs = kwargs.copy()\n if self.band is not None:\n warnings.warn('Band argument ignored (see SciPy docs)')\n new_kwargs['band'] = self.band\n new_kwargs['args'] = self.internal_params\n return root(self.f_cb, intern_x0, jac=self.j_cb, method=method, tol=tol,\n **new_kwargs)\n",
"role": "user"
},
{
"content": "solve_scipy",
"role": "assistant"
}
] |
def x(self, x0, params=(), internal_x0=None, solver=None,
conditional_maxiter=20, initial_conditions=None, **kwargs):
if initial_conditions is not None:
conds = initial_conditions
else:
conds = self.get_conds(x0, params, initial_conditions)
idx, nfev, njev = 0, 0, 0
while idx < conditional_maxiter:
neqsys = self.neqsys_factory(conds)
x0, info = neqsys.solve(x0, params, internal_x0, solver, **kwargs)
if idx == 0:
internal_x0 = None
nfev += info['nfev']
njev += info.get('njev', 0)
new_conds = self.get_conds(x0, params, conds)
if new_conds == conds:
break
else:
conds = new_conds
idx += 1
if idx == conditional_maxiter:
raise Exception('Solving failed, conditional_maxiter reached')
self.internal_x = info['x']
self.internal_params = neqsys.internal_params
result = {'x': info['x'], 'success': info['success'], 'conditions':
conds, 'nfev': nfev, 'njev': njev}
if 'fun' in info:
result['fun'] = info['fun']
return x0, result
|
solve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x0, params=(), internal_x0=None, solver=None,\n conditional_maxiter=20, initial_conditions=None, **kwargs):\n if initial_conditions is not None:\n conds = initial_conditions\n else:\n conds = self.get_conds(x0, params, initial_conditions)\n idx, nfev, njev = 0, 0, 0\n while idx < conditional_maxiter:\n neqsys = self.neqsys_factory(conds)\n x0, info = neqsys.solve(x0, params, internal_x0, solver, **kwargs)\n if idx == 0:\n internal_x0 = None\n nfev += info['nfev']\n njev += info.get('njev', 0)\n new_conds = self.get_conds(x0, params, conds)\n if new_conds == conds:\n break\n else:\n conds = new_conds\n idx += 1\n if idx == conditional_maxiter:\n raise Exception('Solving failed, conditional_maxiter reached')\n self.internal_x = info['x']\n self.internal_params = neqsys.internal_params\n result = {'x': info['x'], 'success': info['success'], 'conditions':\n conds, 'nfev': nfev, 'njev': njev}\n if 'fun' in info:\n result['fun'] = info['fun']\n return x0, result\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(guess_a, guess_b, power, solver='scipy'):
x = sp.symbols('x:2', real=True)
p = sp.Symbol('p', real=True, negative=False, integer=True)
f = [x[0] + (x[0] - x[1]) ** p / 2 - 1, (x[1] - x[0]) ** p / 2 + x[1]]
neqsys = SymbolicSys(x, f, [p])
return neqsys.solve([guess_a, guess_b], [power], solver=solver)
|
solve
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(guess_a, guess_b, power, solver='scipy'):\n x = sp.symbols('x:2', real=True)\n p = sp.Symbol('p', real=True, negative=False, integer=True)\n f = [x[0] + (x[0] - x[1]) ** p / 2 - 1, (x[1] - x[0]) ** p / 2 + x[1]]\n neqsys = SymbolicSys(x, f, [p])\n return neqsys.solve([guess_a, guess_b], [power], solver=solver)\n",
"role": "user"
},
{
"content": "solve",
"role": "assistant"
}
] |
def x(guess_a=1.0, guess_b=0.0, power=3, savetxt='None', verbose=False):
x, sol = solve(guess_a, guess_b, power)
assert sol.success
if savetxt != 'None':
np.savetxt(x, savetxt)
elif verbose:
print(sol)
else:
print(x)
|
main
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(guess_a=1.0, guess_b=0.0, power=3, savetxt='None', verbose=False):\n x, sol = solve(guess_a, guess_b, power)\n assert sol.success\n if savetxt != 'None':\n np.savetxt(x, savetxt)\n elif verbose:\n print(sol)\n else:\n print(x)\n",
"role": "user"
},
{
"content": "main",
"role": "assistant"
}
] |
def x(xres, varied_data, indices=None, info=None, fail_vline=None,
plot_kwargs_cb=None, ls=('-', '--', ':', '-.'), c=('k', 'r', 'g', 'b',
'c', 'm', 'y'), labels=None, ax=None, names=None, latex_names=None):
import matplotlib.pyplot as plt
if indices is None:
indices = range(xres.shape[1])
if fail_vline is None:
if info is None:
fail_vline = False
else:
fail_vline = True
if ax is None:
ax = plt.subplot(1, 1, 1)
if labels is None:
labels = names if latex_names is None else [('$%s$' % ln.strip('$')
) for ln in latex_names]
if plot_kwargs_cb is None:
def x(idx, labels=None):
kwargs = {'ls': ls[idx % len(ls)], 'c': c[idx % len(c)]}
if labels:
kwargs['label'] = labels[idx]
return kwargs
else:
plot_kwargs_cb = plot_kwargs_cb or (lambda idx: {})
for idx in indices:
ax.plot(varied_data, xres[:, idx], **plot_kwargs_cb(idx, labels=labels)
)
if fail_vline:
for i, nfo in enumerate(info):
if not nfo['success']:
ax.axvline(varied_data[i], c='k', ls='--')
return ax
|
plot_series
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xres, varied_data, indices=None, info=None, fail_vline=None,\n plot_kwargs_cb=None, ls=('-', '--', ':', '-.'), c=('k', 'r', 'g', 'b',\n 'c', 'm', 'y'), labels=None, ax=None, names=None, latex_names=None):\n import matplotlib.pyplot as plt\n if indices is None:\n indices = range(xres.shape[1])\n if fail_vline is None:\n if info is None:\n fail_vline = False\n else:\n fail_vline = True\n if ax is None:\n ax = plt.subplot(1, 1, 1)\n if labels is None:\n labels = names if latex_names is None else [('$%s$' % ln.strip('$')\n ) for ln in latex_names]\n if plot_kwargs_cb is None:\n\n def x(idx, labels=None):\n kwargs = {'ls': ls[idx % len(ls)], 'c': c[idx % len(c)]}\n if labels:\n kwargs['label'] = labels[idx]\n return kwargs\n else:\n plot_kwargs_cb = plot_kwargs_cb or (lambda idx: {})\n for idx in indices:\n ax.plot(varied_data, xres[:, idx], **plot_kwargs_cb(idx, labels=labels)\n )\n if fail_vline:\n for i, nfo in enumerate(info):\n if not nfo['success']:\n ax.axvline(varied_data[i], c='k', ls='--')\n return ax\n",
"role": "user"
},
{
"content": "plot_series",
"role": "assistant"
}
] |
def x(ax, **kwargs):
box = ax.get_position()
ax.set_position([box.x0, box.y0, box.width * 0.75, box.height])
ax.legend(loc='upper left', bbox_to_anchor=(1, 1), **kwargs)
|
mpl_outside_legend
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ax, **kwargs):\n box = ax.get_position()\n ax.set_position([box.x0, box.y0, box.width * 0.75, box.height])\n ax.legend(loc='upper left', bbox_to_anchor=(1, 1), **kwargs)\n",
"role": "user"
},
{
"content": "mpl_outside_legend",
"role": "assistant"
}
] |
def x(A, b, Matrix=None, S=None):
if Matrix is None:
from sympy import Matrix
if S is None:
from sympy import S
mat_rows = [_map2l(S, list(row) + [v]) for row, v in zip(A, b)]
aug = Matrix(mat_rows)
raug, pivot = aug.rref()
nindep = len(pivot)
return raug[:nindep, :-1], raug[:nindep, -1]
|
linear_rref
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, b, Matrix=None, S=None):\n if Matrix is None:\n from sympy import Matrix\n if S is None:\n from sympy import S\n mat_rows = [_map2l(S, list(row) + [v]) for row, v in zip(A, b)]\n aug = Matrix(mat_rows)\n raug, pivot = aug.rref()\n nindep = len(pivot)\n return raug[:nindep, :-1], raug[:nindep, -1]\n",
"role": "user"
},
{
"content": "linear_rref",
"role": "assistant"
}
] |
def x(A, x, b=None, rref=False, Matrix=None):
if b is None:
b = [0] * len(x)
if rref:
rA, rb = linear_rref(A, b, Matrix)
if Matrix is None:
from sympy import Matrix
return [(lhs - rhs) for lhs, rhs in zip(rA * Matrix(len(x), 1, x), rb)]
else:
return [(sum([(x0 * x1) for x0, x1 in zip(row, x)]) - v) for row, v in
zip(A, b)]
|
linear_exprs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(A, x, b=None, rref=False, Matrix=None):\n if b is None:\n b = [0] * len(x)\n if rref:\n rA, rb = linear_rref(A, b, Matrix)\n if Matrix is None:\n from sympy import Matrix\n return [(lhs - rhs) for lhs, rhs in zip(rA * Matrix(len(x), 1, x), rb)]\n else:\n return [(sum([(x0 * x1) for x0, x1 in zip(row, x)]) - v) for row, v in\n zip(A, b)]\n",
"role": "user"
},
{
"content": "linear_exprs",
"role": "assistant"
}
] |
def x(cls, cb, nx=None, nparams=None, **kwargs):
if kwargs.get('x_by_name', False):
if 'names' not in kwargs:
raise ValueError('Need ``names`` in kwargs.')
if nx is None:
nx = len(kwargs['names'])
elif nx != len(kwargs['names']):
raise ValueError(
'Inconsistency between nx and length of ``names``.')
if kwargs.get('par_by_name', False):
if 'param_names' not in kwargs:
raise ValueError('Need ``param_names`` in kwargs.')
if nparams is None:
nparams = len(kwargs['param_names'])
elif nparams != len(kwargs['param_names']):
raise ValueError(
'Inconsistency between ``nparam`` and length of ``param_names``.'
)
if nparams is None:
nparams = 0
if nx is None:
raise ValueError(
'Need ``nx`` of ``names`` together with ``x_by_name==True``.')
be = Backend(kwargs.pop('backend', None))
x = be.real_symarray('x', nx)
p = be.real_symarray('p', nparams)
_x = dict(zip(kwargs['names'], x)) if kwargs.get('x_by_name', False) else x
_p = dict(zip(kwargs['param_names'], p)) if kwargs.get('par_by_name', False
) else p
try:
exprs = cb(_x, _p, be)
except TypeError:
exprs = _ensure_3args(cb)(_x, _p, be)
return cls(x, exprs, p, backend=be, **kwargs)
|
from_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cb, nx=None, nparams=None, **kwargs):\n if kwargs.get('x_by_name', False):\n if 'names' not in kwargs:\n raise ValueError('Need ``names`` in kwargs.')\n if nx is None:\n nx = len(kwargs['names'])\n elif nx != len(kwargs['names']):\n raise ValueError(\n 'Inconsistency between nx and length of ``names``.')\n if kwargs.get('par_by_name', False):\n if 'param_names' not in kwargs:\n raise ValueError('Need ``param_names`` in kwargs.')\n if nparams is None:\n nparams = len(kwargs['param_names'])\n elif nparams != len(kwargs['param_names']):\n raise ValueError(\n 'Inconsistency between ``nparam`` and length of ``param_names``.'\n )\n if nparams is None:\n nparams = 0\n if nx is None:\n raise ValueError(\n 'Need ``nx`` of ``names`` together with ``x_by_name==True``.')\n be = Backend(kwargs.pop('backend', None))\n x = be.real_symarray('x', nx)\n p = be.real_symarray('p', nparams)\n _x = dict(zip(kwargs['names'], x)) if kwargs.get('x_by_name', False) else x\n _p = dict(zip(kwargs['param_names'], p)) if kwargs.get('par_by_name', False\n ) else p\n try:\n exprs = cb(_x, _p, be)\n except TypeError:\n exprs = _ensure_3args(cb)(_x, _p, be)\n return cls(x, exprs, p, backend=be, **kwargs)\n",
"role": "user"
},
{
"content": "from_callback",
"role": "assistant"
}
] |
def x(self):
if self._jac is True:
if self.band is None:
f = self.be.Matrix(self.nf, 1, self.exprs)
_x = self.be.Matrix(self.nx, 1, self.x)
return f.jacobian(_x)
else:
return self.be.Matrix(banded_jacobian(self.exprs, self.x, *self
.band))
elif self._jac is False:
return False
else:
return self._jac
|
get_jac
|
[
{
"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._jac is True:\n if self.band is None:\n f = self.be.Matrix(self.nf, 1, self.exprs)\n _x = self.be.Matrix(self.nx, 1, self.x)\n return f.jacobian(_x)\n else:\n return self.be.Matrix(banded_jacobian(self.exprs, self.x, *self\n .band))\n elif self._jac is False:\n return False\n else:\n return self._jac\n",
"role": "user"
},
{
"content": "get_jac",
"role": "assistant"
}
] |
def x(cls, cb, transf_cbs, nx, nparams=0, pre_adj=None, **kwargs):
be = Backend(kwargs.pop('backend', None))
x = be.real_symarray('x', nx)
p = be.real_symarray('p', nparams)
try:
transf = [(transf_cbs[idx][0](xi), transf_cbs[idx][1](xi)) for idx,
xi in enumerate(x)]
except TypeError:
transf = zip(_map2(transf_cbs[0], x), _map2(transf_cbs[1], x))
try:
exprs = cb(x, p, be)
except TypeError:
exprs = _ensure_3args(cb)(x, p, be)
return cls(x, _map2l(pre_adj, exprs), transf, p, backend=be, **kwargs)
|
from_callback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, cb, transf_cbs, nx, nparams=0, pre_adj=None, **kwargs):\n be = Backend(kwargs.pop('backend', None))\n x = be.real_symarray('x', nx)\n p = be.real_symarray('p', nparams)\n try:\n transf = [(transf_cbs[idx][0](xi), transf_cbs[idx][1](xi)) for idx,\n xi in enumerate(x)]\n except TypeError:\n transf = zip(_map2(transf_cbs[0], x), _map2(transf_cbs[1], x))\n try:\n exprs = cb(x, p, be)\n except TypeError:\n exprs = _ensure_3args(cb)(x, p, be)\n return cls(x, _map2l(pre_adj, exprs), transf, p, backend=be, **kwargs)\n",
"role": "user"
},
{
"content": "from_callback",
"role": "assistant"
}
] |
def x(self, handle):
handle.seek(0)
handle.write(struct.pack(self.BINARY_FORMAT, self.parameter_block, 80,
self.point_count, self.analog_count, self.first_frame, self.
last_frame, self.max_gap, self.scale_factor, self.data_block, self.
analog_per_frame, self.frame_rate, b'', self.long_event_labels and
12345 or 0, self.label_block, b''))
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n handle.seek(0)\n handle.write(struct.pack(self.BINARY_FORMAT, self.parameter_block, 80,\n self.point_count, self.analog_count, self.first_frame, self.\n last_frame, self.max_gap, self.scale_factor, self.data_block, self.\n analog_per_frame, self.frame_rate, b'', self.long_event_labels and \n 12345 or 0, self.label_block, b''))\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, handle):
handle.seek(0)
(self.parameter_block, magic, self.point_count, self.analog_count, self
.first_frame, self.last_frame, self.max_gap, self.scale_factor,
self.data_block, self.analog_per_frame, self.frame_rate, _, self.
long_event_labels, self.label_block, _) = struct.unpack(self.
BINARY_FORMAT, handle.read(512))
assert magic == 80, 'C3D magic {} != 80 !'.format(magic)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n handle.seek(0)\n (self.parameter_block, magic, self.point_count, self.analog_count, self\n .first_frame, self.last_frame, self.max_gap, self.scale_factor,\n self.data_block, self.analog_per_frame, self.frame_rate, _, self.\n long_event_labels, self.label_block, _) = struct.unpack(self.\n BINARY_FORMAT, handle.read(512))\n assert magic == 80, 'C3D magic {} != 80 !'.format(magic)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
return 1 + 2 + 1 + len(self.name.encode('utf-8')) + 1 + 1 + len(self.
dimensions) + self.total_bytes + 1 + len(self.desc.encode('utf-8'))
|
binary_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 1 + 2 + 1 + len(self.name.encode('utf-8')) + 1 + 1 + len(self.\n dimensions) + self.total_bytes + 1 + len(self.desc.encode('utf-8'))\n",
"role": "user"
},
{
"content": "binary_size",
"role": "assistant"
}
] |
def x(self, group_id, handle):
name = self.name.encode('utf-8')
handle.write(struct.pack('bb', len(name), group_id))
handle.write(name)
handle.write(struct.pack('<h', self.binary_size() - 2 - len(name)))
handle.write(struct.pack('b', self.bytes_per_element))
handle.write(struct.pack('B', len(self.dimensions)))
handle.write(struct.pack('B' * len(self.dimensions), *self.dimensions))
if self.bytes:
handle.write(self.bytes)
desc = self.desc.encode('utf-8')
handle.write(struct.pack('B', len(desc)))
handle.write(desc)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, handle):\n name = self.name.encode('utf-8')\n handle.write(struct.pack('bb', len(name), group_id))\n handle.write(name)\n handle.write(struct.pack('<h', self.binary_size() - 2 - len(name)))\n handle.write(struct.pack('b', self.bytes_per_element))\n handle.write(struct.pack('B', len(self.dimensions)))\n handle.write(struct.pack('B' * len(self.dimensions), *self.dimensions))\n if self.bytes:\n handle.write(self.bytes)\n desc = self.desc.encode('utf-8')\n handle.write(struct.pack('B', len(desc)))\n handle.write(desc)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, handle):
self.bytes_per_element, = struct.unpack('b', handle.read(1))
dims, = struct.unpack('B', handle.read(1))
self.dimensions = [struct.unpack('B', handle.read(1))[0] for _ in range
(dims)]
self.bytes = b''
if self.total_bytes:
self.bytes = handle.read(self.total_bytes)
size, = struct.unpack('B', handle.read(1))
self.desc = size and handle.read(size).decode('utf-8') or ''
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n self.bytes_per_element, = struct.unpack('b', handle.read(1))\n dims, = struct.unpack('B', handle.read(1))\n self.dimensions = [struct.unpack('B', handle.read(1))[0] for _ in range\n (dims)]\n self.bytes = b''\n if self.total_bytes:\n self.bytes = handle.read(self.total_bytes)\n size, = struct.unpack('B', handle.read(1))\n self.desc = size and handle.read(size).decode('utf-8') or ''\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, fmt):
assert self.dimensions, '{}: cannot get value as {} array!'.format(self
.name, fmt)
elems = array.array(fmt)
elems.fromstring(self.bytes)
return np.array(elems).reshape(self.dimensions)
|
as_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, fmt):\n assert self.dimensions, '{}: cannot get value as {} array!'.format(self\n .name, fmt)\n elems = array.array(fmt)\n elems.fromstring(self.bytes)\n return np.array(elems).reshape(self.dimensions)\n",
"role": "user"
},
{
"content": "as_array",
"role": "assistant"
}
] |
def x(self):
assert len(self.dimensions
) == 2, '{}: cannot get value as bytes array!'.format(self.name)
l, n = self.dimensions
return [self.bytes[i * l:(i + 1) * l] for i in range(n)]
|
bytes_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert len(self.dimensions\n ) == 2, '{}: cannot get value as bytes array!'.format(self.name)\n l, n = self.dimensions\n return [self.bytes[i * l:(i + 1) * l] for i in range(n)]\n",
"role": "user"
},
{
"content": "bytes_array",
"role": "assistant"
}
] |
def x(self):
assert len(self.dimensions
) == 2, '{}: cannot get value as string array!'.format(self.name)
l, n = self.dimensions
return [self.bytes[i * l:(i + 1) * l].decode('utf-8') for i in range(n)]
|
string_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert len(self.dimensions\n ) == 2, '{}: cannot get value as string array!'.format(self.name)\n l, n = self.dimensions\n return [self.bytes[i * l:(i + 1) * l].decode('utf-8') for i in range(n)]\n",
"role": "user"
},
{
"content": "string_array",
"role": "assistant"
}
] |
def x(self, name, **kwargs):
self.params[name.upper()] = Param(name.upper(), **kwargs)
|
add_param
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, **kwargs):\n self.params[name.upper()] = Param(name.upper(), **kwargs)\n",
"role": "user"
},
{
"content": "add_param",
"role": "assistant"
}
] |
def x(self):
return 1 + 1 + len(self.name.encode('utf-8')) + 2 + 1 + len(self.desc.
encode('utf-8')) + sum(p.binary_size() for p in self.params.values())
|
binary_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 1 + 1 + len(self.name.encode('utf-8')) + 2 + 1 + len(self.desc.\n encode('utf-8')) + sum(p.binary_size() for p in self.params.values())\n",
"role": "user"
},
{
"content": "binary_size",
"role": "assistant"
}
] |
def x(self, group_id, handle):
name = self.name.encode('utf-8')
desc = self.desc.encode('utf-8')
handle.write(struct.pack('bb', len(name), -group_id))
handle.write(name)
handle.write(struct.pack('<h', 3 + len(desc)))
handle.write(struct.pack('B', len(desc)))
handle.write(desc)
for param in self.params.values():
param.write(group_id, handle)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, handle):\n name = self.name.encode('utf-8')\n desc = self.desc.encode('utf-8')\n handle.write(struct.pack('bb', len(name), -group_id))\n handle.write(name)\n handle.write(struct.pack('<h', 3 + len(desc)))\n handle.write(struct.pack('B', len(desc)))\n handle.write(desc)\n for param in self.params.values():\n param.write(group_id, handle)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self):
assert self.header.point_count == self.point_used, 'inconsistent point count! {} header != {} POINT:USED'.format(
self.header.point_count, self.point_used)
assert self.header.scale_factor == self.point_scale, 'inconsistent scale factor! {} header != {} POINT:SCALE'.format(
self.header.scale_factor, self.point_scale)
assert self.header.frame_rate == self.point_rate, 'inconsistent frame rate! {} header != {} POINT:RATE'.format(
self.header.frame_rate, self.point_rate)
ratio = self.analog_rate / self.point_rate
assert True or self.header.analog_per_frame == ratio, 'inconsistent analog rate! {} header != {} analog-fps / {} point-fps'.format(
self.header.analog_per_frame, self.analog_rate, self.point_rate)
count = self.analog_used * self.header.analog_per_frame
assert True or self.header.analog_count == count, 'inconsistent analog count! {} header != {} analog used * {} per-frame'.format(
self.header.analog_count, self.analog_used, self.header.
analog_per_frame)
start = self.get_uint16('POINT:DATA_START')
assert self.header.data_block == start, 'inconsistent data block! {} header != {} POINT:DATA_START'.format(
self.header.data_block, start)
for name in ('POINT:LABELS', 'POINT:DESCRIPTIONS', 'ANALOG:LABELS',
'ANALOG:DESCRIPTIONS'):
if self.get(name) is None:
warnings.warn('missing parameter {}'.format(name))
|
check_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n assert self.header.point_count == self.point_used, 'inconsistent point count! {} header != {} POINT:USED'.format(\n self.header.point_count, self.point_used)\n assert self.header.scale_factor == self.point_scale, 'inconsistent scale factor! {} header != {} POINT:SCALE'.format(\n self.header.scale_factor, self.point_scale)\n assert self.header.frame_rate == self.point_rate, 'inconsistent frame rate! {} header != {} POINT:RATE'.format(\n self.header.frame_rate, self.point_rate)\n ratio = self.analog_rate / self.point_rate\n assert True or self.header.analog_per_frame == ratio, 'inconsistent analog rate! {} header != {} analog-fps / {} point-fps'.format(\n self.header.analog_per_frame, self.analog_rate, self.point_rate)\n count = self.analog_used * self.header.analog_per_frame\n assert True or self.header.analog_count == count, 'inconsistent analog count! {} header != {} analog used * {} per-frame'.format(\n self.header.analog_count, self.analog_used, self.header.\n analog_per_frame)\n start = self.get_uint16('POINT:DATA_START')\n assert self.header.data_block == start, 'inconsistent data block! {} header != {} POINT:DATA_START'.format(\n self.header.data_block, start)\n for name in ('POINT:LABELS', 'POINT:DESCRIPTIONS', 'ANALOG:LABELS',\n 'ANALOG:DESCRIPTIONS'):\n if self.get(name) is None:\n warnings.warn('missing parameter {}'.format(name))\n",
"role": "user"
},
{
"content": "check_metadata",
"role": "assistant"
}
] |
def x(self, group_id, name, desc):
if group_id in self.groups:
raise KeyError(group_id)
name = name.upper()
if name in self.groups:
raise KeyError(name)
group = self.groups[name] = self.groups[group_id] = Group(name, desc)
return group
|
add_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group_id, name, desc):\n if group_id in self.groups:\n raise KeyError(group_id)\n name = name.upper()\n if name in self.groups:\n raise KeyError(name)\n group = self.groups[name] = self.groups[group_id] = Group(name, desc)\n return group\n",
"role": "user"
},
{
"content": "add_group",
"role": "assistant"
}
] |
def x(self, group, default=None):
if isinstance(group, int):
return self.groups.get(group, default)
group = group.upper()
param = None
if '.' in group:
group, param = group.split('.', 1)
if ':' in group:
group, param = group.split(':', 1)
if group not in self.groups:
return default
group = self.groups[group]
if param is not None:
return group.get(param, default)
return group
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group, default=None):\n if isinstance(group, int):\n return self.groups.get(group, default)\n group = group.upper()\n param = None\n if '.' in group:\n group, param = group.split('.', 1)\n if ':' in group:\n group, param = group.split(':', 1)\n if group not in self.groups:\n return default\n group = self.groups[group]\n if param is not None:\n return group.get(param, default)\n return group\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
bytes = 4.0 + sum(g.binary_size() for g in self.groups.values())
return int(np.ceil(bytes / 512))
|
parameter_blocks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bytes = 4.0 + sum(g.binary_size() for g in self.groups.values())\n return int(np.ceil(bytes / 512))\n",
"role": "user"
},
{
"content": "parameter_blocks",
"role": "assistant"
}
] |
def x(self, copy=True):
scale = abs(self.point_scale)
is_float = self.point_scale < 0
point_bytes = [2, 4][is_float]
point_dtype = [np.int16, np.float32][is_float]
point_scale = [scale, 1][is_float]
points = np.zeros((self.point_used, 5), float)
p = self.get('ANALOG:FORMAT')
analog_unsigned = p and p.string_value.strip().upper() == 'UNSIGNED'
analog_dtype = np.int16
analog_bytes = 2
if is_float:
analog_dtype = np.float32
analog_bytes = 4
elif analog_unsigned:
analog_dtype = np.uint16
analog_bytes = 2
analog = np.array([], float)
offsets = np.zeros((self.analog_used, 1), int)
param = self.get('ANALOG:OFFSET')
if param is not None:
offsets = param.int16_array[:self.analog_used, None]
scales = np.ones((self.analog_used, 1), float)
param = self.get('ANALOG:SCALE')
if param is not None:
scales = param.float_array[:self.analog_used, None]
gen_scale = 1.0
param = self.get('ANALOG:GEN_SCALE')
if param is not None:
gen_scale = param.float_value
self._handle.seek((self.header.data_block - 1) * 512)
for frame_no in range(self.first_frame(), self.last_frame() + 1):
n = 4 * self.header.point_count
raw = np.fromstring(self._handle.read(n * point_bytes), dtype=
point_dtype, count=n).reshape((self.point_used, 4))
points[:, :3] = raw[:, :3] * point_scale
valid = raw[:, 3] > -1
points[~valid, 3:5] = -1
c = raw[valid, 3].astype(np.uint16)
points[valid, 3] = (c & 255).astype(float) * scale
points[valid, 4] = sum((c & 1 << k) >> k for k in range(8, 17))
if self.header.analog_count > 0:
n = self.header.analog_count
raw = np.fromstring(self._handle.read(n * analog_bytes), dtype=
analog_dtype, count=n).reshape((-1, self.analog_used)).T
analog = (raw.astype(float) - offsets) * scales * gen_scale
if copy:
yield frame_no, points.copy(), analog.copy()
else:
yield frame_no, points, analog
|
read_frames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, copy=True):\n scale = abs(self.point_scale)\n is_float = self.point_scale < 0\n point_bytes = [2, 4][is_float]\n point_dtype = [np.int16, np.float32][is_float]\n point_scale = [scale, 1][is_float]\n points = np.zeros((self.point_used, 5), float)\n p = self.get('ANALOG:FORMAT')\n analog_unsigned = p and p.string_value.strip().upper() == 'UNSIGNED'\n analog_dtype = np.int16\n analog_bytes = 2\n if is_float:\n analog_dtype = np.float32\n analog_bytes = 4\n elif analog_unsigned:\n analog_dtype = np.uint16\n analog_bytes = 2\n analog = np.array([], float)\n offsets = np.zeros((self.analog_used, 1), int)\n param = self.get('ANALOG:OFFSET')\n if param is not None:\n offsets = param.int16_array[:self.analog_used, None]\n scales = np.ones((self.analog_used, 1), float)\n param = self.get('ANALOG:SCALE')\n if param is not None:\n scales = param.float_array[:self.analog_used, None]\n gen_scale = 1.0\n param = self.get('ANALOG:GEN_SCALE')\n if param is not None:\n gen_scale = param.float_value\n self._handle.seek((self.header.data_block - 1) * 512)\n for frame_no in range(self.first_frame(), self.last_frame() + 1):\n n = 4 * self.header.point_count\n raw = np.fromstring(self._handle.read(n * point_bytes), dtype=\n point_dtype, count=n).reshape((self.point_used, 4))\n points[:, :3] = raw[:, :3] * point_scale\n valid = raw[:, 3] > -1\n points[~valid, 3:5] = -1\n c = raw[valid, 3].astype(np.uint16)\n points[valid, 3] = (c & 255).astype(float) * scale\n points[valid, 4] = sum((c & 1 << k) >> k for k in range(8, 17))\n if self.header.analog_count > 0:\n n = self.header.analog_count\n raw = np.fromstring(self._handle.read(n * analog_bytes), dtype=\n analog_dtype, count=n).reshape((-1, self.analog_used)).T\n analog = (raw.astype(float) - offsets) * scales * gen_scale\n if copy:\n yield frame_no, points.copy(), analog.copy()\n else:\n yield frame_no, points, analog\n",
"role": "user"
},
{
"content": "read_frames",
"role": "assistant"
}
] |
def x(self, handle):
extra = handle.tell() % 512
if extra:
handle.write(b'\x00' * (512 - extra))
|
pad_block
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n extra = handle.tell() % 512\n if extra:\n handle.write(b'\\x00' * (512 - extra))\n",
"role": "user"
},
{
"content": "pad_block",
"role": "assistant"
}
] |
def x(self, handle):
self.check_metadata()
self.header.write(handle)
self._pad_block(handle)
assert handle.tell() == 512
handle.write(struct.pack('BBBB', 0, 0, self.parameter_blocks(),
PROCESSOR_INTEL))
id_groups = sorted((i, g) for i, g in self.groups.items() if isinstance
(i, int))
for group_id, group in id_groups:
group.write(group_id, handle)
self._pad_block(handle)
while handle.tell() != 512 * (self.header.data_block - 1):
handle.write(b'\x00' * 512)
|
write_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n self.check_metadata()\n self.header.write(handle)\n self._pad_block(handle)\n assert handle.tell() == 512\n handle.write(struct.pack('BBBB', 0, 0, self.parameter_blocks(),\n PROCESSOR_INTEL))\n id_groups = sorted((i, g) for i, g in self.groups.items() if isinstance\n (i, int))\n for group_id, group in id_groups:\n group.write(group_id, handle)\n self._pad_block(handle)\n while handle.tell() != 512 * (self.header.data_block - 1):\n handle.write(b'\\x00' * 512)\n",
"role": "user"
},
{
"content": "write_metadata",
"role": "assistant"
}
] |
def x(self, handle):
assert handle.tell() == 512 * (self.header.data_block - 1)
scale = abs(self.point_scale)
is_float = self.point_scale < 0
point_dtype = [np.int16, np.float32][is_float]
point_scale = [scale, 1][is_float]
point_format = 'if'[is_float]
raw = np.empty((self.point_used, 4), point_dtype)
for points, analog in self._frames:
valid = points[:, 3] > -1
raw[~valid, 3] = -1
raw[valid, :3] = points[valid, :3] / self._point_scale
raw[valid, 3] = points[valid, 4].astype(np.uint8) << 8 | (points[
valid, 3] / scale).astype(np.uint16)
point = array.array(point_format)
point.extend(raw.flatten())
point.tofile(handle)
analog = array.array(point_format)
analog.extend(analog)
analog.tofile(handle)
self._pad_block(handle)
|
write_frames
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n assert handle.tell() == 512 * (self.header.data_block - 1)\n scale = abs(self.point_scale)\n is_float = self.point_scale < 0\n point_dtype = [np.int16, np.float32][is_float]\n point_scale = [scale, 1][is_float]\n point_format = 'if'[is_float]\n raw = np.empty((self.point_used, 4), point_dtype)\n for points, analog in self._frames:\n valid = points[:, 3] > -1\n raw[~valid, 3] = -1\n raw[valid, :3] = points[valid, :3] / self._point_scale\n raw[valid, 3] = points[valid, 4].astype(np.uint8) << 8 | (points[\n valid, 3] / scale).astype(np.uint16)\n point = array.array(point_format)\n point.extend(raw.flatten())\n point.tofile(handle)\n analog = array.array(point_format)\n analog.extend(analog)\n analog.tofile(handle)\n self._pad_block(handle)\n",
"role": "user"
},
{
"content": "write_frames",
"role": "assistant"
}
] |
def x(self, handle):
if not self._frames:
return
def x(name, desc, bpe, format, bytes, *dimensions):
group.add_param(name, desc=desc, bytes_per_element=bpe, bytes=
struct.pack(format, bytes), dimensions=list(dimensions))
def x(name, desc, bytes, *dimensions):
group.add_param(name, desc=desc, bytes_per_element=-1, bytes=bytes.
encode('utf-8'), dimensions=list(dimensions))
def x(name, desc, bpe):
group.add_param(name, desc=desc, bytes_per_element=bpe, dimensions=[0])
points, analog = self._frames[0]
ppf = len(points)
group = self.add_group(1, 'POINT', 'POINT group')
add('USED', 'Number of 3d markers', 2, '<H', ppf)
add('FRAMES', 'frame count', 2, '<H', min(65535, len(self._frames)))
add('DATA_START', 'data block number', 2, '<H', 0)
add('SCALE', '3d scale factor', 4, '<f', self._point_scale)
add('RATE', '3d data capture rate', 4, '<f', self._point_rate)
add_str('X_SCREEN', 'X_SCREEN parameter', '+X', 2)
add_str('Y_SCREEN', 'Y_SCREEN parameter', '+Y', 2)
add_str('UNITS', '3d data units', self._point_units, len(self._point_units)
)
add_str('LABELS', 'labels', ''.join('M%03d ' % i for i in range(ppf)),
5, ppf)
add_str('DESCRIPTIONS', 'descriptions', ' ' * 16 * ppf, 16, ppf)
group = self.add_group(2, 'ANALOG', 'ANALOG group')
add('USED', 'analog channel count', 2, '<H', analog.shape[0])
add('RATE', 'analog samples per 3d frame', 4, '<f', analog.shape[1])
add('GEN_SCALE', 'analog general scale factor', 4, '<f', self._gen_scale)
add_empty_array('SCALE', 'analog channel scale factors', 4)
add_empty_array('OFFSET', 'analog channel offsets', 2)
group = self.add_group(3, 'TRIAL', 'TRIAL group')
add('ACTUAL_START_FIELD', 'actual start frame', 2, '<I', 1, 2)
add('ACTUAL_END_FIELD', 'actual end frame', 2, '<I', len(self._frames), 2)
blocks = self.parameter_blocks()
self.get('POINT:DATA_START').bytes = struct.pack('<H', 2 + blocks)
self.header.data_block = 2 + blocks
self.header.frame_rate = self._point_rate
self.header.last_frame = min(len(self._frames), 65535)
self.header.point_count = ppf
self.header.analog_count = np.prod(analog.shape)
self.header.analog_per_frame = analog.shape[0]
self.header.scale_factor = self._point_scale
self._write_metadata(handle)
self._write_frames(handle)
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle):\n if not self._frames:\n return\n\n def x(name, desc, bpe, format, bytes, *dimensions):\n group.add_param(name, desc=desc, bytes_per_element=bpe, bytes=\n struct.pack(format, bytes), dimensions=list(dimensions))\n\n def x(name, desc, bytes, *dimensions):\n group.add_param(name, desc=desc, bytes_per_element=-1, bytes=bytes.\n encode('utf-8'), dimensions=list(dimensions))\n\n def x(name, desc, bpe):\n group.add_param(name, desc=desc, bytes_per_element=bpe, dimensions=[0])\n points, analog = self._frames[0]\n ppf = len(points)\n group = self.add_group(1, 'POINT', 'POINT group')\n add('USED', 'Number of 3d markers', 2, '<H', ppf)\n add('FRAMES', 'frame count', 2, '<H', min(65535, len(self._frames)))\n add('DATA_START', 'data block number', 2, '<H', 0)\n add('SCALE', '3d scale factor', 4, '<f', self._point_scale)\n add('RATE', '3d data capture rate', 4, '<f', self._point_rate)\n add_str('X_SCREEN', 'X_SCREEN parameter', '+X', 2)\n add_str('Y_SCREEN', 'Y_SCREEN parameter', '+Y', 2)\n add_str('UNITS', '3d data units', self._point_units, len(self._point_units)\n )\n add_str('LABELS', 'labels', ''.join('M%03d ' % i for i in range(ppf)), \n 5, ppf)\n add_str('DESCRIPTIONS', 'descriptions', ' ' * 16 * ppf, 16, ppf)\n group = self.add_group(2, 'ANALOG', 'ANALOG group')\n add('USED', 'analog channel count', 2, '<H', analog.shape[0])\n add('RATE', 'analog samples per 3d frame', 4, '<f', analog.shape[1])\n add('GEN_SCALE', 'analog general scale factor', 4, '<f', self._gen_scale)\n add_empty_array('SCALE', 'analog channel scale factors', 4)\n add_empty_array('OFFSET', 'analog channel offsets', 2)\n group = self.add_group(3, 'TRIAL', 'TRIAL group')\n add('ACTUAL_START_FIELD', 'actual start frame', 2, '<I', 1, 2)\n add('ACTUAL_END_FIELD', 'actual end frame', 2, '<I', len(self._frames), 2)\n blocks = self.parameter_blocks()\n self.get('POINT:DATA_START').bytes = struct.pack('<H', 2 + blocks)\n self.header.data_block = 2 + blocks\n self.header.frame_rate = self._point_rate\n self.header.last_frame = min(len(self._frames), 65535)\n self.header.point_count = ppf\n self.header.analog_count = np.prod(analog.shape)\n self.header.analog_per_frame = analog.shape[0]\n self.header.scale_factor = self._point_scale\n self._write_metadata(handle)\n self._write_frames(handle)\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, start_time, end_time, limit=0, net_masks='', exclude_net_masks=
False, filter_proto=None):
if net_masks == '':
net_mask_filter = ''
elif not exclude_net_masks:
net_mask_filter = 'AND mask_dst IN ({})'.format(net_masks)
elif exclude_net_masks:
net_mask_filter = 'AND mask_dst NOT IN ({})'.format(net_masks)
if filter_proto is None:
proto_filter = ''
elif int(filter_proto) == 4:
proto_filter = 'AND ip_dst NOT LIKE "%:%"'
elif int(filter_proto) == 6:
proto_filter = 'AND ip_dst LIKE "%:%"'
query = (
""" SELECT ip_dst||'/'||mask_dst as key, SUM(bytes) as sum_bytes, as_dst
from acct
WHERE
datetime(stamp_updated) BETWEEN datetime(?) AND datetime(?, "+1 second")
{}
{}
GROUP by ip_dst,mask_dst
ORDER BY SUM(bytes) DESC
"""
.format(net_mask_filter, proto_filter))
if limit > 0:
query += 'LIMIT %d' % limit
return self._execute_query(query, [start_time, end_time])
|
aggregate_per_prefix
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time, end_time, limit=0, net_masks='', exclude_net_masks=\n False, filter_proto=None):\n if net_masks == '':\n net_mask_filter = ''\n elif not exclude_net_masks:\n net_mask_filter = 'AND mask_dst IN ({})'.format(net_masks)\n elif exclude_net_masks:\n net_mask_filter = 'AND mask_dst NOT IN ({})'.format(net_masks)\n if filter_proto is None:\n proto_filter = ''\n elif int(filter_proto) == 4:\n proto_filter = 'AND ip_dst NOT LIKE \"%:%\"'\n elif int(filter_proto) == 6:\n proto_filter = 'AND ip_dst LIKE \"%:%\"'\n query = (\n \"\"\" SELECT ip_dst||'/'||mask_dst as key, SUM(bytes) as sum_bytes, as_dst\n from acct\n WHERE\n datetime(stamp_updated) BETWEEN datetime(?) AND datetime(?, \"+1 second\")\n {}\n {}\n GROUP by ip_dst,mask_dst\n ORDER BY SUM(bytes) DESC\n \"\"\"\n .format(net_mask_filter, proto_filter))\n if limit > 0:\n query += 'LIMIT %d' % limit\n return self._execute_query(query, [start_time, end_time])\n",
"role": "user"
},
{
"content": "aggregate_per_prefix",
"role": "assistant"
}
] |
def x(self, start_time, end_time):
query = """ SELECT as_dst as key, SUM(bytes) as sum_bytes
from acct
WHERE
datetime(stamp_updated) BETWEEN datetime(?) AND datetime(?, "+1 second")
GROUP by as_dst
ORDER BY SUM(bytes) DESC;
"""
return self._execute_query(query, [start_time, end_time])
|
aggregate_per_as
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, start_time, end_time):\n query = \"\"\" SELECT as_dst as key, SUM(bytes) as sum_bytes\n from acct\n WHERE\n datetime(stamp_updated) BETWEEN datetime(?) AND datetime(?, \"+1 second\")\n GROUP by as_dst\n ORDER BY SUM(bytes) DESC;\n \"\"\"\n return self._execute_query(query, [start_time, end_time])\n",
"role": "user"
},
{
"content": "aggregate_per_as",
"role": "assistant"
}
] |
def x(project):
RED = 255, 0, 0
PLACEHOLDER = kurt.Image.new((32, 32), RED)
for scriptable in ([project.stage] + project.sprites):
for costume in scriptable.costumes:
if costume.image.format == 'SVG':
yield '%s - %s' % (scriptable.name, costume.name)
costume.image = PLACEHOLDER
|
workaround_no_vector_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project):\n RED = 255, 0, 0\n PLACEHOLDER = kurt.Image.new((32, 32), RED)\n for scriptable in ([project.stage] + project.sprites):\n for costume in scriptable.costumes:\n if costume.image.format == 'SVG':\n yield '%s - %s' % (scriptable.name, costume.name)\n costume.image = PLACEHOLDER\n",
"role": "user"
},
{
"content": "workaround_no_vector_images",
"role": "assistant"
}
] |
def x(project):
for name, var in project.stage.variables.items():
yield 'variable %s' % name
for name, _list in project.stage.lists.items():
yield 'list %s' % name
project.variables.update(project.stage.variables)
project.lists.update(project.stage.lists)
project.stage.variables = {}
project.stage.lists = {}
|
workaround_no_stage_specific_variables
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(project):\n for name, var in project.stage.variables.items():\n yield 'variable %s' % name\n for name, _list in project.stage.lists.items():\n yield 'list %s' % name\n project.variables.update(project.stage.variables)\n project.lists.update(project.stage.lists)\n project.stage.variables = {}\n project.stage.lists = {}\n",
"role": "user"
},
{
"content": "workaround_no_stage_specific_variables",
"role": "assistant"
}
] |
def x(cls, command):
for block in cls.blocks:
if block.has_command(command):
return block
|
block_by_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, command):\n for block in cls.blocks:\n if block.has_command(command):\n return block\n",
"role": "user"
},
{
"content": "block_by_command",
"role": "assistant"
}
] |
def x(cls, text):
text = kurt.BlockType._strip_text(text)
matches = []
for block in cls.blocks:
for pbt in block.conversions:
if pbt.stripped_text == text:
matches.append(block)
break
return matches
|
blocks_by_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, text):\n text = kurt.BlockType._strip_text(text)\n matches = []\n for block in cls.blocks:\n for pbt in block.conversions:\n if pbt.stripped_text == text:\n matches.append(block)\n break\n return matches\n",
"role": "user"
},
{
"content": "blocks_by_text",
"role": "assistant"
}
] |
def x(scripts):
scripts_with_pos = [s for s in scripts if s.pos]
scripts_with_pos.sort(key=lambda s: (s.pos[1], s.pos[0]))
scripts = scripts_with_pos + [s for s in scripts if not s.pos]
y = 20
for script in scripts:
script.pos = 20, y
if isinstance(script, kurt.Script):
y += stack_height(script.blocks)
elif isinstance(script, kurt.Comment):
y += 14
y += 15
|
clean_up
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scripts):\n scripts_with_pos = [s for s in scripts if s.pos]\n scripts_with_pos.sort(key=lambda s: (s.pos[1], s.pos[0]))\n scripts = scripts_with_pos + [s for s in scripts if not s.pos]\n y = 20\n for script in scripts:\n script.pos = 20, y\n if isinstance(script, kurt.Script):\n y += stack_height(script.blocks)\n elif isinstance(script, kurt.Comment):\n y += 14\n y += 15\n",
"role": "user"
},
{
"content": "clean_up",
"role": "assistant"
}
] |
def x(module):
for name in dir(module):
if not name.startswith('_'):
cls = getattr(module, name)
if getattr(cls, 'classID', None):
yield name, cls
|
obj_classes_from_module
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(module):\n for name in dir(module):\n if not name.startswith('_'):\n cls = getattr(module, name)\n if getattr(cls, 'classID', None):\n yield name, cls\n",
"role": "user"
},
{
"content": "obj_classes_from_module",
"role": "assistant"
}
] |
def x(objects):
def x(obj, objects=objects):
if isinstance(obj, Ref):
return objects[obj.index - 1]
else:
return obj
for i in xrange(len(objects) - 1, -1, -1):
obj = objects[i]
if isinstance(obj, Container):
obj.update((k, resolve_ref(v)) for k, v in obj.items())
elif isinstance(obj, Dictionary):
obj.value = dict((resolve_ref(field), resolve_ref(value)) for
field, value in obj.value.items())
elif isinstance(obj, dict):
obj = dict((resolve_ref(field), resolve_ref(value)) for field,
value in obj.items())
elif isinstance(obj, list):
obj = [resolve_ref(field) for field in obj]
elif isinstance(obj, Form):
for field in obj.value:
value = getattr(obj, field)
value = resolve_ref(value)
setattr(obj, field, value)
elif isinstance(obj, ContainsRefs):
obj.value = [resolve_ref(field) for field in obj.value]
objects[i] = obj
for obj in objects:
if isinstance(obj, Form):
obj.built()
root = objects[0]
return root
|
decode_network
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(objects):\n\n def x(obj, objects=objects):\n if isinstance(obj, Ref):\n return objects[obj.index - 1]\n else:\n return obj\n for i in xrange(len(objects) - 1, -1, -1):\n obj = objects[i]\n if isinstance(obj, Container):\n obj.update((k, resolve_ref(v)) for k, v in obj.items())\n elif isinstance(obj, Dictionary):\n obj.value = dict((resolve_ref(field), resolve_ref(value)) for \n field, value in obj.value.items())\n elif isinstance(obj, dict):\n obj = dict((resolve_ref(field), resolve_ref(value)) for field,\n value in obj.items())\n elif isinstance(obj, list):\n obj = [resolve_ref(field) for field in obj]\n elif isinstance(obj, Form):\n for field in obj.value:\n value = getattr(obj, field)\n value = resolve_ref(value)\n setattr(obj, field, value)\n elif isinstance(obj, ContainsRefs):\n obj.value = [resolve_ref(field) for field in obj.value]\n objects[i] = obj\n for obj in objects:\n if isinstance(obj, Form):\n obj.built()\n root = objects[0]\n return root\n",
"role": "user"
},
{
"content": "decode_network",
"role": "assistant"
}
] |
def x(root):
orig_objects = []
objects = []
def x(value, objects=objects):
value = PythonicAdapter(Pass)._encode(value, None)
if isinstance(value, (Container, FixedObject)):
if getattr(value, '_tmp_index', None):
index = value._tmp_index
else:
objects.append(value)
index = len(objects)
value._tmp_index = index
orig_objects.append(value)
return Ref(index)
else:
return value
def x(obj):
obj = PythonicAdapter(Pass)._encode(obj, None)
if isinstance(obj, Container):
obj.update((k, get_ref(v)) for k, v in obj.items() if k !=
'class_name')
fixed_obj = obj
elif isinstance(obj, Dictionary):
fixed_obj = obj.__class__(dict((get_ref(field), get_ref(value)) for
field, value in obj.value.items()))
elif isinstance(obj, dict):
fixed_obj = dict((get_ref(field), get_ref(value)) for field,
value in obj.items())
elif isinstance(obj, list):
fixed_obj = [get_ref(field) for field in obj]
elif isinstance(obj, Form):
fixed_obj = obj.__class__(**dict((field, get_ref(value)) for
field, value in obj.value.items()))
elif isinstance(obj, ContainsRefs):
fixed_obj = obj.__class__([get_ref(field) for field in obj.value])
else:
return obj
fixed_obj._made_from = obj
return fixed_obj
root = PythonicAdapter(Pass)._encode(root, None)
i = 0
objects = [root]
root._tmp_index = 1
while i < len(objects):
objects[i] = fix_fields(objects[i])
i += 1
for obj in orig_objects:
obj._tmp_index = None
return objects
|
encode_network
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n orig_objects = []\n objects = []\n\n def x(value, objects=objects):\n value = PythonicAdapter(Pass)._encode(value, None)\n if isinstance(value, (Container, FixedObject)):\n if getattr(value, '_tmp_index', None):\n index = value._tmp_index\n else:\n objects.append(value)\n index = len(objects)\n value._tmp_index = index\n orig_objects.append(value)\n return Ref(index)\n else:\n return value\n\n def x(obj):\n obj = PythonicAdapter(Pass)._encode(obj, None)\n if isinstance(obj, Container):\n obj.update((k, get_ref(v)) for k, v in obj.items() if k !=\n 'class_name')\n fixed_obj = obj\n elif isinstance(obj, Dictionary):\n fixed_obj = obj.__class__(dict((get_ref(field), get_ref(value)) for\n field, value in obj.value.items()))\n elif isinstance(obj, dict):\n fixed_obj = dict((get_ref(field), get_ref(value)) for field,\n value in obj.items())\n elif isinstance(obj, list):\n fixed_obj = [get_ref(field) for field in obj]\n elif isinstance(obj, Form):\n fixed_obj = obj.__class__(**dict((field, get_ref(value)) for \n field, value in obj.value.items()))\n elif isinstance(obj, ContainsRefs):\n fixed_obj = obj.__class__([get_ref(field) for field in obj.value])\n else:\n return obj\n fixed_obj._made_from = obj\n return fixed_obj\n root = PythonicAdapter(Pass)._encode(root, None)\n i = 0\n objects = [root]\n root._tmp_index = 1\n while i < len(objects):\n objects[i] = fix_fields(objects[i])\n i += 1\n for obj in orig_objects:\n obj._tmp_index = None\n return objects\n",
"role": "user"
},
{
"content": "encode_network",
"role": "assistant"
}
] |
def x(root):
def x(obj):
if isinstance(obj, Container):
obj.update((k, get_ref(v)) for k, v in obj.items() if k !=
'class_name')
fixed_obj = obj
elif isinstance(obj, Dictionary):
fixed_obj = obj.__class__(dict((get_ref(field), get_ref(value)) for
field, value in obj.value.items()))
elif isinstance(obj, dict):
fixed_obj = dict((get_ref(field), get_ref(value)) for field,
value in obj.items())
elif isinstance(obj, list):
fixed_obj = [get_ref(field) for field in obj]
elif isinstance(obj, Form):
fixed_obj = obj.__class__(**dict((field, get_ref(value)) for
field, value in obj.value.items()))
elif isinstance(obj, ContainsRefs):
fixed_obj = obj.__class__([get_ref(field) for field in obj.value])
else:
return obj
fixed_obj._made_from = obj
return fixed_obj
objects = []
def x(obj, objects=objects):
obj = PythonicAdapter(Pass)._encode(obj, None)
if isinstance(obj, (FixedObject, Container)):
if getattr(obj, '_index', None):
index = obj._index
else:
objects.append(None)
obj._index = index = len(objects)
objects[index - 1] = fix_values(obj)
return Ref(index)
else:
return obj
get_ref(root)
for obj in objects:
if getattr(obj, '_index', None):
del obj._index
return objects
|
encode_network
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root):\n\n def x(obj):\n if isinstance(obj, Container):\n obj.update((k, get_ref(v)) for k, v in obj.items() if k !=\n 'class_name')\n fixed_obj = obj\n elif isinstance(obj, Dictionary):\n fixed_obj = obj.__class__(dict((get_ref(field), get_ref(value)) for\n field, value in obj.value.items()))\n elif isinstance(obj, dict):\n fixed_obj = dict((get_ref(field), get_ref(value)) for field,\n value in obj.items())\n elif isinstance(obj, list):\n fixed_obj = [get_ref(field) for field in obj]\n elif isinstance(obj, Form):\n fixed_obj = obj.__class__(**dict((field, get_ref(value)) for \n field, value in obj.value.items()))\n elif isinstance(obj, ContainsRefs):\n fixed_obj = obj.__class__([get_ref(field) for field in obj.value])\n else:\n return obj\n fixed_obj._made_from = obj\n return fixed_obj\n objects = []\n\n def x(obj, objects=objects):\n obj = PythonicAdapter(Pass)._encode(obj, None)\n if isinstance(obj, (FixedObject, Container)):\n if getattr(obj, '_index', None):\n index = obj._index\n else:\n objects.append(None)\n obj._index = index = len(objects)\n objects[index - 1] = fix_values(obj)\n return Ref(index)\n else:\n return obj\n get_ref(root)\n for obj in objects:\n if getattr(obj, '_index', None):\n del obj._index\n return objects\n",
"role": "user"
},
{
"content": "encode_network",
"role": "assistant"
}
] |
def x(table_entries, plugin):
entries = []
for entry in table_entries:
if isinstance(entry, Container):
assert not hasattr(entry, '__recursion_lock__')
user_obj_def = plugin.user_objects[entry.classID]
assert entry.version == user_obj_def.version
entry = Container(class_name=entry.classID, **dict(zip(
user_obj_def.defaults.keys(), entry.values)))
entries.append(entry)
return decode_network(entries)
|
decode_obj_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table_entries, plugin):\n entries = []\n for entry in table_entries:\n if isinstance(entry, Container):\n assert not hasattr(entry, '__recursion_lock__')\n user_obj_def = plugin.user_objects[entry.classID]\n assert entry.version == user_obj_def.version\n entry = Container(class_name=entry.classID, **dict(zip(\n user_obj_def.defaults.keys(), entry.values)))\n entries.append(entry)\n return decode_network(entries)\n",
"role": "user"
},
{
"content": "decode_obj_table",
"role": "assistant"
}
] |
def x(root, plugin):
entries = encode_network(root)
table_entries = []
for entry in entries:
if isinstance(entry, Container):
assert not hasattr(entry, '__recursion_lock__')
user_obj_def = plugin.user_objects[entry.class_name]
attrs = OrderedDict()
for key, default in user_obj_def.defaults.items():
attrs[key] = entry.get(key, default)
entry = Container(classID=entry.class_name, length=len(attrs),
version=user_obj_def.version, values=attrs.values())
table_entries.append(entry)
return table_entries
|
encode_obj_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(root, plugin):\n entries = encode_network(root)\n table_entries = []\n for entry in entries:\n if isinstance(entry, Container):\n assert not hasattr(entry, '__recursion_lock__')\n user_obj_def = plugin.user_objects[entry.class_name]\n attrs = OrderedDict()\n for key, default in user_obj_def.defaults.items():\n attrs[key] = entry.get(key, default)\n entry = Container(classID=entry.class_name, length=len(attrs),\n version=user_obj_def.version, values=attrs.values())\n table_entries.append(entry)\n return table_entries\n",
"role": "user"
},
{
"content": "encode_obj_table",
"role": "assistant"
}
] |
def x(self, obj, context):
func = getattr(obj, 'to_construct', None)
if callable(func):
return func(context)
else:
return obj
|
encode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, context):\n func = getattr(obj, 'to_construct', None)\n if callable(func):\n return func(context)\n else:\n return obj\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self, obj, context):
cls = self._get_class(obj.classID)
return cls.from_construct(obj, context)
|
decode
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, context):\n cls = self._get_class(obj.classID)\n return cls.from_construct(obj, context)\n",
"role": "user"
},
{
"content": "decode",
"role": "assistant"
}
] |
def x(path):
midi_notes = []
def x(track, channel, pitch, velocity, start, end):
midi_notes.append((pitch, start, end))
midi.register_note = register_note
global m
m = midi.MidiFile()
m.open(midi_path)
m.read()
m.close()
for pitch, start, end in midi_notes:
start /= m.ticksPerQuarterNote
end /= m.ticksPerQuarterNote
yield pitch, start, end
|
load_midi_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n midi_notes = []\n\n def x(track, channel, pitch, velocity, start, end):\n midi_notes.append((pitch, start, end))\n midi.register_note = register_note\n global m\n m = midi.MidiFile()\n m.open(midi_path)\n m.read()\n m.close()\n for pitch, start, end in midi_notes:\n start /= m.ticksPerQuarterNote\n end /= m.ticksPerQuarterNote\n yield pitch, start, end\n",
"role": "user"
},
{
"content": "load_midi_file",
"role": "assistant"
}
] |
def x(self, v14_scriptable):
images = []
sounds = []
for media in v14_scriptable.media:
if media.class_name == 'SoundMedia':
sounds.append(media)
elif media.class_name == 'ImageMedia':
images.append(media)
return images, sounds
|
get_media
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, v14_scriptable):\n images = []\n sounds = []\n for media in v14_scriptable.media:\n if media.class_name == 'SoundMedia':\n sounds.append(media)\n elif media.class_name == 'ImageMedia':\n images.append(media)\n return images, sounds\n",
"role": "user"
},
{
"content": "get_media",
"role": "assistant"
}
] |
def x(cls, bytes_):
runs = cls._length_run_coding.parse(bytes_)
pixels = (run.pixels for run in runs.data)
data = ''.join(itertools.chain.from_iterable(pixels))
return cls(data)
|
from_byte_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, bytes_):\n runs = cls._length_run_coding.parse(bytes_)\n pixels = (run.pixels for run in runs.data)\n data = ''.join(itertools.chain.from_iterable(pixels))\n return cls(data)\n",
"role": "user"
},
{
"content": "from_byte_array",
"role": "assistant"
}
] |
def x(cls, width, height, rgba_string):
raw = ''
for i in range(0, len(rgba_string), 4):
raw += rgba_string[i + 3]
raw += rgba_string[i:i + 3]
assert len(rgba_string) == width * height * 4
return Form(width=width, height=height, depth=32, bits=Bitmap(raw))
|
from_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, width, height, rgba_string):\n raw = ''\n for i in range(0, len(rgba_string), 4):\n raw += rgba_string[i + 3]\n raw += rgba_string[i:i + 3]\n assert len(rgba_string) == width * height * 4\n return Form(width=width, height=height, depth=32, bits=Bitmap(raw))\n",
"role": "user"
},
{
"content": "from_string",
"role": "assistant"
}
] |
def x(path):
if sys.platform == 'win32':
os.startfile(path)
elif sys.platform == 'darwin':
subprocess.Popen(['open', path])
else:
try:
subprocess.Popen(['xdg-open', path])
except OSError:
pass
|
open_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(path):\n if sys.platform == 'win32':\n os.startfile(path)\n elif sys.platform == 'darwin':\n subprocess.Popen(['open', path])\n else:\n try:\n subprocess.Popen(['xdg-open', path])\n except OSError:\n pass\n",
"role": "user"
},
{
"content": "open_file",
"role": "assistant"
}
] |
def x(self, path):
self.file_path.delete(0, END)
self.file_path.insert(0, path)
|
set_file_path
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n self.file_path.delete(0, END)\n self.file_path.insert(0, path)\n",
"role": "user"
},
{
"content": "set_file_path",
"role": "assistant"
}
] |
def x(self):
p = Project()
p.name = self.name
p.path = self.path
p._plugin = self._plugin
p.stage = self.stage.copy()
p.stage.project = p
for sprite in self.sprites:
s = sprite.copy()
s.project = p
p.sprites.append(s)
for actor in self.actors:
if isinstance(actor, Sprite):
p.actors.append(p.get_sprite(actor.name))
else:
a = actor.copy()
if isinstance(a, Watcher):
if isinstance(a.target, Project):
a.target = p
elif isinstance(a.target, Stage):
a.target = p.stage
else:
a.target = p.get_sprite(a.target.name)
p.actors.append(a)
p.variables = dict((n, v.copy()) for n, v in self.variables.items())
p.lists = dict((n, l.copy()) for n, l in self.lists.items())
p.thumbnail = self.thumbnail
p.tempo = self.tempo
p.notes = self.notes
p.author = self.author
return p
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = Project()\n p.name = self.name\n p.path = self.path\n p._plugin = self._plugin\n p.stage = self.stage.copy()\n p.stage.project = p\n for sprite in self.sprites:\n s = sprite.copy()\n s.project = p\n p.sprites.append(s)\n for actor in self.actors:\n if isinstance(actor, Sprite):\n p.actors.append(p.get_sprite(actor.name))\n else:\n a = actor.copy()\n if isinstance(a, Watcher):\n if isinstance(a.target, Project):\n a.target = p\n elif isinstance(a.target, Stage):\n a.target = p.stage\n else:\n a.target = p.get_sprite(a.target.name)\n p.actors.append(a)\n p.variables = dict((n, v.copy()) for n, v in self.variables.items())\n p.lists = dict((n, l.copy()) for n, l in self.lists.items())\n p.thumbnail = self.thumbnail\n p.tempo = self.tempo\n p.notes = self.notes\n p.author = self.author\n return p\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, format):
self._plugin = kurt.plugin.Kurt.get_plugin(format)
return list(self._normalize())
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format):\n self._plugin = kurt.plugin.Kurt.get_plugin(format)\n return list(self._normalize())\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, o=None):
if o is None:
o = self.__class__(self.project)
o.scripts = [s.copy() for s in self.scripts]
o.variables = dict((n, v.copy()) for n, v in self.variables.items())
o.lists = dict((n, l.copy()) for n, l in self.lists.items())
o.costumes = [c.copy() for c in self.costumes]
o.sounds = [s.copy() for s in self.sounds]
o.costume_index = self.costume_index
o.volume = self.volume
return o
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, o=None):\n if o is None:\n o = self.__class__(self.project)\n o.scripts = [s.copy() for s in self.scripts]\n o.variables = dict((n, v.copy()) for n, v in self.variables.items())\n o.lists = dict((n, l.copy()) for n, l in self.lists.items())\n o.costumes = [c.copy() for c in self.costumes]\n o.sounds = [s.copy() for s in self.sounds]\n o.costume_index = self.costume_index\n o.volume = self.volume\n return o\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, text):
self.scripts.append(kurt.text.parse(text, self))
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n self.scripts.append(kurt.text.parse(text, self))\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self):
o = self.__class__(self.project, self.name)
Scriptable.copy(self, o)
o.position = tuple(self.position)
o.direction = self.direction
o.rotation_style = self.rotation_style
o.size = self.size
o.is_draggable = self.is_draggable
o.is_visible = self.is_visible
return o
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n o = self.__class__(self.project, self.name)\n Scriptable.copy(self, o)\n o.position = tuple(self.position)\n o.direction = self.direction\n o.rotation_style = self.rotation_style\n o.size = self.size\n o.is_draggable = self.is_draggable\n o.is_visible = self.is_visible\n return o\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
o = self.__class__(self.target, self.block.copy(), self.style, self.
is_visible, self.pos)
o.slider_min = self.slider_min
o.slider_max = self.slider_max
return o
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n o = self.__class__(self.target, self.block.copy(), self.style, self.\n is_visible, self.pos)\n o.slider_min = self.slider_min\n o.slider_max = self.slider_max\n return o\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
if self.block.type.has_command('readVariable'):
return 'variable'
elif self.block.type.has_command('contentsOfList:'):
return 'list'
else:
return 'block'
|
kind
|
[
{
"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.block.type.has_command('readVariable'):\n return 'variable'\n elif self.block.type.has_command('contentsOfList:'):\n return 'list'\n else:\n return 'block'\n",
"role": "user"
},
{
"content": "kind",
"role": "assistant"
}
] |
def x(self):
if self.kind == 'variable':
return self.target.variables[self.block.args[0]]
elif self.kind == 'list':
return self.target.lists[self.block.args[0]]
|
value
|
[
{
"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.kind == 'variable':\n return self.target.variables[self.block.args[0]]\n elif self.kind == 'list':\n return self.target.lists[self.block.args[0]]\n",
"role": "user"
},
{
"content": "value",
"role": "assistant"
}
] |
def x(self):
hexcode = '#'
for x in self.value:
part = hex(x)[2:]
if len(part) < 2:
part = '0' + part
hexcode += part
return hexcode
|
stringify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n hexcode = '#'\n for x in self.value:\n part = hex(x)[2:]\n if len(part) < 2:\n part = '0' + part\n hexcode += part\n return hexcode\n",
"role": "user"
},
{
"content": "stringify",
"role": "assistant"
}
] |
def x(self, scriptable=None):
options = list(Insert.KIND_OPTIONS.get(self.kind, []))
if scriptable:
if self.kind == 'var':
options += scriptable.variables.keys()
options += scriptable.project.variables.keys()
elif self.kind == 'list':
options += scriptable.lists.keys()
options += scriptable.project.lists.keys()
elif self.kind == 'costume':
options += [c.name for c in scriptable.costumes]
elif self.kind == 'backdrop':
options += [c.name for c in scriptable.project.stage.costumes]
elif self.kind == 'sound':
options += [c.name for c in scriptable.sounds]
options += [c.name for c in scriptable.project.stage.sounds]
elif self.kind in ('spriteOnly', 'spriteOrMouse', 'spriteOrStage',
'touching'):
options += [s.name for s in scriptable.project.sprites]
elif self.kind == 'attribute':
pass
elif self.kind == 'broadcast':
options += list(set(scriptable.project.get_broadcasts()))
return options
|
options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scriptable=None):\n options = list(Insert.KIND_OPTIONS.get(self.kind, []))\n if scriptable:\n if self.kind == 'var':\n options += scriptable.variables.keys()\n options += scriptable.project.variables.keys()\n elif self.kind == 'list':\n options += scriptable.lists.keys()\n options += scriptable.project.lists.keys()\n elif self.kind == 'costume':\n options += [c.name for c in scriptable.costumes]\n elif self.kind == 'backdrop':\n options += [c.name for c in scriptable.project.stage.costumes]\n elif self.kind == 'sound':\n options += [c.name for c in scriptable.sounds]\n options += [c.name for c in scriptable.project.stage.sounds]\n elif self.kind in ('spriteOnly', 'spriteOrMouse', 'spriteOrStage',\n 'touching'):\n options += [s.name for s in scriptable.project.sprites]\n elif self.kind == 'attribute':\n pass\n elif self.kind == 'broadcast':\n options += list(set(scriptable.project.get_broadcasts()))\n return options\n",
"role": "user"
},
{
"content": "options",
"role": "assistant"
}
] |
def x(self):
parts = [('%s' if isinstance(p, Insert) else p) for p in self.parts]
parts = [('%%' if p == '%' else p) for p in parts]
return ''.join(parts)
|
text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parts = [('%s' if isinstance(p, Insert) else p) for p in self.parts]\n parts = [('%%' if p == '%' else p) for p in parts]\n return ''.join(parts)\n",
"role": "user"
},
{
"content": "text",
"role": "assistant"
}
] |
def x(self):
return BaseBlockType._strip_text(self.text % tuple(i.default if i.shape ==
'inline' else '%s' for i in self.inserts))
|
stripped_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return BaseBlockType._strip_text(self.text % tuple(i.default if i.shape ==\n 'inline' else '%s' for i in self.inserts))\n",
"role": "user"
},
{
"content": "stripped_text",
"role": "assistant"
}
] |
def x(text):
text = re.sub('[ ,?:]|%s', '', text.lower())
for chr in '-%':
new_text = text.replace(chr, '')
if new_text:
text = new_text
return text.lower()
|
strip_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n text = re.sub('[ ,?:]|%s', '', text.lower())\n for chr in '-%':\n new_text = text.replace(chr, '')\n if new_text:\n text = new_text\n return text.lower()\n",
"role": "user"
},
{
"content": "strip_text",
"role": "assistant"
}
] |
def x(self, shape):
for insert in self.inserts:
if insert.shape == shape:
return True
return False
|
has_insert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shape):\n for insert in self.inserts:\n if insert.shape == shape:\n return True\n return False\n",
"role": "user"
},
{
"content": "has_insert",
"role": "assistant"
}
] |
def x(self, plugin, pbt):
assert self.shape == pbt.shape
assert len(self.inserts) == len(pbt.inserts)
for i, o in zip(self.inserts, pbt.inserts):
assert i.shape == o.shape
assert i.kind == o.kind
assert i.unevaluated == o.unevaluated
if plugin not in self._plugins:
self._plugins[plugin] = pbt
|
add_conversion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin, pbt):\n assert self.shape == pbt.shape\n assert len(self.inserts) == len(pbt.inserts)\n for i, o in zip(self.inserts, pbt.inserts):\n assert i.shape == o.shape\n assert i.kind == o.kind\n assert i.unevaluated == o.unevaluated\n if plugin not in self._plugins:\n self._plugins[plugin] = pbt\n",
"role": "user"
},
{
"content": "add_conversion",
"role": "assistant"
}
] |
def x(self, plugin=None):
if plugin:
plugin = kurt.plugin.Kurt.get_plugin(plugin)
if plugin.name in self._plugins:
return self._plugins[plugin.name]
else:
err = BlockNotSupported("%s doesn't have %r" % (plugin.
display_name, self))
err.block_type = self
raise err
else:
return self.conversions[0]
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin=None):\n if plugin:\n plugin = kurt.plugin.Kurt.get_plugin(plugin)\n if plugin.name in self._plugins:\n return self._plugins[plugin.name]\n else:\n err = BlockNotSupported(\"%s doesn't have %r\" % (plugin.\n display_name, self))\n err.block_type = self\n raise err\n else:\n return self.conversions[0]\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(self, plugin):
plugin = kurt.plugin.Kurt.get_plugin(plugin)
return plugin.name in self._plugins
|
has_conversion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plugin):\n plugin = kurt.plugin.Kurt.get_plugin(plugin)\n return plugin.name in self._plugins\n",
"role": "user"
},
{
"content": "has_conversion",
"role": "assistant"
}
] |
def x(self, command):
for pbt in self._plugins.values():
if pbt.command == command:
return True
return False
|
has_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command):\n for pbt in self._plugins.values():\n if pbt.command == command:\n return True\n return False\n",
"role": "user"
},
{
"content": "has_command",
"role": "assistant"
}
] |
def x(self):
args = []
for arg in self.args:
if isinstance(arg, Block):
arg = arg.copy()
elif isinstance(arg, list):
arg = [b.copy() for b in arg]
args.append(arg)
return Block(self.type, *args)
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n args = []\n for arg in self.args:\n if isinstance(arg, Block):\n arg = arg.copy()\n elif isinstance(arg, list):\n arg = [b.copy() for b in arg]\n args.append(arg)\n return Block(self.type, *args)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self):
return self.__class__([b.copy() for b in self.blocks], tuple(self.pos) if
self.pos else None)
|
copy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return self.__class__([b.copy() for b in self.blocks], tuple(self.pos) if\n self.pos else None)\n",
"role": "user"
},
{
"content": "copy",
"role": "assistant"
}
] |
def x(self, path):
folder, filename = os.path.split(path)
name, extension = os.path.splitext(filename)
return Costume(name, Image.load(path))
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n folder, filename = os.path.split(path)\n name, extension = os.path.splitext(filename)\n return Costume(name, Image.load(path))\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(self):
if not self._pil_image:
if self._format == 'SVG':
raise VectorImageError("can't rasterise vector images")
self._pil_image = PIL.Image.open(StringIO(self.contents))
return self._pil_image
|
pil_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._pil_image:\n if self._format == 'SVG':\n raise VectorImageError(\"can't rasterise vector images\")\n self._pil_image = PIL.Image.open(StringIO(self.contents))\n return self._pil_image\n",
"role": "user"
},
{
"content": "pil_image",
"role": "assistant"
}
] |
def x(self):
if not self._contents:
if self._path:
f = open(self._path, 'rb')
self._contents = f.read()
f.close()
elif self._pil_image:
f = StringIO()
self._pil_image.save(f, self.format)
self._contents = f.getvalue()
return self._contents
|
contents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if not self._contents:\n if self._path:\n f = open(self._path, 'rb')\n self._contents = f.read()\n f.close()\n elif self._pil_image:\n f = StringIO()\n self._pil_image.save(f, self.format)\n self._contents = f.getvalue()\n return self._contents\n",
"role": "user"
},
{
"content": "contents",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.