source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(rootnode, features=None, format=1, format_root_node=True, is_leaf_fn=
None, dist_formatter=None, support_formatter=None, name_formatter=None):
newick = []
leaf = is_leaf_fn if is_leaf_fn else lambda n: not bool(n.children)
for postorder, node in rootnode.iter_prepostorder(is_leaf_fn=is_leaf_fn):
if postorder:
newick.append(')')
if node.up is not None or format_root_node:
newick.append(format_node(node, 'internal', format,
dist_formatter=dist_formatter, support_formatter=
support_formatter, name_formatter=name_formatter))
newick.append(_get_features_string(node, features))
else:
if node is not rootnode and node != node.up.children[0]:
newick.append(',')
if leaf(node):
safe_name = re.sub('[' + _ILEGAL_NEWICK_CHARS + ']', '_',
str(getattr(node, 'name')))
newick.append(format_node(node, 'leaf', format,
dist_formatter=dist_formatter, support_formatter=
support_formatter, name_formatter=name_formatter))
newick.append(_get_features_string(node, features))
else:
newick.append('(')
newick.append(';')
return ''.join(newick)
|
write_newick
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(rootnode, features=None, format=1, format_root_node=True, is_leaf_fn=\n None, dist_formatter=None, support_formatter=None, name_formatter=None):\n newick = []\n leaf = is_leaf_fn if is_leaf_fn else lambda n: not bool(n.children)\n for postorder, node in rootnode.iter_prepostorder(is_leaf_fn=is_leaf_fn):\n if postorder:\n newick.append(')')\n if node.up is not None or format_root_node:\n newick.append(format_node(node, 'internal', format,\n dist_formatter=dist_formatter, support_formatter=\n support_formatter, name_formatter=name_formatter))\n newick.append(_get_features_string(node, features))\n else:\n if node is not rootnode and node != node.up.children[0]:\n newick.append(',')\n if leaf(node):\n safe_name = re.sub('[' + _ILEGAL_NEWICK_CHARS + ']', '_',\n str(getattr(node, 'name')))\n newick.append(format_node(node, 'leaf', format,\n dist_formatter=dist_formatter, support_formatter=\n support_formatter, name_formatter=name_formatter))\n newick.append(_get_features_string(node, features))\n else:\n newick.append('(')\n newick.append(';')\n return ''.join(newick)\n",
"role": "user"
},
{
"content": "write_newick",
"role": "assistant"
}
] |
def x(self, features=None):
string = ''
if features is None:
features = []
elif features == []:
features = self.features
for pr in features:
if hasattr(self, pr):
raw = getattr(self, pr)
if type(raw) in ITERABLE_TYPES:
raw = '|'.join([str(i) for i in raw])
elif type(raw) == dict:
raw = '|'.join(map(lambda x, y: '%s-%s' % (x, y), six.
iteritems(raw)))
elif type(raw) == str:
pass
else:
raw = str(raw)
value = re.sub('[' + _ILEGAL_NEWICK_CHARS + ']', '_', raw)
if string != '':
string += ':'
string += '%s=%s' % (pr, str(value))
if string != '':
string = '[&&NHX:' + string + ']'
return string
|
get_features_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, features=None):\n string = ''\n if features is None:\n features = []\n elif features == []:\n features = self.features\n for pr in features:\n if hasattr(self, pr):\n raw = getattr(self, pr)\n if type(raw) in ITERABLE_TYPES:\n raw = '|'.join([str(i) for i in raw])\n elif type(raw) == dict:\n raw = '|'.join(map(lambda x, y: '%s-%s' % (x, y), six.\n iteritems(raw)))\n elif type(raw) == str:\n pass\n else:\n raw = str(raw)\n value = re.sub('[' + _ILEGAL_NEWICK_CHARS + ']', '_', raw)\n if string != '':\n string += ':'\n string += '%s=%s' % (pr, str(value))\n if string != '':\n string = '[&&NHX:' + string + ']'\n return string\n",
"role": "user"
},
{
"content": "get_features_string",
"role": "assistant"
}
] |
def x(column, table):
width = 3
for row in range(len(table)):
cell_width = len(table[row][column])
if cell_width > width:
width = cell_width
return width
|
get_column_width
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(column, table):\n width = 3\n for row in range(len(table)):\n cell_width = len(table[row][column])\n if cell_width > width:\n width = cell_width\n return width\n",
"role": "user"
},
{
"content": "get_column_width",
"role": "assistant"
}
] |
def x(ttree):
if ttree._orient in ['right']:
angle = 0.0
ypos = ttree.verts[-1 * len(ttree.tree):, 1]
if ttree._kwargs['tip_labels_align']:
xpos = [ttree.verts[:, 0].max()] * len(ttree.tree)
start = xpos
finish = ttree.verts[-1 * len(ttree.tree):, 0]
align_edges = np.array([(i, i + len(xpos)) for i in range(len(
xpos))])
align_verts = np.array(zip(start, ypos) + zip(finish, ypos))
else:
xpos = ttree.verts[-1 * len(ttree.tree):, 0]
elif ttree._orient in ['down']:
angle = -90.0
xpos = ttree.verts[-1 * len(ttree.tree):, 0]
if ttree._kwargs['tip_labels_align']:
ypos = [ttree.verts[:, 1].min()] * len(ttree.tree)
start = ypos
finish = ttree.verts[-1 * len(ttree.tree):, 1]
align_edges = np.array([(i, i + len(ypos)) for i in range(len(
ypos))])
align_verts = np.array(zip(xpos, start) + zip(xpos, finish))
else:
ypos = ttree.verts[-1 * len(ttree.tree):, 1]
table = toyplot.data.Table()
table['x'] = toyplot.require.scalar_vector(xpos)
table['y'] = toyplot.require.scalar_vector(ypos, table.shape[0])
table['text'] = toyplot.broadcast.pyobject(ttree.get_tip_labels(),
table.shape[0])
table['angle'] = toyplot.broadcast.scalar(angle, table.shape[0])
table['opacity'] = toyplot.broadcast.scalar(1.0, table.shape[0])
table['title'] = toyplot.broadcast.pyobject(None, table.shape[0])
style = toyplot.style.require(ttree._kwargs['tip_labels_style'],
allowed=toyplot.style.allowed.text)
default_color = [toyplot.color.black]
color = toyplot.color.broadcast(colors=ttree._kwargs['tip_labels_color'
], shape=(table.shape[0], 1), default=default_color)
table['fill'] = color[:, 0]
text_mark = toyplot.mark.Text(coordinate_axes=['x', 'y'], table=table,
coordinates=['x', 'y'], text=['text'], angle=['angle'], fill=[
'fill'], opacity=['opacity'], title=['title'], style=style,
annotation=True, filename=None)
return text_mark
|
get_text_mark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ttree):\n if ttree._orient in ['right']:\n angle = 0.0\n ypos = ttree.verts[-1 * len(ttree.tree):, 1]\n if ttree._kwargs['tip_labels_align']:\n xpos = [ttree.verts[:, 0].max()] * len(ttree.tree)\n start = xpos\n finish = ttree.verts[-1 * len(ttree.tree):, 0]\n align_edges = np.array([(i, i + len(xpos)) for i in range(len(\n xpos))])\n align_verts = np.array(zip(start, ypos) + zip(finish, ypos))\n else:\n xpos = ttree.verts[-1 * len(ttree.tree):, 0]\n elif ttree._orient in ['down']:\n angle = -90.0\n xpos = ttree.verts[-1 * len(ttree.tree):, 0]\n if ttree._kwargs['tip_labels_align']:\n ypos = [ttree.verts[:, 1].min()] * len(ttree.tree)\n start = ypos\n finish = ttree.verts[-1 * len(ttree.tree):, 1]\n align_edges = np.array([(i, i + len(ypos)) for i in range(len(\n ypos))])\n align_verts = np.array(zip(xpos, start) + zip(xpos, finish))\n else:\n ypos = ttree.verts[-1 * len(ttree.tree):, 1]\n table = toyplot.data.Table()\n table['x'] = toyplot.require.scalar_vector(xpos)\n table['y'] = toyplot.require.scalar_vector(ypos, table.shape[0])\n table['text'] = toyplot.broadcast.pyobject(ttree.get_tip_labels(),\n table.shape[0])\n table['angle'] = toyplot.broadcast.scalar(angle, table.shape[0])\n table['opacity'] = toyplot.broadcast.scalar(1.0, table.shape[0])\n table['title'] = toyplot.broadcast.pyobject(None, table.shape[0])\n style = toyplot.style.require(ttree._kwargs['tip_labels_style'],\n allowed=toyplot.style.allowed.text)\n default_color = [toyplot.color.black]\n color = toyplot.color.broadcast(colors=ttree._kwargs['tip_labels_color'\n ], shape=(table.shape[0], 1), default=default_color)\n table['fill'] = color[:, 0]\n text_mark = toyplot.mark.Text(coordinate_axes=['x', 'y'], table=table,\n coordinates=['x', 'y'], text=['text'], angle=['angle'], fill=[\n 'fill'], opacity=['opacity'], title=['title'], style=style,\n annotation=True, filename=None)\n return text_mark\n",
"role": "user"
},
{
"content": "get_text_mark",
"role": "assistant"
}
] |
def x(ttree):
if ttree._kwargs['tree_style'] in ['c', 'cladogram']:
a = ttree.edges
vcoordinates = ttree.verts
else:
a = ttree._lines
vcoordinates = ttree._coords
along = 'x'
vmarker = 'o'
vcolor = None
vlshow = False
vsize = 0.0
estyle = ttree._kwargs['edge_style']
layout = toyplot.layout.graph(a, vcoordinates=vcoordinates)
along = toyplot.require.value_in(along, ['x', 'y'])
if along == 'x':
coordinate_axes = ['x', 'y']
elif along == 'y':
coordinate_axes = ['y', 'x']
vlabel = layout.vids
vmarker = toyplot.broadcast.pyobject(vmarker, layout.vcount)
vsize = toyplot.broadcast.scalar(vsize, layout.vcount)
estyle = toyplot.style.require(estyle, allowed=toyplot.style.allowed.line)
vcolor = toyplot.color.broadcast(colors=None, shape=layout.vcount,
default=toyplot.color.black)
vopacity = toyplot.broadcast.scalar(1.0, layout.vcount)
vtitle = toyplot.broadcast.pyobject(None, layout.vcount)
vstyle = None
vlstyle = None
ecolor = toyplot.color.broadcast(colors=None, shape=layout.ecount,
default=toyplot.color.black)
ewidth = toyplot.broadcast.scalar(1.0, layout.ecount)
eopacity = toyplot.broadcast.scalar(1.0, layout.ecount)
hmarker = toyplot.broadcast.pyobject(None, layout.ecount)
mmarker = toyplot.broadcast.pyobject(None, layout.ecount)
mposition = toyplot.broadcast.scalar(0.5, layout.ecount)
tmarker = toyplot.broadcast.pyobject(None, layout.ecount)
vtable = toyplot.data.Table()
vtable['id'] = layout.vids
for axis, coordinates in zip(coordinate_axes, layout.vcoordinates.T):
vtable[axis] = coordinates
vtable['label'] = vlabel
vtable['marker'] = vmarker
vtable['size'] = vsize
vtable['color'] = vcolor
vtable['opacity'] = vopacity
vtable['title'] = vtitle
etable = toyplot.data.Table()
etable['source'] = layout.edges.T[0]
etable['target'] = layout.edges.T[1]
etable['shape'] = layout.eshapes
etable['color'] = ecolor
etable['width'] = ewidth
etable['opacity'] = eopacity
etable['hmarker'] = hmarker
etable['mmarker'] = mmarker
etable['mposition'] = mposition
etable['tmarker'] = tmarker
edge_mark = toyplot.mark.Graph(coordinate_axes=['x', 'y'], ecolor=[
'color'], ecoordinates=layout.ecoordinates, efilename=None,
eopacity=['opacity'], eshape=['shape'], esource=['source'], estyle=
estyle, etable=etable, etarget=['target'], ewidth=['width'],
hmarker=['hmarker'], mmarker=['mmarker'], mposition=['mposition'],
tmarker=['tmarker'], vcolor=['color'], vcoordinates=['x', 'y'],
vfilename=None, vid=['id'], vlabel=['label'], vlshow=False, vlstyle
=None, vmarker=['marker'], vopacity=['opacity'], vsize=['size'],
vstyle=None, vtable=vtable, vtitle=['title'])
return edge_mark
|
get_edge_mark
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ttree):\n if ttree._kwargs['tree_style'] in ['c', 'cladogram']:\n a = ttree.edges\n vcoordinates = ttree.verts\n else:\n a = ttree._lines\n vcoordinates = ttree._coords\n along = 'x'\n vmarker = 'o'\n vcolor = None\n vlshow = False\n vsize = 0.0\n estyle = ttree._kwargs['edge_style']\n layout = toyplot.layout.graph(a, vcoordinates=vcoordinates)\n along = toyplot.require.value_in(along, ['x', 'y'])\n if along == 'x':\n coordinate_axes = ['x', 'y']\n elif along == 'y':\n coordinate_axes = ['y', 'x']\n vlabel = layout.vids\n vmarker = toyplot.broadcast.pyobject(vmarker, layout.vcount)\n vsize = toyplot.broadcast.scalar(vsize, layout.vcount)\n estyle = toyplot.style.require(estyle, allowed=toyplot.style.allowed.line)\n vcolor = toyplot.color.broadcast(colors=None, shape=layout.vcount,\n default=toyplot.color.black)\n vopacity = toyplot.broadcast.scalar(1.0, layout.vcount)\n vtitle = toyplot.broadcast.pyobject(None, layout.vcount)\n vstyle = None\n vlstyle = None\n ecolor = toyplot.color.broadcast(colors=None, shape=layout.ecount,\n default=toyplot.color.black)\n ewidth = toyplot.broadcast.scalar(1.0, layout.ecount)\n eopacity = toyplot.broadcast.scalar(1.0, layout.ecount)\n hmarker = toyplot.broadcast.pyobject(None, layout.ecount)\n mmarker = toyplot.broadcast.pyobject(None, layout.ecount)\n mposition = toyplot.broadcast.scalar(0.5, layout.ecount)\n tmarker = toyplot.broadcast.pyobject(None, layout.ecount)\n vtable = toyplot.data.Table()\n vtable['id'] = layout.vids\n for axis, coordinates in zip(coordinate_axes, layout.vcoordinates.T):\n vtable[axis] = coordinates\n vtable['label'] = vlabel\n vtable['marker'] = vmarker\n vtable['size'] = vsize\n vtable['color'] = vcolor\n vtable['opacity'] = vopacity\n vtable['title'] = vtitle\n etable = toyplot.data.Table()\n etable['source'] = layout.edges.T[0]\n etable['target'] = layout.edges.T[1]\n etable['shape'] = layout.eshapes\n etable['color'] = ecolor\n etable['width'] = ewidth\n etable['opacity'] = eopacity\n etable['hmarker'] = hmarker\n etable['mmarker'] = mmarker\n etable['mposition'] = mposition\n etable['tmarker'] = tmarker\n edge_mark = toyplot.mark.Graph(coordinate_axes=['x', 'y'], ecolor=[\n 'color'], ecoordinates=layout.ecoordinates, efilename=None,\n eopacity=['opacity'], eshape=['shape'], esource=['source'], estyle=\n estyle, etable=etable, etarget=['target'], ewidth=['width'],\n hmarker=['hmarker'], mmarker=['mmarker'], mposition=['mposition'],\n tmarker=['tmarker'], vcolor=['color'], vcoordinates=['x', 'y'],\n vfilename=None, vid=['id'], vlabel=['label'], vlshow=False, vlstyle\n =None, vmarker=['marker'], vopacity=['opacity'], vsize=['size'],\n vstyle=None, vtable=vtable, vtitle=['title'])\n return edge_mark\n",
"role": "user"
},
{
"content": "get_edge_mark",
"role": "assistant"
}
] |
def x(mark):
markers = [mark._table[key] for key in mark._marker][0]
nstyles = []
for m in markers:
msty = toyplot.style.combine({'fill': m.mstyle['fill'], 'stroke': m
.mstyle['stroke'], 'opacity': m.mstyle['fill-opacity']}, m.mstyle)
msty = _color_fixup(msty)
nstyles.append(msty)
lstyles = []
for m in markers:
lsty = toyplot.style.combine({'font-family': 'Helvetica',
'-toyplot-vertical-align': 'middle', 'fill': toyplot.color.
black, 'font-size': '%rpx' % (m.size * 0.75), 'stroke': 'none',
'text-anchor': 'middle'}, m.lstyle)
fonts = toyplot.font.ReportlabLibrary()
layout = toyplot.text.layout(m.label, lsty, fonts)
lsty = _color_fixup(layout.style)
lstyles.append(lsty)
nallkeys = set(itertools.chain(*[i.keys() for i in nstyles]))
lallkeys = set(itertools.chain(*[i.keys() for i in lstyles]))
nuniquekeys = []
nsharedkeys = []
for key in nallkeys:
vals = [nstyles[i].get(key) for i in range(len(nstyles))]
if len(set(vals)) > 1:
nuniquekeys.append(key)
else:
nsharedkeys.append(key)
luniquekeys = []
lsharedkeys = []
for key in lallkeys:
vals = [lstyles[i].get(key) for i in range(len(lstyles))]
if len(set(vals)) > 1:
luniquekeys.append(key)
else:
lsharedkeys.append(key)
repeated = set(lsharedkeys).intersection(set(nsharedkeys))
for repeat in repeated:
lidx = lsharedkeys.index(repeat)
nidx = nsharedkeys.index(repeat)
if lsharedkeys[lidx] == nsharedkeys[nidx]:
lsharedkeys.remove(repeat)
else:
lsharedkeys.remove(repeat)
luniquekeys.append(repeat)
nsharedkeys.remove(repeat)
nuniquekeys.append(repeat)
natt = [('%s:%s' % (key, nstyles[0][key])) for key in sorted(nsharedkeys)]
latt = [('%s:%s' % (key, lstyles[0][key])) for key in sorted(lsharedkeys)]
shared_styles = ';'.join(natt + latt)
unique_styles = {'node': [{k: v for k, v in nstyles[idx].items() if k in
nuniquekeys} for idx in range(len(markers))], 'text': [{k: v for k,
v in lstyles[idx].items() if k in luniquekeys} for idx in range(len
(markers))]}
return shared_styles, unique_styles
|
split_styles
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(mark):\n markers = [mark._table[key] for key in mark._marker][0]\n nstyles = []\n for m in markers:\n msty = toyplot.style.combine({'fill': m.mstyle['fill'], 'stroke': m\n .mstyle['stroke'], 'opacity': m.mstyle['fill-opacity']}, m.mstyle)\n msty = _color_fixup(msty)\n nstyles.append(msty)\n lstyles = []\n for m in markers:\n lsty = toyplot.style.combine({'font-family': 'Helvetica',\n '-toyplot-vertical-align': 'middle', 'fill': toyplot.color.\n black, 'font-size': '%rpx' % (m.size * 0.75), 'stroke': 'none',\n 'text-anchor': 'middle'}, m.lstyle)\n fonts = toyplot.font.ReportlabLibrary()\n layout = toyplot.text.layout(m.label, lsty, fonts)\n lsty = _color_fixup(layout.style)\n lstyles.append(lsty)\n nallkeys = set(itertools.chain(*[i.keys() for i in nstyles]))\n lallkeys = set(itertools.chain(*[i.keys() for i in lstyles]))\n nuniquekeys = []\n nsharedkeys = []\n for key in nallkeys:\n vals = [nstyles[i].get(key) for i in range(len(nstyles))]\n if len(set(vals)) > 1:\n nuniquekeys.append(key)\n else:\n nsharedkeys.append(key)\n luniquekeys = []\n lsharedkeys = []\n for key in lallkeys:\n vals = [lstyles[i].get(key) for i in range(len(lstyles))]\n if len(set(vals)) > 1:\n luniquekeys.append(key)\n else:\n lsharedkeys.append(key)\n repeated = set(lsharedkeys).intersection(set(nsharedkeys))\n for repeat in repeated:\n lidx = lsharedkeys.index(repeat)\n nidx = nsharedkeys.index(repeat)\n if lsharedkeys[lidx] == nsharedkeys[nidx]:\n lsharedkeys.remove(repeat)\n else:\n lsharedkeys.remove(repeat)\n luniquekeys.append(repeat)\n nsharedkeys.remove(repeat)\n nuniquekeys.append(repeat)\n natt = [('%s:%s' % (key, nstyles[0][key])) for key in sorted(nsharedkeys)]\n latt = [('%s:%s' % (key, lstyles[0][key])) for key in sorted(lsharedkeys)]\n shared_styles = ';'.join(natt + latt)\n unique_styles = {'node': [{k: v for k, v in nstyles[idx].items() if k in\n nuniquekeys} for idx in range(len(markers))], 'text': [{k: v for k,\n v in lstyles[idx].items() if k in luniquekeys} for idx in range(len\n (markers))]}\n return shared_styles, unique_styles\n",
"role": "user"
},
{
"content": "split_styles",
"role": "assistant"
}
] |
def x(cell):
lines = cell.text.split('\n')
cell_width = len(lines[0]) - 2
truncated_lines = ['']
for i in range(1, len(lines) - 1):
truncated = lines[i][2:len(lines[i]) - 2].rstrip()
truncated_lines.append(truncated)
truncated_lines.append('')
max_line_length = get_longest_line_length('\n'.join(truncated_lines))
remainder = cell_width - max_line_length
left_width = math.floor(remainder / 2)
left_space = left_width * ' '
for i in range(len(truncated_lines)):
truncated_lines[i] = left_space + truncated_lines[i]
right_width = cell_width - len(truncated_lines[i])
truncated_lines[i] += right_width * ' '
for i in range(1, len(lines) - 1):
lines[i] = ''.join([lines[i][0], truncated_lines[i], lines[i][-1]])
cell.text = '\n'.join(lines)
return cell
|
center_cell_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n lines = cell.text.split('\\n')\n cell_width = len(lines[0]) - 2\n truncated_lines = ['']\n for i in range(1, len(lines) - 1):\n truncated = lines[i][2:len(lines[i]) - 2].rstrip()\n truncated_lines.append(truncated)\n truncated_lines.append('')\n max_line_length = get_longest_line_length('\\n'.join(truncated_lines))\n remainder = cell_width - max_line_length\n left_width = math.floor(remainder / 2)\n left_space = left_width * ' '\n for i in range(len(truncated_lines)):\n truncated_lines[i] = left_space + truncated_lines[i]\n right_width = cell_width - len(truncated_lines[i])\n truncated_lines[i] += right_width * ' '\n for i in range(1, len(lines) - 1):\n lines[i] = ''.join([lines[i][0], truncated_lines[i], lines[i][-1]])\n cell.text = '\\n'.join(lines)\n return cell\n",
"role": "user"
},
{
"content": "center_cell_text",
"role": "assistant"
}
] |
def x(word1, word2):
from operator import ne
if len(word1) != len(word2):
raise WrongLengthException('The words need to be of the same length!')
return sum(map(ne, word1, word2))
|
hamming_distance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(word1, word2):\n from operator import ne\n if len(word1) != len(word2):\n raise WrongLengthException('The words need to be of the same length!')\n return sum(map(ne, word1, word2))\n",
"role": "user"
},
{
"content": "hamming_distance",
"role": "assistant"
}
] |
def x(*coefficients):
if not coefficients:
return lambda i: 0
else:
c0 = coefficients[0]
coefficients = coefficients[1:]
def x(i):
v = c0
for c in coefficients:
v += c * i
i *= i
return v
return _
|
polygen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*coefficients):\n if not coefficients:\n return lambda i: 0\n else:\n c0 = coefficients[0]\n coefficients = coefficients[1:]\n\n def x(i):\n v = c0\n for c in coefficients:\n v += c * i\n i *= i\n return v\n return _\n",
"role": "user"
},
{
"content": "polygen",
"role": "assistant"
}
] |
def x(name='', backend=None, date=None, data=None, **kwargs):
backend = backend or settings.backend
TS = BACKENDS.get(backend)
if not TS:
raise InvalidBackEnd('Could not find a TimeSeries class %s' % backend)
return TS(name=name, date=date, data=data, **kwargs)
|
timeseries
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name='', backend=None, date=None, data=None, **kwargs):\n backend = backend or settings.backend\n TS = BACKENDS.get(backend)\n if not TS:\n raise InvalidBackEnd('Could not find a TimeSeries class %s' % backend)\n return TS(name=name, date=date, data=data, **kwargs)\n",
"role": "user"
},
{
"content": "timeseries",
"role": "assistant"
}
] |
def x(table):
for row in range(len(table)):
for column in range(len(table[row])):
table[row][column] = str(table[row][column])
return table
|
ensure_table_strings
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n for row in range(len(table)):\n for column in range(len(table[row])):\n table[row][column] = str(table[row][column])\n return table\n",
"role": "user"
},
{
"content": "ensure_table_strings",
"role": "assistant"
}
] |
def x(self):
lines = self.text.split('\n')
sections = 0
for i in range(len(lines)):
if lines[i].startswith('+'):
sections += 1
sections -= 1
return sections
|
left_sections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lines = self.text.split('\\n')\n sections = 0\n for i in range(len(lines)):\n if lines[i].startswith('+'):\n sections += 1\n sections -= 1\n return sections\n",
"role": "user"
},
{
"content": "left_sections",
"role": "assistant"
}
] |
def x(self):
lines = self.text.split('\n')
sections = 0
for i in range(len(lines)):
if lines[i].endswith('+'):
sections += 1
return sections - 1
|
right_sections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n lines = self.text.split('\\n')\n sections = 0\n for i in range(len(lines)):\n if lines[i].endswith('+'):\n sections += 1\n return sections - 1\n",
"role": "user"
},
{
"content": "right_sections",
"role": "assistant"
}
] |
def x(self):
top_line = self.text.split('\n')[0]
sections = len(top_line.split('+')) - 2
return sections
|
top_sections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n top_line = self.text.split('\\n')[0]\n sections = len(top_line.split('+')) - 2\n return sections\n",
"role": "user"
},
{
"content": "top_sections",
"role": "assistant"
}
] |
def x(self):
bottom_line = self.text.split('\n')[-1]
sections = len(bottom_line.split('+')) - 2
return sections
|
bottom_sections
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bottom_line = self.text.split('\\n')[-1]\n sections = len(bottom_line.split('+')) - 2\n return sections\n",
"role": "user"
},
{
"content": "bottom_sections",
"role": "assistant"
}
] |
def x(self):
bottom_line = self.text.split('\n')[-1]
if is_only(bottom_line, ['+', '=']):
return True
return False
|
is_header
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n bottom_line = self.text.split('\\n')[-1]\n if is_only(bottom_line, ['+', '=']):\n return True\n return False\n",
"role": "user"
},
{
"content": "is_header",
"role": "assistant"
}
] |
def x(filename=None):
dirname = os.path.dirname(filename or __file__)
git_show = sh('git show --pretty=format:%ct --quiet HEAD', cwd=dirname)
timestamp = git_show.partition('\n')[0]
try:
timestamp = datetime.datetime.utcfromtimestamp(int(timestamp))
except ValueError:
return None
return timestamp.strftime('%Y%m%d%H%M%S')
|
get_git_changeset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename=None):\n dirname = os.path.dirname(filename or __file__)\n git_show = sh('git show --pretty=format:%ct --quiet HEAD', cwd=dirname)\n timestamp = git_show.partition('\\n')[0]\n try:\n timestamp = datetime.datetime.utcfromtimestamp(int(timestamp))\n except ValueError:\n return None\n return timestamp.strftime('%Y%m%d%H%M%S')\n",
"role": "user"
},
{
"content": "get_git_changeset",
"role": "assistant"
}
] |
def x(html_string):
try:
from bs4 import BeautifulSoup
except ImportError:
print('ERROR: You must have BeautifulSoup to use html2data')
return
soup = BeautifulSoup(html_string, 'html.parser')
table = soup.find('table')
if not table:
return False
th = table.findAll('th')
if len(th) > 0:
return True
else:
return False
|
headers_present
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_string):\n try:\n from bs4 import BeautifulSoup\n except ImportError:\n print('ERROR: You must have BeautifulSoup to use html2data')\n return\n soup = BeautifulSoup(html_string, 'html.parser')\n table = soup.find('table')\n if not table:\n return False\n th = table.findAll('th')\n if len(th) > 0:\n return True\n else:\n return False\n",
"role": "user"
},
{
"content": "headers_present",
"role": "assistant"
}
] |
def x(html_string):
try:
from bs4 import BeautifulSoup
except ImportError:
print('ERROR: You must have BeautifulSoup to use html2data')
return
soup = BeautifulSoup(html_string, 'html.parser')
table = soup.find('table')
if not table:
return []
trs = table.findAll('tr')
if len(trs) == 0:
return []
spans = []
for tr in range(len(trs)):
if tr == 0:
ths = trs[tr].findAll('th')
if len(ths) == 0:
ths = trs[tr].findAll('td')
tds = ths
else:
tds = trs[tr].findAll('td')
column = 0
for td in tds:
r_span_count = 1
c_span_count = 1
current_column = column
if td.has_attr('rowspan'):
r_span_count = int(td['rowspan'])
if td.has_attr('colspan'):
c_span_count = int(td['colspan'])
column += c_span_count
else:
column += 1
new_span = []
for r_index in range(tr, tr + r_span_count):
for c_index in range(current_column, column):
if not get_span(spans, r_index, c_index):
new_span.append([r_index, c_index])
if len(new_span) > 0:
spans.append(new_span)
return spans
|
extract_spans
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(html_string):\n try:\n from bs4 import BeautifulSoup\n except ImportError:\n print('ERROR: You must have BeautifulSoup to use html2data')\n return\n soup = BeautifulSoup(html_string, 'html.parser')\n table = soup.find('table')\n if not table:\n return []\n trs = table.findAll('tr')\n if len(trs) == 0:\n return []\n spans = []\n for tr in range(len(trs)):\n if tr == 0:\n ths = trs[tr].findAll('th')\n if len(ths) == 0:\n ths = trs[tr].findAll('td')\n tds = ths\n else:\n tds = trs[tr].findAll('td')\n column = 0\n for td in tds:\n r_span_count = 1\n c_span_count = 1\n current_column = column\n if td.has_attr('rowspan'):\n r_span_count = int(td['rowspan'])\n if td.has_attr('colspan'):\n c_span_count = int(td['colspan'])\n column += c_span_count\n else:\n column += 1\n new_span = []\n for r_index in range(tr, tr + r_span_count):\n for c_index in range(current_column, column):\n if not get_span(spans, r_index, c_index):\n new_span.append([r_index, c_index])\n if len(new_span) > 0:\n spans.append(new_span)\n return spans\n",
"role": "user"
},
{
"content": "extract_spans",
"role": "assistant"
}
] |
def x(first, second):
if len(first) != len(second):
raise WrongLengthException('The lists are not of the same length!')
return dict(zip(first, second))
|
translation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(first, second):\n if len(first) != len(second):\n raise WrongLengthException('The lists are not of the same length!')\n return dict(zip(first, second))\n",
"role": "user"
},
{
"content": "translation",
"role": "assistant"
}
] |
def x(node):
text = ''
exceptions = ['table']
for element in node.children:
if isinstance(element, NavigableString):
text += element
elif not node.name in exceptions:
text += process_tag(element)
try:
convert_fn = globals()['convert_%s' % node.name.lower()]
text = convert_fn(node, text)
except KeyError:
pass
return text
|
process_tag
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(node):\n text = ''\n exceptions = ['table']\n for element in node.children:\n if isinstance(element, NavigableString):\n text += element\n elif not node.name in exceptions:\n text += process_tag(element)\n try:\n convert_fn = globals()['convert_%s' % node.name.lower()]\n text = convert_fn(node, text)\n except KeyError:\n pass\n return text\n",
"role": "user"
},
{
"content": "process_tag",
"role": "assistant"
}
] |
def x(ts, step=1):
if step == 1:
dates = ts.dates()
if not hasattr(dates, 'next'):
dates = dates.__iter__()
dt0 = next(dates)
for dt1 in dates:
yield dt1, dt0
dt0 = dt1
else:
while done:
done += 1
lag.append(next(dates))
for dt1 in dates:
lag.append(dt1)
yield dt1, lag.pop(0)
|
laggeddates
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ts, step=1):\n if step == 1:\n dates = ts.dates()\n if not hasattr(dates, 'next'):\n dates = dates.__iter__()\n dt0 = next(dates)\n for dt1 in dates:\n yield dt1, dt0\n dt0 = dt1\n else:\n while done:\n done += 1\n lag.append(next(dates))\n for dt1 in dates:\n lag.append(dt1)\n yield dt1, lag.pop(0)\n",
"role": "user"
},
{
"content": "laggeddates",
"role": "assistant"
}
] |
def x(*args, use_fallback=False):
sl = fallback.Skiplist if use_fallback else Skiplist
return sl(*args)
|
make_skiplist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, use_fallback=False):\n sl = fallback.Skiplist if use_fallback else Skiplist\n return sl(*args)\n",
"role": "user"
},
{
"content": "make_skiplist",
"role": "assistant"
}
] |
def x(table):
table = copy.deepcopy(table)
table = ensure_table_strings(table)
table = multis_2_mono(table)
table = add_cushions(table)
widths = []
for column in range(len(table[0])):
widths.append(get_column_width(column, table))
output = '|'
for i in range(len(table[0])):
output = ''.join([output, center_line(widths[i], table[0][i]), '|'])
output = output + '\n|'
for i in range(len(table[0])):
output = ''.join([output, center_line(widths[i], '-' * widths[i]), '|']
)
output = output + '\n|'
for row in range(1, len(table)):
for column in range(len(table[row])):
output = ''.join([output, center_line(widths[column], table[row
][column]), '|'])
output = output + '\n|'
split = output.split('\n')
split.pop()
table_string = '\n'.join(split)
return table_string
|
data2md
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table):\n table = copy.deepcopy(table)\n table = ensure_table_strings(table)\n table = multis_2_mono(table)\n table = add_cushions(table)\n widths = []\n for column in range(len(table[0])):\n widths.append(get_column_width(column, table))\n output = '|'\n for i in range(len(table[0])):\n output = ''.join([output, center_line(widths[i], table[0][i]), '|'])\n output = output + '\\n|'\n for i in range(len(table[0])):\n output = ''.join([output, center_line(widths[i], '-' * widths[i]), '|']\n )\n output = output + '\\n|'\n for row in range(1, len(table)):\n for column in range(len(table[row])):\n output = ''.join([output, center_line(widths[column], table[row\n ][column]), '|'])\n output = output + '\\n|'\n split = output.split('\\n')\n split.pop()\n table_string = '\\n'.join(split)\n return table_string\n",
"role": "user"
},
{
"content": "data2md",
"role": "assistant"
}
] |
def x(cell):
lines = cell.text.split('\n')
cell_width = len(lines[0]) - 2
truncated_lines = []
for i in range(1, len(lines) - 1):
truncated = lines[i][1:len(lines[i]) - 1]
truncated_lines.append(truncated)
total_height = len(truncated_lines)
empty_lines_above = 0
for i in range(len(truncated_lines)):
if truncated_lines[i].rstrip() == '':
empty_lines_above += 1
else:
break
empty_lines_below = 0
for i in reversed(range(len(truncated_lines))):
if truncated_lines[i].rstrip() == '':
empty_lines_below += 1
else:
break
significant_lines = truncated_lines[empty_lines_above:len(
truncated_lines) - empty_lines_below]
remainder = total_height - len(significant_lines)
blank = cell_width * ' '
above_height = math.floor(remainder / 2)
for i in range(0, above_height):
significant_lines.insert(0, blank)
below_height = math.ceil(remainder / 2)
for i in range(0, below_height):
significant_lines.append(blank)
for i in range(len(significant_lines)):
lines[i + 1] = ''.join([lines[i + 1][0] + significant_lines[i] +
lines[i + 1][-1]])
cell.text = '\n'.join(lines)
return cell
|
v_center_cell_text
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell):\n lines = cell.text.split('\\n')\n cell_width = len(lines[0]) - 2\n truncated_lines = []\n for i in range(1, len(lines) - 1):\n truncated = lines[i][1:len(lines[i]) - 1]\n truncated_lines.append(truncated)\n total_height = len(truncated_lines)\n empty_lines_above = 0\n for i in range(len(truncated_lines)):\n if truncated_lines[i].rstrip() == '':\n empty_lines_above += 1\n else:\n break\n empty_lines_below = 0\n for i in reversed(range(len(truncated_lines))):\n if truncated_lines[i].rstrip() == '':\n empty_lines_below += 1\n else:\n break\n significant_lines = truncated_lines[empty_lines_above:len(\n truncated_lines) - empty_lines_below]\n remainder = total_height - len(significant_lines)\n blank = cell_width * ' '\n above_height = math.floor(remainder / 2)\n for i in range(0, above_height):\n significant_lines.insert(0, blank)\n below_height = math.ceil(remainder / 2)\n for i in range(0, below_height):\n significant_lines.append(blank)\n for i in range(len(significant_lines)):\n lines[i + 1] = ''.join([lines[i + 1][0] + significant_lines[i] +\n lines[i + 1][-1]])\n cell.text = '\\n'.join(lines)\n return cell\n",
"role": "user"
},
{
"content": "v_center_cell_text",
"role": "assistant"
}
] |
def x(table, spans=[[[0, 0]]], use_headers=True, center_cells=False,
center_headers=False):
table = copy.deepcopy(table)
table_ok = check_table(table)
if not table_ok == '':
return 'ERROR: ' + table_ok
if not spans == [[[0, 0]]]:
for span in spans:
span_ok = check_span(span, table)
if not span_ok == '':
return 'ERROR: ' + span_ok
table = ensure_table_strings(table)
table = add_cushions(table)
spans = table_cells_2_spans(table, spans)
widths = get_output_column_widths(table, spans)
heights = get_output_row_heights(table, spans)
cells = []
for span in spans:
cell = make_cell(table, span, widths, heights, use_headers)
cells.append(cell)
cells = list(sorted(cells))
if center_cells:
for cell in cells:
if not cell.is_header:
center_cell_text(cell)
v_center_cell_text(cell)
if center_headers:
for cell in cells:
if cell.is_header:
center_cell_text(cell)
v_center_cell_text(cell)
grid_table = merge_all_cells(cells)
return grid_table
|
data2rst
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, spans=[[[0, 0]]], use_headers=True, center_cells=False,\n center_headers=False):\n table = copy.deepcopy(table)\n table_ok = check_table(table)\n if not table_ok == '':\n return 'ERROR: ' + table_ok\n if not spans == [[[0, 0]]]:\n for span in spans:\n span_ok = check_span(span, table)\n if not span_ok == '':\n return 'ERROR: ' + span_ok\n table = ensure_table_strings(table)\n table = add_cushions(table)\n spans = table_cells_2_spans(table, spans)\n widths = get_output_column_widths(table, spans)\n heights = get_output_row_heights(table, spans)\n cells = []\n for span in spans:\n cell = make_cell(table, span, widths, heights, use_headers)\n cells.append(cell)\n cells = list(sorted(cells))\n if center_cells:\n for cell in cells:\n if not cell.is_header:\n center_cell_text(cell)\n v_center_cell_text(cell)\n if center_headers:\n for cell in cells:\n if cell.is_header:\n center_cell_text(cell)\n v_center_cell_text(cell)\n grid_table = merge_all_cells(cells)\n return grid_table\n",
"role": "user"
},
{
"content": "data2rst",
"role": "assistant"
}
] |
def x(self):
tlen = len(self.treelist[0])
if self.style.orient in ('right', 'left'):
if not self.style.height:
self.style.height = max(275, min(1000, 18 * tlen))
if not self.style.width:
self.style.width = max(300, min(500, 18 * tlen))
else:
if not self.style.width:
self.style.width = max(275, min(1000, 18 * tlen))
if not self.style.height:
self.style.height = max(225, min(500, 18 * tlen))
|
set_dims_from_tree_size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tlen = len(self.treelist[0])\n if self.style.orient in ('right', 'left'):\n if not self.style.height:\n self.style.height = max(275, min(1000, 18 * tlen))\n if not self.style.width:\n self.style.width = max(300, min(500, 18 * tlen))\n else:\n if not self.style.width:\n self.style.width = max(275, min(1000, 18 * tlen))\n if not self.style.height:\n self.style.height = max(225, min(500, 18 * tlen))\n",
"role": "user"
},
{
"content": "set_dims_from_tree_size",
"role": "assistant"
}
] |
def x(self):
if self.style.orient in ('up', 'down'):
ypos = np.zeros(self.ntips)
xpos = np.arange(self.ntips)
if self.style.orient in ('right', 'left'):
xpos = np.zeros(self.ntips)
ypos = np.arange(self.ntips)
if self.style.tip_labels_colors:
self.style.tip_labels_style.pop('fill')
if self.style.tip_labels_style['-toyplot-anchor-shift'] is None:
self.style.tip_labels_style['-toyplot-anchor-shift'] = '15px'
self.axes.text(xpos, ypos, self.tip_labels, angle=0 if self.style.
orient in ('right', 'left') else -90, style=self.style.
tip_labels_style, color=self.style.tip_labels_colors)
if not self.style.edge_align_style.get('stroke-width'):
self.style.edge_align_style['stroke-width'] = self.style.edge_style[
'stroke-width']
|
add_tip_labels_to_axes
|
[
{
"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.style.orient in ('up', 'down'):\n ypos = np.zeros(self.ntips)\n xpos = np.arange(self.ntips)\n if self.style.orient in ('right', 'left'):\n xpos = np.zeros(self.ntips)\n ypos = np.arange(self.ntips)\n if self.style.tip_labels_colors:\n self.style.tip_labels_style.pop('fill')\n if self.style.tip_labels_style['-toyplot-anchor-shift'] is None:\n self.style.tip_labels_style['-toyplot-anchor-shift'] = '15px'\n self.axes.text(xpos, ypos, self.tip_labels, angle=0 if self.style.\n orient in ('right', 'left') else -90, style=self.style.\n tip_labels_style, color=self.style.tip_labels_colors)\n if not self.style.edge_align_style.get('stroke-width'):\n self.style.edge_align_style['stroke-width'] = self.style.edge_style[\n 'stroke-width']\n",
"role": "user"
},
{
"content": "add_tip_labels_to_axes",
"role": "assistant"
}
] |
def x(self):
if not self.tip_labels:
return
longest_name = max([len(i) for i in self.tip_labels])
if longest_name > 10:
multiplier = 0.85
else:
multiplier = 0.25
if self.style.use_edge_lengths:
addon = self.treelist[0].treenode.height + self.treelist[0
].treenode.height * multiplier
else:
addon = self.treelist[0].treenode.get_farthest_leaf(True)[1]
if self.style.orient == 'right':
self.axes.x.domain.max = addon
elif self.style.orient == 'down':
self.axes.y.domain.min = -1 * addon
|
fit_tip_labels
|
[
{
"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.tip_labels:\n return\n longest_name = max([len(i) for i in self.tip_labels])\n if longest_name > 10:\n multiplier = 0.85\n else:\n multiplier = 0.25\n if self.style.use_edge_lengths:\n addon = self.treelist[0].treenode.height + self.treelist[0\n ].treenode.height * multiplier\n else:\n addon = self.treelist[0].treenode.get_farthest_leaf(True)[1]\n if self.style.orient == 'right':\n self.axes.x.domain.max = addon\n elif self.style.orient == 'down':\n self.axes.y.domain.min = -1 * addon\n",
"role": "user"
},
{
"content": "fit_tip_labels",
"role": "assistant"
}
] |
def x(element, text):
depth = -1
while element:
if not element.name == '[document]' and not element.parent.get('id'
) == '__RESTRUCTIFY_WRAPPER__':
depth += 1
element = element.parent
if text:
text = ' ' * depth + text
return text
|
convert_p
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(element, text):\n depth = -1\n while element:\n if not element.name == '[document]' and not element.parent.get('id'\n ) == '__RESTRUCTIFY_WRAPPER__':\n depth += 1\n element = element.parent\n if text:\n text = ' ' * depth + text\n return text\n",
"role": "user"
},
{
"content": "convert_p",
"role": "assistant"
}
] |
def x(text):
try:
import docutils.statemachine
import docutils.parsers.rst.tableparser
except ImportError:
print('ERROR: You must install the docutils library to use simple2data'
)
return
lines = text.split('\n')
lines = truncate_empty_lines(lines)
leading_space = lines[0].replace(lines[0].lstrip(), '')
for i in range(len(lines)):
lines[i] = lines[i][len(leading_space):]
parser = docutils.parsers.rst.tableparser.SimpleTableParser()
block = docutils.statemachine.StringList(list(lines))
simple_data = list(parser.parse(block))
column_widths = simple_data.pop(0)
column_count = len(column_widths)
headers_row = 0
if len(simple_data[0]) > 0:
use_headers = True
headers_row = len(simple_data[0]) - 1
headers = simple_data[0][0]
row_count = len(simple_data[1]) + len(simple_data[0])
while len(simple_data[0]) > 0:
simple_data[1].insert(0, simple_data[0][-1])
simple_data[0].pop(-1)
simple_data.pop(0)
else:
use_headers = False
simple_data.pop(0)
row_count = len(simple_data[0])
simple_data = simple_data[0]
table = make_empty_table(row_count, column_count)
spans = []
for row in range(len(simple_data)):
for column in range(len(simple_data[row])):
try:
text = '\n'.join(simple_data[row][column][3]).rstrip()
table[row][column] = text
extra_rows = simple_data[row][column][0]
extra_columns = simple_data[row][column][1]
span = make_span(row, column, extra_rows, extra_columns)
span = sorted(span)
span = list(span for span, _ in itertools.groupby(span))
if not len(span) == 1:
spans.append(span)
except TypeError:
pass
spans = sorted(spans)
return table, spans, use_headers, headers_row
|
simple2data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n try:\n import docutils.statemachine\n import docutils.parsers.rst.tableparser\n except ImportError:\n print('ERROR: You must install the docutils library to use simple2data'\n )\n return\n lines = text.split('\\n')\n lines = truncate_empty_lines(lines)\n leading_space = lines[0].replace(lines[0].lstrip(), '')\n for i in range(len(lines)):\n lines[i] = lines[i][len(leading_space):]\n parser = docutils.parsers.rst.tableparser.SimpleTableParser()\n block = docutils.statemachine.StringList(list(lines))\n simple_data = list(parser.parse(block))\n column_widths = simple_data.pop(0)\n column_count = len(column_widths)\n headers_row = 0\n if len(simple_data[0]) > 0:\n use_headers = True\n headers_row = len(simple_data[0]) - 1\n headers = simple_data[0][0]\n row_count = len(simple_data[1]) + len(simple_data[0])\n while len(simple_data[0]) > 0:\n simple_data[1].insert(0, simple_data[0][-1])\n simple_data[0].pop(-1)\n simple_data.pop(0)\n else:\n use_headers = False\n simple_data.pop(0)\n row_count = len(simple_data[0])\n simple_data = simple_data[0]\n table = make_empty_table(row_count, column_count)\n spans = []\n for row in range(len(simple_data)):\n for column in range(len(simple_data[row])):\n try:\n text = '\\n'.join(simple_data[row][column][3]).rstrip()\n table[row][column] = text\n extra_rows = simple_data[row][column][0]\n extra_columns = simple_data[row][column][1]\n span = make_span(row, column, extra_rows, extra_columns)\n span = sorted(span)\n span = list(span for span, _ in itertools.groupby(span))\n if not len(span) == 1:\n spans.append(span)\n except TypeError:\n pass\n spans = sorted(spans)\n return table, spans, use_headers, headers_row\n",
"role": "user"
},
{
"content": "simple2data",
"role": "assistant"
}
] |
def x(table, spans):
widths = []
for column in table[0]:
widths.append(3)
for row in range(len(table)):
for column in range(len(table[row])):
span = get_span(spans, row, column)
column_count = get_span_column_count(span)
if column_count == 1:
text_row = span[0][0]
text_column = span[0][1]
text = table[text_row][text_column]
length = get_longest_line_length(text)
if length > widths[column]:
widths[column] = length
for row in range(len(table)):
for column in range(len(table[row])):
span = get_span(spans, row, column)
column_count = get_span_column_count(span)
if column_count > 1:
text_row = span[0][0]
text_column = span[0][1]
text = table[text_row][text_column]
end_column = text_column + column_count
available_space = sum(widths[text_column:end_column])
available_space += column_count - 1
length = get_longest_line_length(text)
while length > available_space:
for i in range(text_column, end_column):
widths[i] += 1
available_space = sum(widths[text_column:end_column])
available_space += column_count - 1
if length <= available_space:
break
return widths
|
get_output_column_widths
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(table, spans):\n widths = []\n for column in table[0]:\n widths.append(3)\n for row in range(len(table)):\n for column in range(len(table[row])):\n span = get_span(spans, row, column)\n column_count = get_span_column_count(span)\n if column_count == 1:\n text_row = span[0][0]\n text_column = span[0][1]\n text = table[text_row][text_column]\n length = get_longest_line_length(text)\n if length > widths[column]:\n widths[column] = length\n for row in range(len(table)):\n for column in range(len(table[row])):\n span = get_span(spans, row, column)\n column_count = get_span_column_count(span)\n if column_count > 1:\n text_row = span[0][0]\n text_column = span[0][1]\n text = table[text_row][text_column]\n end_column = text_column + column_count\n available_space = sum(widths[text_column:end_column])\n available_space += column_count - 1\n length = get_longest_line_length(text)\n while length > available_space:\n for i in range(text_column, end_column):\n widths[i] += 1\n available_space = sum(widths[text_column:end_column])\n available_space += column_count - 1\n if length <= available_space:\n break\n return widths\n",
"role": "user"
},
{
"content": "get_output_column_widths",
"role": "assistant"
}
] |
def x(row_count, column_count):
table = []
while row_count > 0:
row = []
for column in range(column_count):
row.append('')
table.append(row)
row_count -= 1
return table
|
make_empty_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(row_count, column_count):\n table = []\n while row_count > 0:\n row = []\n for column in range(column_count):\n row.append('')\n table.append(row)\n row_count -= 1\n return table\n",
"role": "user"
},
{
"content": "make_empty_table",
"role": "assistant"
}
] |
def x(self):
t = self.X.transpose()
XX = dot(t, self.X)
XY = dot(t, self.y)
return linalg.solve(XX, XY)
|
beta
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n t = self.X.transpose()\n XX = dot(t, self.X)\n XY = dot(t, self.y)\n return linalg.solve(XX, XY)\n",
"role": "user"
},
{
"content": "beta",
"role": "assistant"
}
] |
def x(self, typ):
for key, val in self.items():
if val.type == typ:
yield key
|
oftype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, typ):\n for key, val in self.items():\n if val.type == typ:\n yield key\n",
"role": "user"
},
{
"content": "oftype",
"role": "assistant"
}
] |
def x(self, with_namespace=False):
N = self.count()
names = self.name.split(settings.splittingnames)[:N]
n = 0
while len(names) < N:
n += 1
names.append('unnamed%s' % n)
if with_namespace and self.namespace:
n = self.namespace
s = settings.field_separator
return [(n + s + f) for f in names]
else:
return names
|
names
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, with_namespace=False):\n N = self.count()\n names = self.name.split(settings.splittingnames)[:N]\n n = 0\n while len(names) < N:\n n += 1\n names.append('unnamed%s' % n)\n if with_namespace and self.namespace:\n n = self.namespace\n s = settings.field_separator\n return [(n + s + f) for f in names]\n else:\n return names\n",
"role": "user"
},
{
"content": "names",
"role": "assistant"
}
] |
def x(self, format=None, **kwargs):
formatter = Formatters.get(format, None)
if not format:
return self.display()
elif not formatter:
raise FormattingException('Formatter %s not available' % format)
else:
return formatter(self, **kwargs)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, format=None, **kwargs):\n formatter = Formatters.get(format, None)\n if not format:\n return self.display()\n elif not formatter:\n raise FormattingException('Formatter %s not available' % format)\n else:\n return formatter(self, **kwargs)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(p):
v = p[2]
if v == '+':
p[0] = PlusOp(p[1], p[3])
elif v == '-':
p[0] = MinusOp(p[1], p[3])
elif v == '*':
p[0] = MultiplyOp(p[1], p[3])
elif v == '/':
p[0] = DivideOp(p[1], p[3])
elif v == '=':
p[0] = EqualOp(p[1], p[3])
elif v == settings.concat_operator:
p[0] = ConcatenationOp(p[1], p[3])
elif v == settings.separator_operator:
p[0] = SplittingOp(p[1], p[3])
elif v == settings.field_operator:
p[0] = Symbol(p[1], field=p[3])
|
p_expression_binop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n v = p[2]\n if v == '+':\n p[0] = PlusOp(p[1], p[3])\n elif v == '-':\n p[0] = MinusOp(p[1], p[3])\n elif v == '*':\n p[0] = MultiplyOp(p[1], p[3])\n elif v == '/':\n p[0] = DivideOp(p[1], p[3])\n elif v == '=':\n p[0] = EqualOp(p[1], p[3])\n elif v == settings.concat_operator:\n p[0] = ConcatenationOp(p[1], p[3])\n elif v == settings.separator_operator:\n p[0] = SplittingOp(p[1], p[3])\n elif v == settings.field_operator:\n p[0] = Symbol(p[1], field=p[3])\n",
"role": "user"
},
{
"content": "p_expression_binop",
"role": "assistant"
}
] |
def x(p):
v = p[1]
if v == '(':
p[0] = functionarguments(p[2])
elif v == '[':
p[0] = tsentry(p[2])
|
p_expression_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(p):\n v = p[1]\n if v == '(':\n p[0] = functionarguments(p[2])\n elif v == '[':\n p[0] = tsentry(p[2])\n",
"role": "user"
},
{
"content": "p_expression_group",
"role": "assistant"
}
] |
def x(cell1, cell2, direction):
cell1_lines = cell1.text.split('\n')
cell2_lines = cell2.text.split('\n')
if direction == 'RIGHT':
for i in range(len(cell1_lines)):
cell1_lines[i] = cell1_lines[i] + cell2_lines[i][1:]
cell1.text = '\n'.join(cell1_lines)
cell1.column_count += cell2.column_count
elif direction == 'TOP':
if cell1_lines[0].count('+') > cell2_lines[-1].count('+'):
cell2_lines.pop(-1)
else:
cell1_lines.pop(0)
cell2_lines.extend(cell1_lines)
cell1.text = '\n'.join(cell2_lines)
cell1.row_count += cell2.row_count
cell1.row = cell2.row
cell1.column = cell2.column
elif direction == 'BOTTOM':
if cell1_lines[-1].count('+') > cell2_lines[0].count('+'
) or cell1.is_header:
cell2_lines.pop(0)
else:
cell1_lines.pop(-1)
cell1_lines.extend(cell2_lines)
cell1.text = '\n'.join(cell1_lines)
cell1.row_count += cell2.row_count
elif direction == 'LEFT':
for i in range(len(cell1_lines)):
cell1_lines[i] = cell2_lines[i][0:-1] + cell1_lines[i]
cell1.text = '\n'.join(cell1_lines)
cell1.column_count += cell2.column_count
cell1.row = cell2.row
cell1.column = cell2.column
|
merge_cells
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cell1, cell2, direction):\n cell1_lines = cell1.text.split('\\n')\n cell2_lines = cell2.text.split('\\n')\n if direction == 'RIGHT':\n for i in range(len(cell1_lines)):\n cell1_lines[i] = cell1_lines[i] + cell2_lines[i][1:]\n cell1.text = '\\n'.join(cell1_lines)\n cell1.column_count += cell2.column_count\n elif direction == 'TOP':\n if cell1_lines[0].count('+') > cell2_lines[-1].count('+'):\n cell2_lines.pop(-1)\n else:\n cell1_lines.pop(0)\n cell2_lines.extend(cell1_lines)\n cell1.text = '\\n'.join(cell2_lines)\n cell1.row_count += cell2.row_count\n cell1.row = cell2.row\n cell1.column = cell2.column\n elif direction == 'BOTTOM':\n if cell1_lines[-1].count('+') > cell2_lines[0].count('+'\n ) or cell1.is_header:\n cell2_lines.pop(0)\n else:\n cell1_lines.pop(-1)\n cell1_lines.extend(cell2_lines)\n cell1.text = '\\n'.join(cell1_lines)\n cell1.row_count += cell2.row_count\n elif direction == 'LEFT':\n for i in range(len(cell1_lines)):\n cell1_lines[i] = cell2_lines[i][0:-1] + cell1_lines[i]\n cell1.text = '\\n'.join(cell1_lines)\n cell1.column_count += cell2.column_count\n cell1.row = cell2.row\n cell1.column = cell2.column\n",
"role": "user"
},
{
"content": "merge_cells",
"role": "assistant"
}
] |
def x(cls):
for field in dir(cls):
if hasattr(cls, field):
value = getattr(cls, field)
yield field, value
|
iterclass
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls):\n for field in dir(cls):\n if hasattr(cls, field):\n value = getattr(cls, field)\n yield field, value\n",
"role": "user"
},
{
"content": "iterclass",
"role": "assistant"
}
] |
def x(host, port, q, done, stop):
s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)
s.settimeout(2)
attempt = 0
while not stop.is_set():
try:
s.connect((host, port))
return s
except Exception as ex:
time.sleep(min(30, 2 ** attempt))
attempt += 1
|
mksocket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, port, q, done, stop):\n s = socket.socket(socket.AF_INET, socket.SOCK_STREAM)\n s.settimeout(2)\n attempt = 0\n while not stop.is_set():\n try:\n s.connect((host, port))\n return s\n except Exception as ex:\n time.sleep(min(30, 2 ** attempt))\n attempt += 1\n",
"role": "user"
},
{
"content": "mksocket",
"role": "assistant"
}
] |
def x(host, port, q, done, mps, stop, test_mode):
sock = None
retry_line = None
while not (stop.is_set() or done.is_set() and retry_line == None and q.
empty()):
stime = time.time()
if sock == None and not test_mode:
sock = _mksocket(host, port, q, done, stop)
if sock == None:
break
if retry_line:
line = retry_line
retry_line = None
else:
try:
line = q.get(True, 1)
except:
if done.is_set():
break
else:
continue
if not test_mode:
try:
sock.sendall(line.encode('utf-8'))
except:
sock = None
retry_line = line
continue
etime = time.time() - stime
if mps > 0:
wait_time = 2.0 * random.random() / mps
if wait_time > etime:
time.sleep(wait_time - etime)
if sock:
sock.close()
|
push
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(host, port, q, done, mps, stop, test_mode):\n sock = None\n retry_line = None\n while not (stop.is_set() or done.is_set() and retry_line == None and q.\n empty()):\n stime = time.time()\n if sock == None and not test_mode:\n sock = _mksocket(host, port, q, done, stop)\n if sock == None:\n break\n if retry_line:\n line = retry_line\n retry_line = None\n else:\n try:\n line = q.get(True, 1)\n except:\n if done.is_set():\n break\n else:\n continue\n if not test_mode:\n try:\n sock.sendall(line.encode('utf-8'))\n except:\n sock = None\n retry_line = line\n continue\n etime = time.time() - stime\n if mps > 0:\n wait_time = 2.0 * random.random() / mps\n if wait_time > etime:\n time.sleep(wait_time - etime)\n if sock:\n sock.close()\n",
"role": "user"
},
{
"content": "push",
"role": "assistant"
}
] |
def x(self, name, val, **tags):
global _last_timestamp, _last_metrics
assert not self.done.is_set(), 'worker thread has been closed'
assert all(c in _valid_metric_chars for c in name
), 'invalid metric name ' + name
val = float(val)
if int(val) == val:
val = int(val)
if self.host_tag and 'host' not in tags:
tags['host'] = self.host_tag
timestamp = int(tags.pop('timestamp', time.time()))
assert not self.done.is_set(), 'tsdb object has been closed'
assert tags != {}, 'Need at least one tag'
tagvals = ' '.join([('%s=%s' % (k, v)) for k, v in tags.items()])
unique_str = '%s, %s, %s, %s, %s' % (name, timestamp, tagvals, self.
host, self.port)
if timestamp == _last_timestamp or _last_timestamp == None:
if unique_str in _last_metrics:
return
else:
_last_metrics.add(unique_str)
else:
_last_timestamp = timestamp
_last_metrics.clear()
line = 'put %s %d %s %s\n' % (name, timestamp, val, tagvals)
try:
self.q.put(line, False)
self.queued += 1
except queue.Full:
print(
'potsdb - Warning: dropping oldest metric because Queue is full. Size: %s'
% self.q.qsize(), file=sys.stderr)
self.q.get()
self.q.put(line, False)
return line
|
log
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, val, **tags):\n global _last_timestamp, _last_metrics\n assert not self.done.is_set(), 'worker thread has been closed'\n assert all(c in _valid_metric_chars for c in name\n ), 'invalid metric name ' + name\n val = float(val)\n if int(val) == val:\n val = int(val)\n if self.host_tag and 'host' not in tags:\n tags['host'] = self.host_tag\n timestamp = int(tags.pop('timestamp', time.time()))\n assert not self.done.is_set(), 'tsdb object has been closed'\n assert tags != {}, 'Need at least one tag'\n tagvals = ' '.join([('%s=%s' % (k, v)) for k, v in tags.items()])\n unique_str = '%s, %s, %s, %s, %s' % (name, timestamp, tagvals, self.\n host, self.port)\n if timestamp == _last_timestamp or _last_timestamp == None:\n if unique_str in _last_metrics:\n return\n else:\n _last_metrics.add(unique_str)\n else:\n _last_timestamp = timestamp\n _last_metrics.clear()\n line = 'put %s %d %s %s\\n' % (name, timestamp, val, tagvals)\n try:\n self.q.put(line, False)\n self.queued += 1\n except queue.Full:\n print(\n 'potsdb - Warning: dropping oldest metric because Queue is full. Size: %s'\n % self.q.qsize(), file=sys.stderr)\n self.q.get()\n self.q.put(line, False)\n return line\n",
"role": "user"
},
{
"content": "log",
"role": "assistant"
}
] |
def x():
ports = []
for i in range(256):
try:
p = Serial('COM%d' % i)
p.close()
ports.append(p)
except SerialException:
pass
return ports
|
available_ports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ports = []\n for i in range(256):\n try:\n p = Serial('COM%d' % i)\n p.close()\n ports.append(p)\n except SerialException:\n pass\n return ports\n",
"role": "user"
},
{
"content": "available_ports",
"role": "assistant"
}
] |
def x(self):
response = {'port': 0, 'pressed': False, 'key': 0, 'time': 0}
if len(self.__response_structs_queue) > 0:
response = self.__response_structs_queue[0].copy()
self.__response_structs_queue.pop(0)
return response
|
get_current_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = {'port': 0, 'pressed': False, 'key': 0, 'time': 0}\n if len(self.__response_structs_queue) > 0:\n response = self.__response_structs_queue[0].copy()\n self.__response_structs_queue.pop(0)\n return response\n",
"role": "user"
},
{
"content": "get_current_response",
"role": "assistant"
}
] |
def x(self):
self.__xid_cons = []
for c in self.__com_ports:
device_found = False
for b in [115200, 19200, 9600, 57600, 38400]:
con = XidConnection(c, b)
try:
con.open()
except SerialException:
continue
con.flush_input()
con.flush_output()
returnval = con.send_xid_command('_c1', 5).decode('ASCII')
if returnval.startswith('_xid'):
device_found = True
self.__xid_cons.append(con)
if returnval != '_xid0':
con.send_xid_command('c10')
con.flush_input()
con.flush_output()
con.send_xid_command('e1')
con.send_xid_command('e5')
con.close()
if device_found:
break
|
detect_xid_devices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.__xid_cons = []\n for c in self.__com_ports:\n device_found = False\n for b in [115200, 19200, 9600, 57600, 38400]:\n con = XidConnection(c, b)\n try:\n con.open()\n except SerialException:\n continue\n con.flush_input()\n con.flush_output()\n returnval = con.send_xid_command('_c1', 5).decode('ASCII')\n if returnval.startswith('_xid'):\n device_found = True\n self.__xid_cons.append(con)\n if returnval != '_xid0':\n con.send_xid_command('c10')\n con.flush_input()\n con.flush_output()\n con.send_xid_command('e1')\n con.send_xid_command('e5')\n con.close()\n if device_found:\n break\n",
"role": "user"
},
{
"content": "detect_xid_devices",
"role": "assistant"
}
] |
def x(self, index):
if index >= len(self.__xid_cons):
raise ValueError('Invalid device index')
return self.__xid_cons[index]
|
device_at_index
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, index):\n if index >= len(self.__xid_cons):\n raise ValueError('Invalid device index')\n return self.__xid_cons[index]\n",
"role": "user"
},
{
"content": "device_at_index",
"role": "assistant"
}
] |
def x(self):
_, _, time = unpack('<ccI', self.con.send_xid_command('e3', 6))
return time
|
query_base_timer
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _, _, time = unpack('<ccI', self.con.send_xid_command('e3', 6))\n return time\n",
"role": "user"
},
{
"content": "query_base_timer",
"role": "assistant"
}
] |
def x(self):
key_state = self.con.check_for_keypress()
if key_state != NO_KEY_DETECTED:
response = self.con.get_current_response()
if self.keymap is not None:
response['key'] = self.keymap[response['key']]
else:
response['key'] -= 1
self.response_queue.append(response)
|
poll_for_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key_state = self.con.check_for_keypress()\n if key_state != NO_KEY_DETECTED:\n response = self.con.get_current_response()\n if self.keymap is not None:\n response['key'] = self.keymap[response['key']]\n else:\n response['key'] -= 1\n self.response_queue.append(response)\n",
"role": "user"
},
{
"content": "poll_for_response",
"role": "assistant"
}
] |
def x(self, duration):
if duration > 4294967295:
raise ValueError(
'Duration is too long. Please choose a value less than 4294967296.'
)
big_endian = hex(duration)[2:]
if len(big_endian) % 2 != 0:
big_endian = '0' + big_endian
little_endian = []
for i in range(0, len(big_endian), 2):
little_endian.insert(0, big_endian[i:i + 2])
for i in range(0, 4 - len(little_endian)):
little_endian.append('00')
command = 'mp'
for i in little_endian:
command += chr(int(i, 16))
self.con.send_xid_command(command, 0)
|
set_pulse_duration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, duration):\n if duration > 4294967295:\n raise ValueError(\n 'Duration is too long. Please choose a value less than 4294967296.'\n )\n big_endian = hex(duration)[2:]\n if len(big_endian) % 2 != 0:\n big_endian = '0' + big_endian\n little_endian = []\n for i in range(0, len(big_endian), 2):\n little_endian.insert(0, big_endian[i:i + 2])\n for i in range(0, 4 - len(little_endian)):\n little_endian.append('00')\n command = 'mp'\n for i in little_endian:\n command += chr(int(i, 16))\n self.con.send_xid_command(command, 0)\n",
"role": "user"
},
{
"content": "set_pulse_duration",
"role": "assistant"
}
] |
def x(self, lines=None, bitmask=None, leave_remaining_lines=False):
if lines is None and bitmask is None:
raise ValueError('Must set one of lines or bitmask')
if lines is not None and bitmask is not None:
raise ValueError('Can only set one of lines or bitmask')
if bitmask is not None:
if bitmask not in range(0, 256):
raise ValueError('bitmask must be an integer between 0 and 255')
if lines is not None:
if not isinstance(lines, list):
lines = [lines]
bitmask = 0
for l in lines:
if l < 1 or l > 8:
raise ValueError(
'Line numbers must be between 1 and 8 (inclusive)')
bitmask |= self._lines[l]
self.con.set_digital_output_lines(bitmask, leave_remaining_lines)
|
activate_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines=None, bitmask=None, leave_remaining_lines=False):\n if lines is None and bitmask is None:\n raise ValueError('Must set one of lines or bitmask')\n if lines is not None and bitmask is not None:\n raise ValueError('Can only set one of lines or bitmask')\n if bitmask is not None:\n if bitmask not in range(0, 256):\n raise ValueError('bitmask must be an integer between 0 and 255')\n if lines is not None:\n if not isinstance(lines, list):\n lines = [lines]\n bitmask = 0\n for l in lines:\n if l < 1 or l > 8:\n raise ValueError(\n 'Line numbers must be between 1 and 8 (inclusive)')\n bitmask |= self._lines[l]\n self.con.set_digital_output_lines(bitmask, leave_remaining_lines)\n",
"role": "user"
},
{
"content": "activate_line",
"role": "assistant"
}
] |
def x(self, lines=None, bitmask=None, leave_remaining_lines=False):
if lines is None and bitmask is None:
raise ValueError('Must set one of lines or bitmask')
if lines is not None and bitmask is not None:
raise ValueError('Can only set one of lines or bitmask')
if bitmask is not None:
if bitmask not in range(0, 256):
raise ValueError('bitmask must be an integer between 0 and 255')
if lines is not None:
if not isinstance(lines, list):
lines = [lines]
bitmask = 0
for l in lines:
if l < 1 or l > 8:
raise ValueError(
'Line numbers must be between 1 and 8 (inclusive)')
bitmask |= self._lines[l]
self.con.clear_digital_output_lines(bitmask, leave_remaining_lines)
|
clear_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lines=None, bitmask=None, leave_remaining_lines=False):\n if lines is None and bitmask is None:\n raise ValueError('Must set one of lines or bitmask')\n if lines is not None and bitmask is not None:\n raise ValueError('Can only set one of lines or bitmask')\n if bitmask is not None:\n if bitmask not in range(0, 256):\n raise ValueError('bitmask must be an integer between 0 and 255')\n if lines is not None:\n if not isinstance(lines, list):\n lines = [lines]\n bitmask = 0\n for l in lines:\n if l < 1 or l > 8:\n raise ValueError(\n 'Line numbers must be between 1 and 8 (inclusive)')\n bitmask |= self._lines[l]\n self.con.clear_digital_output_lines(bitmask, leave_remaining_lines)\n",
"role": "user"
},
{
"content": "clear_line",
"role": "assistant"
}
] |
def x(self):
try:
product_id = int(self._send_command('_d2', 1))
except ValueError:
product_id = self._send_command('_d2', 1)
if product_id == 0:
self._impl = ResponseDevice(self.con,
'Cedrus Lumina LP-400 Response Pad System', lumina_keymap)
elif product_id == 1:
self._impl = ResponseDevice(self.con, 'Cedrus SV-1 Voice Key', None,
'Voice Response')
elif product_id == 2:
model_id = int(self._send_command('_d3', 1))
if model_id == 1:
self._impl = ResponseDevice(self.con, 'Cedrus RB-530',
rb_530_keymap)
elif model_id == 2:
self._impl = ResponseDevice(self.con, 'Cedrus RB-730',
rb_730_keymap)
elif model_id == 3:
self._impl = ResponseDevice(self.con, 'Cedrus RB-830',
rb_830_keymap)
elif model_id == 4:
self._impl = ResponseDevice(self.con, 'Cedrus RB-834',
rb_834_keymap)
else:
raise XidError('Unknown RB Device')
elif product_id == 4:
self._impl = StimTracker(self.con, 'Cedrus C-POD')
elif product_id == b'S':
self._impl = StimTracker(self.con, 'Cedrus StimTracker')
elif product_id == -99:
raise XidError('Invalid XID device')
|
init_device
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n product_id = int(self._send_command('_d2', 1))\n except ValueError:\n product_id = self._send_command('_d2', 1)\n if product_id == 0:\n self._impl = ResponseDevice(self.con,\n 'Cedrus Lumina LP-400 Response Pad System', lumina_keymap)\n elif product_id == 1:\n self._impl = ResponseDevice(self.con, 'Cedrus SV-1 Voice Key', None,\n 'Voice Response')\n elif product_id == 2:\n model_id = int(self._send_command('_d3', 1))\n if model_id == 1:\n self._impl = ResponseDevice(self.con, 'Cedrus RB-530',\n rb_530_keymap)\n elif model_id == 2:\n self._impl = ResponseDevice(self.con, 'Cedrus RB-730',\n rb_730_keymap)\n elif model_id == 3:\n self._impl = ResponseDevice(self.con, 'Cedrus RB-830',\n rb_830_keymap)\n elif model_id == 4:\n self._impl = ResponseDevice(self.con, 'Cedrus RB-834',\n rb_834_keymap)\n else:\n raise XidError('Unknown RB Device')\n elif product_id == 4:\n self._impl = StimTracker(self.con, 'Cedrus C-POD')\n elif product_id == b'S':\n self._impl = StimTracker(self.con, 'Cedrus StimTracker')\n elif product_id == -99:\n raise XidError('Invalid XID device')\n",
"role": "user"
},
{
"content": "init_device",
"role": "assistant"
}
] |
def x(self, command, expected_bytes):
response = self.con.send_xid_command(command, expected_bytes)
return response
|
send_command
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command, expected_bytes):\n response = self.con.send_xid_command(command, expected_bytes)\n return response\n",
"role": "user"
},
{
"content": "send_command",
"role": "assistant"
}
] |
def x():
devices = []
scanner = XidScanner()
for i in range(scanner.device_count()):
com = scanner.device_at_index(i)
com.open()
device = XidDevice(com)
devices.append(device)
return devices
|
get_xid_devices
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n devices = []\n scanner = XidScanner()\n for i in range(scanner.device_count()):\n com = scanner.device_at_index(i)\n com.open()\n device = XidDevice(com)\n devices.append(device)\n return devices\n",
"role": "user"
},
{
"content": "get_xid_devices",
"role": "assistant"
}
] |
def x(device_number):
scanner = XidScanner()
com = scanner.device_at_index(device_number)
com.open()
return XidDevice(com)
|
get_xid_device
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(device_number):\n scanner = XidScanner()\n com = scanner.device_at_index(device_number)\n com.open()\n return XidDevice(com)\n",
"role": "user"
},
{
"content": "get_xid_device",
"role": "assistant"
}
] |
def x(self, receiver):
if not callable(receiver):
raise ValueError('Invalid receiver: %s' % receiver)
self.receivers.append(receiver)
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, receiver):\n if not callable(receiver):\n raise ValueError('Invalid receiver: %s' % receiver)\n self.receivers.append(receiver)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, receiver):
try:
self.receivers.remove(receiver)
except ValueError:
raise ValueError('Unknown receiver: %s' % receiver)
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, receiver):\n try:\n self.receivers.remove(receiver)\n except ValueError:\n raise ValueError('Unknown receiver: %s' % receiver)\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self, instance, *args, **kwargs):
for receiver in self.receivers:
receiver(instance, *args, **kwargs)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, instance, *args, **kwargs):\n for receiver in self.receivers:\n receiver(instance, *args, **kwargs)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(cls, *args, **kwargs):
query = super(Model, cls).select(*args, **kwargs)
query.database = cls._get_read_database()
return query
|
select
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *args, **kwargs):\n query = super(Model, cls).select(*args, **kwargs)\n query.database = cls._get_read_database()\n return query\n",
"role": "user"
},
{
"content": "select",
"role": "assistant"
}
] |
def x(self, force_insert=False, **kwargs):
created = force_insert or not bool(self.pk)
self.pre_save.send(self, created=created)
super(Model, self).save(force_insert=force_insert, **kwargs)
self.post_save.send(self, created=created)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, force_insert=False, **kwargs):\n created = force_insert or not bool(self.pk)\n self.pre_save.send(self, created=created)\n super(Model, self).save(force_insert=force_insert, **kwargs)\n self.post_save.send(self, created=created)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, *args, **kwargs):
self.pre_delete.send(self)
super(Model, self).delete_instance(*args, **kwargs)
self.post_delete.send(self)
|
delete_instance
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args, **kwargs):\n self.pre_delete.send(self)\n super(Model, self).delete_instance(*args, **kwargs)\n self.post_delete.send(self)\n",
"role": "user"
},
{
"content": "delete_instance",
"role": "assistant"
}
] |
def x(obj, **params):
if isinstance(obj, string_types):
return connect(obj, **params)
return obj
|
get_database
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, **params):\n if isinstance(obj, string_types):\n return connect(obj, **params)\n return obj\n",
"role": "user"
},
{
"content": "get_database",
"role": "assistant"
}
] |
def x(self, app, database=None):
if not app:
raise RuntimeError('Invalid application.')
self.app = app
if not hasattr(app, 'extensions'):
app.extensions = {}
app.extensions['peewee'] = self
app.config.setdefault('PEEWEE_CONNECTION_PARAMS', {})
app.config.setdefault('PEEWEE_DATABASE_URI', 'sqlite:///peewee.sqlite')
app.config.setdefault('PEEWEE_MANUAL', False)
app.config.setdefault('PEEWEE_MIGRATE_DIR', 'migrations')
app.config.setdefault('PEEWEE_MIGRATE_TABLE', 'migratehistory')
app.config.setdefault('PEEWEE_MODELS_CLASS', Model)
app.config.setdefault('PEEWEE_MODELS_IGNORE', [])
app.config.setdefault('PEEWEE_MODELS_MODULE', '')
app.config.setdefault('PEEWEE_READ_SLAVES', '')
app.config.setdefault('PEEWEE_USE_READ_SLAVES', True)
params = app.config['PEEWEE_CONNECTION_PARAMS']
database = database or app.config.get('PEEWEE_DATABASE_URI')
if not database:
raise RuntimeError('Invalid database.')
database = get_database(database, **params)
slaves = app.config['PEEWEE_READ_SLAVES']
if isinstance(slaves, string_types):
slaves = slaves.split(',')
self.slaves = [get_database(slave, **params) for slave in slaves if slave]
self.database.initialize(database)
if self.database.database == ':memory:':
app.config['PEEWEE_MANUAL'] = True
if not app.config['PEEWEE_MANUAL']:
app.before_request(self.connect)
app.teardown_request(self.close)
|
init_app
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, app, database=None):\n if not app:\n raise RuntimeError('Invalid application.')\n self.app = app\n if not hasattr(app, 'extensions'):\n app.extensions = {}\n app.extensions['peewee'] = self\n app.config.setdefault('PEEWEE_CONNECTION_PARAMS', {})\n app.config.setdefault('PEEWEE_DATABASE_URI', 'sqlite:///peewee.sqlite')\n app.config.setdefault('PEEWEE_MANUAL', False)\n app.config.setdefault('PEEWEE_MIGRATE_DIR', 'migrations')\n app.config.setdefault('PEEWEE_MIGRATE_TABLE', 'migratehistory')\n app.config.setdefault('PEEWEE_MODELS_CLASS', Model)\n app.config.setdefault('PEEWEE_MODELS_IGNORE', [])\n app.config.setdefault('PEEWEE_MODELS_MODULE', '')\n app.config.setdefault('PEEWEE_READ_SLAVES', '')\n app.config.setdefault('PEEWEE_USE_READ_SLAVES', True)\n params = app.config['PEEWEE_CONNECTION_PARAMS']\n database = database or app.config.get('PEEWEE_DATABASE_URI')\n if not database:\n raise RuntimeError('Invalid database.')\n database = get_database(database, **params)\n slaves = app.config['PEEWEE_READ_SLAVES']\n if isinstance(slaves, string_types):\n slaves = slaves.split(',')\n self.slaves = [get_database(slave, **params) for slave in slaves if slave]\n self.database.initialize(database)\n if self.database.database == ':memory:':\n app.config['PEEWEE_MANUAL'] = True\n if not app.config['PEEWEE_MANUAL']:\n app.before_request(self.connect)\n app.teardown_request(self.close)\n",
"role": "user"
},
{
"content": "init_app",
"role": "assistant"
}
] |
def x(self, response):
LOGGER.info('Closing [%s]', os.getpid())
if not self.database.is_closed():
self.database.close()
return response
|
close
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, response):\n LOGGER.info('Closing [%s]', os.getpid())\n if not self.database.is_closed():\n self.database.close()\n return response\n",
"role": "user"
},
{
"content": "close",
"role": "assistant"
}
] |
def x(self):
Model_ = self.app.config['PEEWEE_MODELS_CLASS']
meta_params = {'database': self.database}
if self.slaves and self.app.config['PEEWEE_USE_READ_SLAVES']:
meta_params['read_slaves'] = self.slaves
Meta = type('Meta', (), meta_params)
return type('Model', (Model_,), {'Meta': Meta})
|
Model
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n Model_ = self.app.config['PEEWEE_MODELS_CLASS']\n meta_params = {'database': self.database}\n if self.slaves and self.app.config['PEEWEE_USE_READ_SLAVES']:\n meta_params['read_slaves'] = self.slaves\n Meta = type('Meta', (), meta_params)\n return type('Model', (Model_,), {'Meta': Meta})\n",
"role": "user"
},
{
"content": "Model",
"role": "assistant"
}
] |
def x(self):
Model_ = self.app.config['PEEWEE_MODELS_CLASS']
ignore = self.app.config['PEEWEE_MODELS_IGNORE']
models = []
if Model_ is not Model:
try:
mod = import_module(self.app.config['PEEWEE_MODELS_MODULE'])
for model in dir(mod):
models = getattr(mod, model)
if not isinstance(model, pw.Model):
continue
models.append(models)
except ImportError:
return models
elif isinstance(Model_, BaseSignalModel):
models = BaseSignalModel.models
return [m for m in models if m._meta.name not in ignore]
|
models
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n Model_ = self.app.config['PEEWEE_MODELS_CLASS']\n ignore = self.app.config['PEEWEE_MODELS_IGNORE']\n models = []\n if Model_ is not Model:\n try:\n mod = import_module(self.app.config['PEEWEE_MODELS_MODULE'])\n for model in dir(mod):\n models = getattr(mod, model)\n if not isinstance(model, pw.Model):\n continue\n models.append(models)\n except ImportError:\n return models\n elif isinstance(Model_, BaseSignalModel):\n models = BaseSignalModel.models\n return [m for m in models if m._meta.name not in ignore]\n",
"role": "user"
},
{
"content": "models",
"role": "assistant"
}
] |
def x(self, name, auto=False):
LOGGER.setLevel('INFO')
LOGGER.propagate = 0
router = Router(self.database, migrate_dir=self.app.config[
'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[
'PEEWEE_MIGRATE_TABLE'])
if auto:
auto = self.models
router.create(name, auto=auto)
|
cmd_create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, auto=False):\n LOGGER.setLevel('INFO')\n LOGGER.propagate = 0\n router = Router(self.database, migrate_dir=self.app.config[\n 'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[\n 'PEEWEE_MIGRATE_TABLE'])\n if auto:\n auto = self.models\n router.create(name, auto=auto)\n",
"role": "user"
},
{
"content": "cmd_create",
"role": "assistant"
}
] |
def x(self, name=None, fake=False):
from peewee_migrate.router import Router, LOGGER
LOGGER.setLevel('INFO')
LOGGER.propagate = 0
router = Router(self.database, migrate_dir=self.app.config[
'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[
'PEEWEE_MIGRATE_TABLE'])
migrations = router.run(name, fake=fake)
if migrations:
LOGGER.warn('Migrations are completed: %s' % ', '.join(migrations))
|
cmd_migrate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name=None, fake=False):\n from peewee_migrate.router import Router, LOGGER\n LOGGER.setLevel('INFO')\n LOGGER.propagate = 0\n router = Router(self.database, migrate_dir=self.app.config[\n 'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[\n 'PEEWEE_MIGRATE_TABLE'])\n migrations = router.run(name, fake=fake)\n if migrations:\n LOGGER.warn('Migrations are completed: %s' % ', '.join(migrations))\n",
"role": "user"
},
{
"content": "cmd_migrate",
"role": "assistant"
}
] |
def x(self, name):
from peewee_migrate.router import Router, LOGGER
LOGGER.setLevel('INFO')
LOGGER.propagate = 0
router = Router(self.database, migrate_dir=self.app.config[
'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[
'PEEWEE_MIGRATE_TABLE'])
router.rollback(name)
|
cmd_rollback
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n from peewee_migrate.router import Router, LOGGER\n LOGGER.setLevel('INFO')\n LOGGER.propagate = 0\n router = Router(self.database, migrate_dir=self.app.config[\n 'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[\n 'PEEWEE_MIGRATE_TABLE'])\n router.rollback(name)\n",
"role": "user"
},
{
"content": "cmd_rollback",
"role": "assistant"
}
] |
def x(self):
from peewee_migrate.router import Router, LOGGER
LOGGER.setLevel('DEBUG')
LOGGER.propagate = 0
router = Router(self.database, migrate_dir=self.app.config[
'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[
'PEEWEE_MIGRATE_TABLE'])
LOGGER.info('Migrations are done:')
LOGGER.info('\n'.join(router.done))
LOGGER.info('')
LOGGER.info('Migrations are undone:')
LOGGER.info('\n'.join(router.diff))
|
cmd_list
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from peewee_migrate.router import Router, LOGGER\n LOGGER.setLevel('DEBUG')\n LOGGER.propagate = 0\n router = Router(self.database, migrate_dir=self.app.config[\n 'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[\n 'PEEWEE_MIGRATE_TABLE'])\n LOGGER.info('Migrations are done:')\n LOGGER.info('\\n'.join(router.done))\n LOGGER.info('')\n LOGGER.info('Migrations are undone:')\n LOGGER.info('\\n'.join(router.diff))\n",
"role": "user"
},
{
"content": "cmd_list",
"role": "assistant"
}
] |
def x(self):
from peewee_migrate.router import Router, LOGGER
LOGGER.setLevel('DEBUG')
LOGGER.propagate = 0
router = Router(self.database, migrate_dir=self.app.config[
'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[
'PEEWEE_MIGRATE_TABLE'])
router.merge()
|
cmd_merge
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from peewee_migrate.router import Router, LOGGER\n LOGGER.setLevel('DEBUG')\n LOGGER.propagate = 0\n router = Router(self.database, migrate_dir=self.app.config[\n 'PEEWEE_MIGRATE_DIR'], migrate_table=self.app.config[\n 'PEEWEE_MIGRATE_TABLE'])\n router.merge()\n",
"role": "user"
},
{
"content": "cmd_merge",
"role": "assistant"
}
] |
def x(self):
from flask_script import Manager, Command
manager = Manager(usage='Migrate database.')
manager.add_command('create', Command(self.cmd_create))
manager.add_command('migrate', Command(self.cmd_migrate))
manager.add_command('rollback', Command(self.cmd_rollback))
manager.add_command('list', Command(self.cmd_list))
manager.add_command('merge', Command(self.cmd_merge))
return manager
|
manager
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from flask_script import Manager, Command\n manager = Manager(usage='Migrate database.')\n manager.add_command('create', Command(self.cmd_create))\n manager.add_command('migrate', Command(self.cmd_migrate))\n manager.add_command('rollback', Command(self.cmd_rollback))\n manager.add_command('list', Command(self.cmd_list))\n manager.add_command('merge', Command(self.cmd_merge))\n return manager\n",
"role": "user"
},
{
"content": "manager",
"role": "assistant"
}
] |
def x(arff):
attrs = arff['attributes']
attrs_t = []
for attr in attrs:
if isinstance(attr[1], list):
attrs_t.append('%s@{%s}' % (attr[0], ','.join(attr[1])))
else:
attrs_t.append('%s@%s' % (attr[0], attr[1]))
df = pd.DataFrame(data=arff['data'], columns=attrs_t)
return df
|
load
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(arff):\n attrs = arff['attributes']\n attrs_t = []\n for attr in attrs:\n if isinstance(attr[1], list):\n attrs_t.append('%s@{%s}' % (attr[0], ','.join(attr[1])))\n else:\n attrs_t.append('%s@%s' % (attr[0], attr[1]))\n df = pd.DataFrame(data=arff['data'], columns=attrs_t)\n return df\n",
"role": "user"
},
{
"content": "load",
"role": "assistant"
}
] |
def x(df, relation='data', description=''):
attrs = []
for col in df.columns:
attr = col.split('@')
if attr[1].count('{') > 0 and attr[1].count('}') > 0:
vals = attr[1].replace('{', '').replace('}', '').split(',')
attrs.append((attr[0], vals))
else:
attrs.append((attr[0], attr[1]))
data = list(df.values)
result = {'attributes': attrs, 'data': data, 'description': description,
'relation': relation}
return result
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, relation='data', description=''):\n attrs = []\n for col in df.columns:\n attr = col.split('@')\n if attr[1].count('{') > 0 and attr[1].count('}') > 0:\n vals = attr[1].replace('{', '').replace('}', '').split(',')\n attrs.append((attr[0], vals))\n else:\n attrs.append((attr[0], attr[1]))\n data = list(df.values)\n result = {'attributes': attrs, 'data': data, 'description': description,\n 'relation': relation}\n return result\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(df, fp):
arff = __dump(df)
liacarff.dump(arff, fp)
|
dump
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(df, fp):\n arff = __dump(df)\n liacarff.dump(arff, fp)\n",
"role": "user"
},
{
"content": "dump",
"role": "assistant"
}
] |
def x(text, offset, marker='>>!<<'):
begin = text.rfind('\n', 0, offset)
begin += 1
end = text.find('\n', offset)
if end == -1:
end = len(text)
return text[begin:offset] + marker + text[offset:end]
|
markup_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text, offset, marker='>>!<<'):\n begin = text.rfind('\\n', 0, offset)\n begin += 1\n end = text.find('\\n', offset)\n if end == -1:\n end = len(text)\n return text[begin:offset] + marker + text[offset:end]\n",
"role": "user"
},
{
"content": "markup_line",
"role": "assistant"
}
] |
def x(spec):
tokens = [Token('__SOF__', '__SOF__', 0)]
re_token = '|'.join(['(?P<{}>{})'.format(name, regex) for name, regex in
spec])
return tokens, re_token
|
tokenize_init
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(spec):\n tokens = [Token('__SOF__', '__SOF__', 0)]\n re_token = '|'.join(['(?P<{}>{})'.format(name, regex) for name, regex in\n spec])\n return tokens, re_token\n",
"role": "user"
},
{
"content": "tokenize_init",
"role": "assistant"
}
] |
def x(self, text):
names, specs = self._unpack_token_specs()
keywords = self.keywords()
tokens, re_token = tokenize_init(specs)
for mo in re.finditer(re_token, text, re.DOTALL):
kind = mo.lastgroup
if kind == 'SKIP':
pass
elif kind != 'MISMATCH':
value = mo.group(kind)
if value in keywords:
kind = value
if kind in names:
kind = names[kind]
tokens.append(Token(kind, value, mo.start()))
else:
raise TokenizeError(text, mo.start())
return tokens
|
tokenize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n names, specs = self._unpack_token_specs()\n keywords = self.keywords()\n tokens, re_token = tokenize_init(specs)\n for mo in re.finditer(re_token, text, re.DOTALL):\n kind = mo.lastgroup\n if kind == 'SKIP':\n pass\n elif kind != 'MISMATCH':\n value = mo.group(kind)\n if value in keywords:\n kind = value\n if kind in names:\n kind = names[kind]\n tokens.append(Token(kind, value, mo.start()))\n else:\n raise TokenizeError(text, mo.start())\n return tokens\n",
"role": "user"
},
{
"content": "tokenize",
"role": "assistant"
}
] |
def x(self, text, token_tree=False, match_sof=False):
try:
tokens = self.tokenize(text)
if len(tokens) == 0 or tokens[-1].kind != '__EOF__':
tokens.append(Token('__EOF__', '__EOF__', len(text)))
if not match_sof:
if len(tokens) > 0 and tokens[0].kind == '__SOF__':
del tokens[0]
return Grammar(self.grammar()).parse(tokens, token_tree)
except (TokenizeError, GrammarError) as e:
raise ParseError(text, e.offset)
|
parse
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text, token_tree=False, match_sof=False):\n try:\n tokens = self.tokenize(text)\n if len(tokens) == 0 or tokens[-1].kind != '__EOF__':\n tokens.append(Token('__EOF__', '__EOF__', len(text)))\n if not match_sof:\n if len(tokens) > 0 and tokens[0].kind == '__SOF__':\n del tokens[0]\n return Grammar(self.grammar()).parse(tokens, token_tree)\n except (TokenizeError, GrammarError) as e:\n raise ParseError(text, e.offset)\n",
"role": "user"
},
{
"content": "parse",
"role": "assistant"
}
] |
def x(self, y, reverse=False):
logger.info('Running %(name)s.y_at_x(y=%(y)s, reverse=%(rev)s)', {
'name': self.__class__, 'y': y, 'rev': reverse})
x_handle, y_handle = self.x, self.y
if reverse:
x_handle, y_handle = self.x[::-1], self.y[::-1]
cond = y_handle >= y
ind = np.argmax(cond)
if not cond[ind]:
return np.nan
if ind == 0 and y < y_handle[0]:
return np.nan
if cond[ind] and y_handle[ind] == y:
return x_handle[ind]
sl = slice(ind - 1, ind + 1)
return np.interp(y, y_handle[sl], x_handle[sl])
|
x_at_y
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, y, reverse=False):\n logger.info('Running %(name)s.y_at_x(y=%(y)s, reverse=%(rev)s)', {\n 'name': self.__class__, 'y': y, 'rev': reverse})\n x_handle, y_handle = self.x, self.y\n if reverse:\n x_handle, y_handle = self.x[::-1], self.y[::-1]\n cond = y_handle >= y\n ind = np.argmax(cond)\n if not cond[ind]:\n return np.nan\n if ind == 0 and y < y_handle[0]:\n return np.nan\n if cond[ind] and y_handle[ind] == y:\n return x_handle[ind]\n sl = slice(ind - 1, ind + 1)\n return np.interp(y, y_handle[sl], x_handle[sl])\n",
"role": "user"
},
{
"content": "x_at_y",
"role": "assistant"
}
] |
def x(self, level):
return self.x_at_y(level, reverse=True) - self.x_at_y(level)
|
width
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, level):\n return self.x_at_y(level, reverse=True) - self.x_at_y(level)\n",
"role": "user"
},
{
"content": "width",
"role": "assistant"
}
] |
def x(self, dt, allow_cast=True):
if dt <= 0:
raise ValueError('Expected positive input')
logger.info('Running %(name)s.normalize(dt=%(dt)s)', {'name': self.
__class__, 'dt': dt})
try:
ave = np.average(self.y[np.fabs(self.x) <= dt])
except RuntimeWarning as e:
logger.error('in normalize(). self class is %(name)s, dt=%(dt)s', {
'name': self.__class__, 'dt': dt})
raise Exception('Scaling factor error: {0}'.format(e))
try:
self.y /= ave
except TypeError as e:
logger.warning('Division in place is impossible: %s', e)
if allow_cast:
self.y = self.y / ave
else:
logger.error(
'Division in place impossible - allow_cast flag set to True should help'
)
raise
|
normalize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dt, allow_cast=True):\n if dt <= 0:\n raise ValueError('Expected positive input')\n logger.info('Running %(name)s.normalize(dt=%(dt)s)', {'name': self.\n __class__, 'dt': dt})\n try:\n ave = np.average(self.y[np.fabs(self.x) <= dt])\n except RuntimeWarning as e:\n logger.error('in normalize(). self class is %(name)s, dt=%(dt)s', {\n 'name': self.__class__, 'dt': dt})\n raise Exception('Scaling factor error: {0}'.format(e))\n try:\n self.y /= ave\n except TypeError as e:\n logger.warning('Division in place is impossible: %s', e)\n if allow_cast:\n self.y = self.y / ave\n else:\n logger.error(\n 'Division in place impossible - allow_cast flag set to True should help'\n )\n raise\n",
"role": "user"
},
{
"content": "normalize",
"role": "assistant"
}
] |
def x(self, factor=1.0, allow_cast=True):
try:
self.y /= factor
except TypeError as e:
logger.warning('Division in place is impossible: %s', e)
if allow_cast:
self.y = self.y / factor
else:
logger.error('allow_cast flag set to True should help')
raise
|
rescale
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor=1.0, allow_cast=True):\n try:\n self.y /= factor\n except TypeError as e:\n logger.warning('Division in place is impossible: %s', e)\n if allow_cast:\n self.y = self.y / factor\n else:\n logger.error('allow_cast flag set to True should help')\n raise\n",
"role": "user"
},
{
"content": "rescale",
"role": "assistant"
}
] |
def x(self, domain):
logger.info(
'Running %(name)s.change_domain() with new domain range:[%(ymin)s, %(ymax)s]'
, {'name': self.__class__, 'ymin': np.min(domain), 'ymax': np.max(
domain)})
if np.max(domain) > np.max(self.x) or np.min(domain) < np.min(self.x):
logger.error(
'Old domain range: [%(xmin)s, %(xmax)s] does not include new domain range:[%(ymin)s, %(ymax)s]'
, {'xmin': np.min(self.x), 'xmax': np.max(self.x), 'ymin': np.
min(domain), 'ymax': np.max(domain)})
raise ValueError(
'in change_domain():the old domain does not include the new one')
y = np.interp(domain, self.x, self.y)
obj = self.__class__(np.dstack((domain, y))[0], **self.__dict__['metadata']
)
return obj
|
change_domain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, domain):\n logger.info(\n 'Running %(name)s.change_domain() with new domain range:[%(ymin)s, %(ymax)s]'\n , {'name': self.__class__, 'ymin': np.min(domain), 'ymax': np.max(\n domain)})\n if np.max(domain) > np.max(self.x) or np.min(domain) < np.min(self.x):\n logger.error(\n 'Old domain range: [%(xmin)s, %(xmax)s] does not include new domain range:[%(ymin)s, %(ymax)s]'\n , {'xmin': np.min(self.x), 'xmax': np.max(self.x), 'ymin': np.\n min(domain), 'ymax': np.max(domain)})\n raise ValueError(\n 'in change_domain():the old domain does not include the new one')\n y = np.interp(domain, self.x, self.y)\n obj = self.__class__(np.dstack((domain, y))[0], **self.__dict__['metadata']\n )\n return obj\n",
"role": "user"
},
{
"content": "change_domain",
"role": "assistant"
}
] |
def x(self, step=0.1, fixp=0):
logger.info('Running %(name)s.rebinned(step=%(st)s, fixp=%(fx)s)', {
'name': self.__class__, 'st': step, 'fx': fixp})
a, b = np.min(self.x), np.max(self.x)
count_start = abs(fixp - a) / step
count_stop = abs(fixp - b) / step
if fixp < a:
count_start = math.ceil(count_start)
count_stop = math.floor(count_stop)
elif fixp > b:
count_start = -math.floor(count_start)
count_stop = -math.ceil(count_stop)
else:
count_start = -count_start
count_stop = count_stop
domain = [(fixp + n * step) for n in range(int(count_start), int(
count_stop) + 1)]
return self.change_domain(domain)
|
rebinned
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, step=0.1, fixp=0):\n logger.info('Running %(name)s.rebinned(step=%(st)s, fixp=%(fx)s)', {\n 'name': self.__class__, 'st': step, 'fx': fixp})\n a, b = np.min(self.x), np.max(self.x)\n count_start = abs(fixp - a) / step\n count_stop = abs(fixp - b) / step\n if fixp < a:\n count_start = math.ceil(count_start)\n count_stop = math.floor(count_stop)\n elif fixp > b:\n count_start = -math.floor(count_start)\n count_stop = -math.ceil(count_stop)\n else:\n count_start = -count_start\n count_stop = count_stop\n domain = [(fixp + n * step) for n in range(int(count_start), int(\n count_stop) + 1)]\n return self.change_domain(domain)\n",
"role": "user"
},
{
"content": "rebinned",
"role": "assistant"
}
] |
def x(self, arg, def_val=0):
y = np.interp(arg, self.x, self.y, left=def_val, right=def_val)
return y
|
evaluate_at_x
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg, def_val=0):\n y = np.interp(arg, self.x, self.y, left=def_val, right=def_val)\n return y\n",
"role": "user"
},
{
"content": "evaluate_at_x",
"role": "assistant"
}
] |
def x(self, curve2, new_obj=False):
a1, b1 = np.min(self.x), np.max(self.x)
a2, b2 = np.min(curve2.x), np.max(curve2.x)
if a2 > a1 or b2 < b1:
logger.error('Domain of self must be in domain of given curve')
raise Exception('curve2 does not include self domain')
if new_obj:
return functions.subtract(self, curve2.change_domain(self.x))
values = curve2.evaluate_at_x(self.x)
self.y = self.y - values
return None
|
subtract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, curve2, new_obj=False):\n a1, b1 = np.min(self.x), np.max(self.x)\n a2, b2 = np.min(curve2.x), np.max(curve2.x)\n if a2 > a1 or b2 < b1:\n logger.error('Domain of self must be in domain of given curve')\n raise Exception('curve2 does not include self domain')\n if new_obj:\n return functions.subtract(self, curve2.change_domain(self.x))\n values = curve2.evaluate_at_x(self.x)\n self.y = self.y - values\n return None\n",
"role": "user"
},
{
"content": "subtract",
"role": "assistant"
}
] |
def x(text='', title='', button='OK'):
messageBoxFunc(0, text, title, MB_OK | MB_SETFOREGROUND | MB_TOPMOST)
return button
|
alert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', title='', button='OK'):\n messageBoxFunc(0, text, title, MB_OK | MB_SETFOREGROUND | MB_TOPMOST)\n return button\n",
"role": "user"
},
{
"content": "alert",
"role": "assistant"
}
] |
def x(text='', title='', buttons=['OK', 'Cancel']):
retVal = messageBoxFunc(0, text, title, MB_OKCANCEL | MB_ICONQUESTION |
MB_SETFOREGROUND | MB_TOPMOST)
if retVal == 1 or len(buttons) == 1:
return buttons[0]
elif retVal == 2:
return buttons[1]
else:
assert False, 'Unexpected return value from MessageBox: %s' % retVal
|
confirm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', title='', buttons=['OK', 'Cancel']):\n retVal = messageBoxFunc(0, text, title, MB_OKCANCEL | MB_ICONQUESTION |\n MB_SETFOREGROUND | MB_TOPMOST)\n if retVal == 1 or len(buttons) == 1:\n return buttons[0]\n elif retVal == 2:\n return buttons[1]\n else:\n assert False, 'Unexpected return value from MessageBox: %s' % retVal\n",
"role": "user"
},
{
"content": "confirm",
"role": "assistant"
}
] |
def x(curve1, curve2, def_val=0):
coord1 = np.union1d(curve1.x, curve2.x)
y1 = curve1.evaluate_at_x(coord1, def_val)
y2 = curve2.evaluate_at_x(coord1, def_val)
coord2 = y1 - y2
obj = curve1.__class__(np.dstack((coord1, coord2))[0], **curve1.
__dict__['metadata'])
return obj
|
subtract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curve1, curve2, def_val=0):\n coord1 = np.union1d(curve1.x, curve2.x)\n y1 = curve1.evaluate_at_x(coord1, def_val)\n y2 = curve2.evaluate_at_x(coord1, def_val)\n coord2 = y1 - y2\n obj = curve1.__class__(np.dstack((coord1, coord2))[0], **curve1.\n __dict__['metadata'])\n return obj\n",
"role": "user"
},
{
"content": "subtract",
"role": "assistant"
}
] |
def x(vector, window):
if not window % 2 == 1:
raise ValueError('Median filter length must be odd.')
if not vector.ndim == 1:
raise ValueError('Input must be one-dimensional.')
k = (window - 1) // 2
result = np.zeros((len(vector), window), dtype=vector.dtype)
result[:, k] = vector
for i in range(k):
j = k - i
result[j:, i] = vector[:-j]
result[:j, i] = vector[0]
result[:-j, -(i + 1)] = vector[j:]
result[-j:, -(i + 1)] = vector[-1]
return np.median(result, axis=1)
|
medfilt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vector, window):\n if not window % 2 == 1:\n raise ValueError('Median filter length must be odd.')\n if not vector.ndim == 1:\n raise ValueError('Input must be one-dimensional.')\n k = (window - 1) // 2\n result = np.zeros((len(vector), window), dtype=vector.dtype)\n result[:, k] = vector\n for i in range(k):\n j = k - i\n result[j:, i] = vector[:-j]\n result[:j, i] = vector[0]\n result[:-j, -(i + 1)] = vector[j:]\n result[-j:, -(i + 1)] = vector[-1]\n return np.median(result, axis=1)\n",
"role": "user"
},
{
"content": "medfilt",
"role": "assistant"
}
] |
def x(*args, **kw):
method = kw.pop('method', 'cubic')
if kw:
raise ValueError('Unknown arguments: ' % kw.keys())
nd = (len(args) - 1) // 2
if len(args) != 2 * nd + 1:
raise ValueError('Wrong number of arguments')
q = args[:nd]
qi = args[nd + 1:]
a = args[nd]
for j in range(nd):
a = interp1d(q[j], a, axis=j, kind=method)(qi[j])
return a
|
interpn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kw):\n method = kw.pop('method', 'cubic')\n if kw:\n raise ValueError('Unknown arguments: ' % kw.keys())\n nd = (len(args) - 1) // 2\n if len(args) != 2 * nd + 1:\n raise ValueError('Wrong number of arguments')\n q = args[:nd]\n qi = args[nd + 1:]\n a = args[nd]\n for j in range(nd):\n a = interp1d(q[j], a, axis=j, kind=method)(qi[j])\n return a\n",
"role": "user"
},
{
"content": "interpn",
"role": "assistant"
}
] |
def x(*args, **kw):
method = kw.pop('method', 'cubic')
if kw:
raise ValueError('Unknown arguments: ' % kw.keys())
nd = (len(args) - 1) // 2
if len(args) != 2 * nd + 1:
raise ValueError('Wrong number of arguments')
q = args[:nd]
qi = args[nd + 1:]
a = args[nd]
for j in range(nd):
a = interp(q[j], a, axis=j, kind=method)(qi[j])
return a
|
npinterpn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args, **kw):\n method = kw.pop('method', 'cubic')\n if kw:\n raise ValueError('Unknown arguments: ' % kw.keys())\n nd = (len(args) - 1) // 2\n if len(args) != 2 * nd + 1:\n raise ValueError('Wrong number of arguments')\n q = args[:nd]\n qi = args[nd + 1:]\n a = args[nd]\n for j in range(nd):\n a = interp(q[j], a, axis=j, kind=method)(qi[j])\n return a\n",
"role": "user"
},
{
"content": "npinterpn",
"role": "assistant"
}
] |
def x(model, allow_pk=False, only=None, exclude=None, field_args=None,
converter=None):
converter = converter or ModelConverter()
field_args = field_args or {}
model_fields = list(model._meta.sorted_fields)
if not allow_pk:
model_fields.pop(0)
if only:
model_fields = [x for x in model_fields if x.name in only]
elif exclude:
model_fields = [x for x in model_fields if x.name not in exclude]
field_dict = {}
for model_field in model_fields:
name, field = converter.convert(model, model_field, field_args.get(
model_field.name))
field_dict[name] = field
return field_dict
|
model_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, allow_pk=False, only=None, exclude=None, field_args=None,\n converter=None):\n converter = converter or ModelConverter()\n field_args = field_args or {}\n model_fields = list(model._meta.sorted_fields)\n if not allow_pk:\n model_fields.pop(0)\n if only:\n model_fields = [x for x in model_fields if x.name in only]\n elif exclude:\n model_fields = [x for x in model_fields if x.name not in exclude]\n field_dict = {}\n for model_field in model_fields:\n name, field = converter.convert(model, model_field, field_args.get(\n model_field.name))\n field_dict[name] = field\n return field_dict\n",
"role": "user"
},
{
"content": "model_fields",
"role": "assistant"
}
] |
def x(model, base_class=Form, allow_pk=False, only=None, exclude=None,
field_args=None, converter=None):
field_dict = model_fields(model, allow_pk, only, exclude, field_args,
converter)
return type(model.__name__ + 'Form', (base_class,), field_dict)
|
model_form
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(model, base_class=Form, allow_pk=False, only=None, exclude=None,\n field_args=None, converter=None):\n field_dict = model_fields(model, allow_pk, only, exclude, field_args,\n converter)\n return type(model.__name__ + 'Form', (base_class,), field_dict)\n",
"role": "user"
},
{
"content": "model_form",
"role": "assistant"
}
] |
def x(text='', title='', button=OK_TEXT, root=None, timeout=None):
assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'
return _buttonbox(msg=text, title=title, choices=[str(button)], root=
root, timeout=timeout)
|
alert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', title='', button=OK_TEXT, root=None, timeout=None):\n assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'\n return _buttonbox(msg=text, title=title, choices=[str(button)], root=\n root, timeout=timeout)\n",
"role": "user"
},
{
"content": "alert",
"role": "assistant"
}
] |
def x(text='', title='', buttons=[OK_TEXT, CANCEL_TEXT], root=None, timeout
=None):
assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'
return _buttonbox(msg=text, title=title, choices=[str(b) for b in
buttons], root=root, timeout=timeout)
|
confirm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', title='', buttons=[OK_TEXT, CANCEL_TEXT], root=None, timeout\n =None):\n assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'\n return _buttonbox(msg=text, title=title, choices=[str(b) for b in\n buttons], root=root, timeout=timeout)\n",
"role": "user"
},
{
"content": "confirm",
"role": "assistant"
}
] |
def x(text='', title='', default='', root=None, timeout=None):
assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'
return __fillablebox(text, title, default=default, mask=None, root=root,
timeout=timeout)
|
prompt
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text='', title='', default='', root=None, timeout=None):\n assert TKINTER_IMPORT_SUCCEEDED, 'Tkinter is required for pymsgbox'\n return __fillablebox(text, title, default=default, mask=None, root=root,\n timeout=timeout)\n",
"role": "user"
},
{
"content": "prompt",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.