source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, hook, new_data):
for field in self.hooks[hook]:
widget = self.widgets[field]
field.hook_changed(hook, widget, new_data)
|
hook_changed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hook, new_data):\n for field in self.hooks[hook]:\n widget = self.widgets[field]\n field.hook_changed(hook, widget, new_data)\n",
"role": "user"
},
{
"content": "hook_changed",
"role": "assistant"
}
] |
def x(self, pattern_txt):
self.patterns[len(pattern_txt)] = pattern_txt
low = 0
high = len(pattern_txt) - 1
while not pattern_txt[low]:
low += 1
while not pattern_txt[high]:
high -= 1
min_pattern = pattern_txt[low:high + 1]
self.min_patterns[len(min_pattern)] = min_pattern
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pattern_txt):\n self.patterns[len(pattern_txt)] = pattern_txt\n low = 0\n high = len(pattern_txt) - 1\n while not pattern_txt[low]:\n low += 1\n while not pattern_txt[high]:\n high -= 1\n min_pattern = pattern_txt[low:high + 1]\n self.min_patterns[len(min_pattern)] = min_pattern\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(xy, wh):
x, y = xy
w, h = wh
r = (w + h) / 2.0
x, y = -(2.0 * x - w) / r, (2.0 * y - h) / r
h = np.sqrt(x * x + y * y)
return (0.0, x / h, y / h, 0.0) if h > 1.0 else (0.0, x, y, np.sqrt(1.0 -
h * h))
|
arcball
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xy, wh):\n x, y = xy\n w, h = wh\n r = (w + h) / 2.0\n x, y = -(2.0 * x - w) / r, (2.0 * y - h) / r\n h = np.sqrt(x * x + y * y)\n return (0.0, x / h, y / h, 0.0) if h > 1.0 else (0.0, x, y, np.sqrt(1.0 -\n h * h))\n",
"role": "user"
},
{
"content": "arcball",
"role": "assistant"
}
] |
def x(self, event):
p2 = event.mouse_event.pos
if self._event_value is None:
self._event_value = p2
wh = self._viewbox.size
self._quaternion = Quaternion(*_arcball(p2, wh)) * Quaternion(*_arcball
(self._event_value, wh)) * self._quaternion
self._event_value = p2
self.view_changed()
|
update_rotation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event):\n p2 = event.mouse_event.pos\n if self._event_value is None:\n self._event_value = p2\n wh = self._viewbox.size\n self._quaternion = Quaternion(*_arcball(p2, wh)) * Quaternion(*_arcball\n (self._event_value, wh)) * self._quaternion\n self._event_value = p2\n self.view_changed()\n",
"role": "user"
},
{
"content": "update_rotation",
"role": "assistant"
}
] |
def x(self):
rot, x, y, z = self._quaternion.get_axis_angle()
up, forward, right = self._get_dim_vectors()
self.transform.rotate(180 * rot / np.pi, (x, z, y))
|
rotate_tr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rot, x, y, z = self._quaternion.get_axis_angle()\n up, forward, right = self._get_dim_vectors()\n self.transform.rotate(180 * rot / np.pi, (x, z, y))\n",
"role": "user"
},
{
"content": "rotate_tr",
"role": "assistant"
}
] |
def x(self, dist):
rot, x, y, z = self._quaternion.get_axis_angle()
tr = MatrixTransform()
tr.rotate(180 * rot / np.pi, (x, y, z))
dx, dz, dy = np.dot(tr.matrix[:3, :3], (dist[0], dist[1], 0.0))
return dx, dy, dz
|
dist_to_trans
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dist):\n rot, x, y, z = self._quaternion.get_axis_angle()\n tr = MatrixTransform()\n tr.rotate(180 * rot / np.pi, (x, y, z))\n dx, dz, dy = np.dot(tr.matrix[:3, :3], (dist[0], dist[1], 0.0))\n return dx, dy, dz\n",
"role": "user"
},
{
"content": "dist_to_trans",
"role": "assistant"
}
] |
def x(func):
def x(self, arg, *args, **kwargs):
return func(self, np.array(arg), *args, **kwargs)
return fn
|
arg_to_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(self, arg, *args, **kwargs):\n return func(self, np.array(arg), *args, **kwargs)\n return fn\n",
"role": "user"
},
{
"content": "arg_to_array",
"role": "assistant"
}
] |
def x(obj, default=(0, 0, 0, 1)):
obj = np.atleast_2d(obj)
if obj.shape[-1] < 4:
new = np.empty(obj.shape[:-1] + (4,), dtype=obj.dtype)
new[:] = default
new[..., :obj.shape[-1]] = obj
obj = new
elif obj.shape[-1] > 4:
raise TypeError('Array shape %s cannot be converted to vec4' % obj.
shape)
return obj
|
as_vec4
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, default=(0, 0, 0, 1)):\n obj = np.atleast_2d(obj)\n if obj.shape[-1] < 4:\n new = np.empty(obj.shape[:-1] + (4,), dtype=obj.dtype)\n new[:] = default\n new[..., :obj.shape[-1]] = obj\n obj = new\n elif obj.shape[-1] > 4:\n raise TypeError('Array shape %s cannot be converted to vec4' % obj.\n shape)\n return obj\n",
"role": "user"
},
{
"content": "as_vec4",
"role": "assistant"
}
] |
def x(func, self_, arg, *args, **kwargs):
if isinstance(arg, (tuple, list, np.ndarray)):
arg = np.array(arg)
flatten = arg.ndim == 1
arg = as_vec4(arg)
ret = func(self_, arg, *args, **kwargs)
if flatten and ret is not None:
return ret.flatten()
return ret
elif hasattr(arg, '_transform_in'):
arr = arg._transform_in()
ret = func(self_, arr, *args, **kwargs)
return arg._transform_out(ret)
else:
raise TypeError('Cannot convert argument to 4D vector: %s' % arg)
|
arg_to_vec4
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func, self_, arg, *args, **kwargs):\n if isinstance(arg, (tuple, list, np.ndarray)):\n arg = np.array(arg)\n flatten = arg.ndim == 1\n arg = as_vec4(arg)\n ret = func(self_, arg, *args, **kwargs)\n if flatten and ret is not None:\n return ret.flatten()\n return ret\n elif hasattr(arg, '_transform_in'):\n arr = arg._transform_in()\n ret = func(self_, arr, *args, **kwargs)\n return arg._transform_out(ret)\n else:\n raise TypeError('Cannot convert argument to 4D vector: %s' % arg)\n",
"role": "user"
},
{
"content": "arg_to_vec4",
"role": "assistant"
}
] |
def x(self, path):
key = tuple(map(id, path))
item = self._cache.get(key, None)
if item is None:
logger.debug('Transform cache miss: %s', key)
item = [0, self._create(path)]
self._cache[key] = item
item[0] = 0
return item[1]
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n key = tuple(map(id, path))\n item = self._cache.get(key, None)\n if item is None:\n logger.debug('Transform cache miss: %s', key)\n item = [0, self._create(path)]\n self._cache[key] = item\n item[0] = 0\n return item[1]\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
rem = []
for key, item in self._cache.items():
if item[0] > self.max_age:
rem.append(key)
item[0] += 1
for key in rem:
logger.debug('TransformCache remove: %s', key)
del self._cache[key]
|
roll
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rem = []\n for key, item in self._cache.items():\n if item[0] > self.max_age:\n rem.append(key)\n item[0] += 1\n for key in rem:\n logger.debug('TransformCache remove: %s', key)\n del self._cache[key]\n",
"role": "user"
},
{
"content": "roll",
"role": "assistant"
}
] |
def x(self, data, bins=10, color='w', orientation='h'):
self._configure_2d()
hist = scene.Histogram(data, bins, color, orientation)
self.view.add(hist)
self.view.camera.set_range()
return hist
|
histogram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, bins=10, color='w', orientation='h'):\n self._configure_2d()\n hist = scene.Histogram(data, bins, color, orientation)\n self.view.add(hist)\n self.view.camera.set_range()\n return hist\n",
"role": "user"
},
{
"content": "histogram",
"role": "assistant"
}
] |
def x(self, data, cmap='cubehelix', clim='auto', fg_color=None):
self._configure_2d(fg_color)
image = scene.Image(data, cmap=cmap, clim=clim)
self.view.add(image)
self.view.camera.aspect = 1
self.view.camera.set_range()
return image
|
image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, cmap='cubehelix', clim='auto', fg_color=None):\n self._configure_2d(fg_color)\n image = scene.Image(data, cmap=cmap, clim=clim)\n self.view.add(image)\n self.view.camera.aspect = 1\n self.view.camera.set_range()\n return image\n",
"role": "user"
},
{
"content": "image",
"role": "assistant"
}
] |
def x(self, vertices=None, faces=None, vertex_colors=None, face_colors=None,
color=(0.5, 0.5, 1.0), fname=None, meshdata=None):
self._configure_3d()
if fname is not None:
if not all(x is None for x in (vertices, faces, meshdata)):
raise ValueError(
'vertices, faces, and meshdata must be None if fname is not None'
)
vertices, faces = read_mesh(fname)[:2]
if meshdata is not None:
if not all(x is None for x in (vertices, faces, fname)):
raise ValueError(
'vertices, faces, and fname must be None if fname is not None')
else:
meshdata = MeshData(vertices, faces)
mesh = scene.Mesh(meshdata=meshdata, vertex_colors=vertex_colors,
face_colors=face_colors, color=color, shading='smooth')
self.view.add(mesh)
self.view.camera.set_range()
return mesh
|
mesh
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vertices=None, faces=None, vertex_colors=None, face_colors=None,\n color=(0.5, 0.5, 1.0), fname=None, meshdata=None):\n self._configure_3d()\n if fname is not None:\n if not all(x is None for x in (vertices, faces, meshdata)):\n raise ValueError(\n 'vertices, faces, and meshdata must be None if fname is not None'\n )\n vertices, faces = read_mesh(fname)[:2]\n if meshdata is not None:\n if not all(x is None for x in (vertices, faces, fname)):\n raise ValueError(\n 'vertices, faces, and fname must be None if fname is not None')\n else:\n meshdata = MeshData(vertices, faces)\n mesh = scene.Mesh(meshdata=meshdata, vertex_colors=vertex_colors,\n face_colors=face_colors, color=color, shading='smooth')\n self.view.add(mesh)\n self.view.camera.set_range()\n return mesh\n",
"role": "user"
},
{
"content": "mesh",
"role": "assistant"
}
] |
def x(self, data, color='k', symbol=None, line_kind='-', width=1.0,
marker_size=10.0, edge_color='k', face_color='b', edge_width=1.0, title
=None, xlabel=None, ylabel=None):
self._configure_2d()
line = scene.LinePlot(data, connect='strip', color=color, symbol=symbol,
line_kind=line_kind, width=width, marker_size=marker_size,
edge_color=edge_color, face_color=face_color, edge_width=edge_width)
self.view.add(line)
self.view.camera.set_range()
self.visuals.append(line)
if title is not None:
self.title.text = title
if xlabel is not None:
self.xlabel.text = xlabel
if ylabel is not None:
self.ylabel.text = ylabel
return line
|
plot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, color='k', symbol=None, line_kind='-', width=1.0,\n marker_size=10.0, edge_color='k', face_color='b', edge_width=1.0, title\n =None, xlabel=None, ylabel=None):\n self._configure_2d()\n line = scene.LinePlot(data, connect='strip', color=color, symbol=symbol,\n line_kind=line_kind, width=width, marker_size=marker_size,\n edge_color=edge_color, face_color=face_color, edge_width=edge_width)\n self.view.add(line)\n self.view.camera.set_range()\n self.visuals.append(line)\n if title is not None:\n self.title.text = title\n if xlabel is not None:\n self.xlabel.text = xlabel\n if ylabel is not None:\n self.ylabel.text = ylabel\n return line\n",
"role": "user"
},
{
"content": "plot",
"role": "assistant"
}
] |
def x(self, x, n_fft=256, step=None, fs=1.0, window='hann', color_scale=
'log', cmap='cubehelix', clim='auto'):
self._configure_2d()
spec = scene.Spectrogram(x, n_fft, step, fs, window, color_scale, cmap,
clim)
self.view.add(spec)
self.view.camera.set_range()
return spec
|
spectrogram
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, n_fft=256, step=None, fs=1.0, window='hann', color_scale=\n 'log', cmap='cubehelix', clim='auto'):\n self._configure_2d()\n spec = scene.Spectrogram(x, n_fft, step, fs, window, color_scale, cmap,\n clim)\n self.view.add(spec)\n self.view.camera.set_range()\n return spec\n",
"role": "user"
},
{
"content": "spectrogram",
"role": "assistant"
}
] |
def x(self, vol, clim=None, method='mip', threshold=None, cmap='grays'):
self._configure_3d()
volume = scene.Volume(vol, clim, method, threshold, cmap=cmap)
self.view.add(volume)
self.view.camera.set_range()
return volume
|
volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, vol, clim=None, method='mip', threshold=None, cmap='grays'):\n self._configure_3d()\n volume = scene.Volume(vol, clim, method, threshold, cmap=cmap)\n self.view.add(volume)\n self.view.camera.set_range()\n return volume\n",
"role": "user"
},
{
"content": "volume",
"role": "assistant"
}
] |
def x(self, zdata, **kwargs):
self._configure_3d()
surf = scene.SurfacePlot(z=zdata, **kwargs)
self.view.add(surf)
self.view.camera.set_range()
return surf
|
surface
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, zdata, **kwargs):\n self._configure_3d()\n surf = scene.SurfacePlot(z=zdata, **kwargs)\n self.view.add(surf)\n self.view.camera.set_range()\n return surf\n",
"role": "user"
},
{
"content": "surface",
"role": "assistant"
}
] |
def x(self, cmap, position='right', label='', clim=('', ''), border_width=
0.0, border_color='black', **kwargs):
self._configure_2d()
cbar = scene.ColorBarWidget(orientation=position, label_str=label, cmap
=cmap, clim=clim, border_width=border_width, border_color=
border_color, **kwargs)
CBAR_LONG_DIM = 50
if cbar.orientation == 'bottom':
self.grid.remove_widget(self.cbar_bottom)
self.cbar_bottom = self.grid.add_widget(cbar, row=5, col=4)
self.cbar_bottom.height_max = self.cbar_bottom.height_max = (
CBAR_LONG_DIM)
elif cbar.orientation == 'top':
self.grid.remove_widget(self.cbar_top)
self.cbar_top = self.grid.add_widget(cbar, row=1, col=4)
self.cbar_top.height_max = self.cbar_top.height_max = CBAR_LONG_DIM
elif cbar.orientation == 'left':
self.grid.remove_widget(self.cbar_left)
self.cbar_left = self.grid.add_widget(cbar, row=2, col=1)
self.cbar_left.width_max = self.cbar_left.width_min = CBAR_LONG_DIM
else:
self.grid.remove_widget(self.cbar_right)
self.cbar_right = self.grid.add_widget(cbar, row=2, col=5)
self.cbar_right.width_max = self.cbar_right.width_min = CBAR_LONG_DIM
return cbar
|
colorbar
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cmap, position='right', label='', clim=('', ''), border_width=\n 0.0, border_color='black', **kwargs):\n self._configure_2d()\n cbar = scene.ColorBarWidget(orientation=position, label_str=label, cmap\n =cmap, clim=clim, border_width=border_width, border_color=\n border_color, **kwargs)\n CBAR_LONG_DIM = 50\n if cbar.orientation == 'bottom':\n self.grid.remove_widget(self.cbar_bottom)\n self.cbar_bottom = self.grid.add_widget(cbar, row=5, col=4)\n self.cbar_bottom.height_max = self.cbar_bottom.height_max = (\n CBAR_LONG_DIM)\n elif cbar.orientation == 'top':\n self.grid.remove_widget(self.cbar_top)\n self.cbar_top = self.grid.add_widget(cbar, row=1, col=4)\n self.cbar_top.height_max = self.cbar_top.height_max = CBAR_LONG_DIM\n elif cbar.orientation == 'left':\n self.grid.remove_widget(self.cbar_left)\n self.cbar_left = self.grid.add_widget(cbar, row=2, col=1)\n self.cbar_left.width_max = self.cbar_left.width_min = CBAR_LONG_DIM\n else:\n self.grid.remove_widget(self.cbar_right)\n self.cbar_right = self.grid.add_widget(cbar, row=2, col=5)\n self.cbar_right.width_max = self.cbar_right.width_min = CBAR_LONG_DIM\n return cbar\n",
"role": "user"
},
{
"content": "colorbar",
"role": "assistant"
}
] |
def x(self):
if self._multiscat is not None:
self._multiscat._update()
self.vispy_widget.canvas.update()
|
redraw
|
[
{
"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._multiscat is not None:\n self._multiscat._update()\n self.vispy_widget.canvas.update()\n",
"role": "user"
},
{
"content": "redraw",
"role": "assistant"
}
] |
def x(self):
if self._multiscat is None:
return
self._multiscat.deallocate(self.id)
self._multiscat = None
self._viewer_state.remove_global_callback(self._update_scatter)
self.state.remove_global_callback(self._update_scatter)
|
remove
|
[
{
"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._multiscat is None:\n return\n self._multiscat.deallocate(self.id)\n self._multiscat = None\n self._viewer_state.remove_global_callback(self._update_scatter)\n self.state.remove_global_callback(self._update_scatter)\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(key, val, valid):
if val not in valid:
raise ValueError('%s must be one of %s, not "%s"' % (key, valid, val))
|
check_valid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, val, valid):\n if val not in valid:\n raise ValueError('%s must be one of %s, not \"%s\"' % (key, valid, val))\n",
"role": "user"
},
{
"content": "check_valid",
"role": "assistant"
}
] |
def x(x):
if not isinstance(x, (list, tuple, np.ndarray)):
x = [x]
return x
|
to_args
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(x):\n if not isinstance(x, (list, tuple, np.ndarray)):\n x = [x]\n return x\n",
"role": "user"
},
{
"content": "to_args",
"role": "assistant"
}
] |
def x(key, valid_dict):
if key not in valid_dict and key not in valid_dict.values():
keys = [v for v in valid_dict.keys() if isinstance(v, string_types)]
raise ValueError('value must be one of %s, not %s' % (keys, key))
return valid_dict[key] if key in valid_dict else key
|
check_conversion
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key, valid_dict):\n if key not in valid_dict and key not in valid_dict.values():\n keys = [v for v in valid_dict.keys() if isinstance(v, string_types)]\n raise ValueError('value must be one of %s, not %s' % (keys, key))\n return valid_dict[key] if key in valid_dict else key\n",
"role": "user"
},
{
"content": "check_conversion",
"role": "assistant"
}
] |
def x(viewport=None, alpha=True, out_type='unsigned_byte'):
context = get_current_canvas().context
if context.shared.parser.is_remote():
raise RuntimeError('Cannot use read_pixels() with remote GLIR parser')
finish()
type_dict = {'unsigned_byte': gl.GL_UNSIGNED_BYTE, np.uint8: gl.
GL_UNSIGNED_BYTE, 'float': gl.GL_FLOAT, np.float32: gl.GL_FLOAT}
type_ = _check_conversion(out_type, type_dict)
if viewport is None:
viewport = gl.glGetParameter(gl.GL_VIEWPORT)
viewport = np.array(viewport, int)
if viewport.ndim != 1 or viewport.size != 4:
raise ValueError(
'viewport should be 1D 4-element array-like, not %s' % (viewport,))
x, y, w, h = viewport
gl.glPixelStorei(gl.GL_PACK_ALIGNMENT, 1)
fmt = gl.GL_RGBA if alpha else gl.GL_RGB
im = gl.glReadPixels(x, y, w, h, fmt, type_)
gl.glPixelStorei(gl.GL_PACK_ALIGNMENT, 4)
if not isinstance(im, np.ndarray):
np_dtype = np.uint8 if type_ == gl.GL_UNSIGNED_BYTE else np.float32
im = np.frombuffer(im, np_dtype)
im.shape = h, w, 4 if alpha else 3
im = im[::-1, :, :]
return im
|
read_pixels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(viewport=None, alpha=True, out_type='unsigned_byte'):\n context = get_current_canvas().context\n if context.shared.parser.is_remote():\n raise RuntimeError('Cannot use read_pixels() with remote GLIR parser')\n finish()\n type_dict = {'unsigned_byte': gl.GL_UNSIGNED_BYTE, np.uint8: gl.\n GL_UNSIGNED_BYTE, 'float': gl.GL_FLOAT, np.float32: gl.GL_FLOAT}\n type_ = _check_conversion(out_type, type_dict)\n if viewport is None:\n viewport = gl.glGetParameter(gl.GL_VIEWPORT)\n viewport = np.array(viewport, int)\n if viewport.ndim != 1 or viewport.size != 4:\n raise ValueError(\n 'viewport should be 1D 4-element array-like, not %s' % (viewport,))\n x, y, w, h = viewport\n gl.glPixelStorei(gl.GL_PACK_ALIGNMENT, 1)\n fmt = gl.GL_RGBA if alpha else gl.GL_RGB\n im = gl.glReadPixels(x, y, w, h, fmt, type_)\n gl.glPixelStorei(gl.GL_PACK_ALIGNMENT, 4)\n if not isinstance(im, np.ndarray):\n np_dtype = np.uint8 if type_ == gl.GL_UNSIGNED_BYTE else np.float32\n im = np.frombuffer(im, np_dtype)\n im.shape = h, w, 4 if alpha else 3\n im = im[::-1, :, :]\n return im\n",
"role": "user"
},
{
"content": "read_pixels",
"role": "assistant"
}
] |
def x():
gl.check_error('pre-config check')
config = dict()
gl.glBindFramebuffer(gl.GL_FRAMEBUFFER, 0)
fb_param = gl.glGetFramebufferAttachmentParameter
GL_FRONT_LEFT = 1024
GL_DEPTH = 6145
GL_STENCIL = 6146
GL_SRGB = 35904
GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING = 33296
GL_STEREO = 3123
GL_DOUBLEBUFFER = 3122
sizes = dict(red=(GL_FRONT_LEFT, 33298), green=(GL_FRONT_LEFT, 33299),
blue=(GL_FRONT_LEFT, 33300), alpha=(GL_FRONT_LEFT, 33301), depth=(
GL_DEPTH, 33302), stencil=(GL_STENCIL, 33303))
for key, val in sizes.items():
config[key + '_size'] = fb_param(gl.GL_FRAMEBUFFER, val[0], val[1])
val = fb_param(gl.GL_FRAMEBUFFER, GL_FRONT_LEFT,
GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING)
if val not in (gl.GL_LINEAR, GL_SRGB):
raise RuntimeError('unknown value for SRGB: %s' % val)
config['srgb'] = True if val == GL_SRGB else False
config['stereo'] = True if gl.glGetParameter(GL_STEREO) else False
config['double_buffer'] = True if gl.glGetParameter(GL_DOUBLEBUFFER
) else False
config['samples'] = gl.glGetParameter(gl.GL_SAMPLES)
gl.check_error('post-config check')
return config
|
get_gl_configuration
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n gl.check_error('pre-config check')\n config = dict()\n gl.glBindFramebuffer(gl.GL_FRAMEBUFFER, 0)\n fb_param = gl.glGetFramebufferAttachmentParameter\n GL_FRONT_LEFT = 1024\n GL_DEPTH = 6145\n GL_STENCIL = 6146\n GL_SRGB = 35904\n GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING = 33296\n GL_STEREO = 3123\n GL_DOUBLEBUFFER = 3122\n sizes = dict(red=(GL_FRONT_LEFT, 33298), green=(GL_FRONT_LEFT, 33299),\n blue=(GL_FRONT_LEFT, 33300), alpha=(GL_FRONT_LEFT, 33301), depth=(\n GL_DEPTH, 33302), stencil=(GL_STENCIL, 33303))\n for key, val in sizes.items():\n config[key + '_size'] = fb_param(gl.GL_FRAMEBUFFER, val[0], val[1])\n val = fb_param(gl.GL_FRAMEBUFFER, GL_FRONT_LEFT,\n GL_FRAMEBUFFER_ATTACHMENT_COLOR_ENCODING)\n if val not in (gl.GL_LINEAR, GL_SRGB):\n raise RuntimeError('unknown value for SRGB: %s' % val)\n config['srgb'] = True if val == GL_SRGB else False\n config['stereo'] = True if gl.glGetParameter(GL_STEREO) else False\n config['double_buffer'] = True if gl.glGetParameter(GL_DOUBLEBUFFER\n ) else False\n config['samples'] = gl.glGetParameter(gl.GL_SAMPLES)\n gl.check_error('post-config check')\n return config\n",
"role": "user"
},
{
"content": "get_gl_configuration",
"role": "assistant"
}
] |
def x(self, *args):
x, y, w, h = args[0] if len(args) == 1 else args
self.glir.command('FUNC', 'glViewport', int(x), int(y), int(w), int(h))
|
set_viewport
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, *args):\n x, y, w, h = args[0] if len(args) == 1 else args\n self.glir.command('FUNC', 'glViewport', int(x), int(y), int(w), int(h))\n",
"role": "user"
},
{
"content": "set_viewport",
"role": "assistant"
}
] |
def x(self, near=0.0, far=1.0):
self.glir.command('FUNC', 'glDepthRange', float(near), float(far))
|
set_depth_range
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, near=0.0, far=1.0):\n self.glir.command('FUNC', 'glDepthRange', float(near), float(far))\n",
"role": "user"
},
{
"content": "set_depth_range",
"role": "assistant"
}
] |
def x(self, width=1.0):
width = float(width)
if width < 0:
raise RuntimeError('Cannot have width < 0')
self.glir.command('FUNC', 'glLineWidth', width)
|
set_line_width
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, width=1.0):\n width = float(width)\n if width < 0:\n raise RuntimeError('Cannot have width < 0')\n self.glir.command('FUNC', 'glLineWidth', width)\n",
"role": "user"
},
{
"content": "set_line_width",
"role": "assistant"
}
] |
def x(self, factor=0.0, units=0.0):
self.glir.command('FUNC', 'glPolygonOffset', float(factor), float(units))
|
set_polygon_offset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, factor=0.0, units=0.0):\n self.glir.command('FUNC', 'glPolygonOffset', float(factor), float(units))\n",
"role": "user"
},
{
"content": "set_polygon_offset",
"role": "assistant"
}
] |
def x(self, color=True, depth=True, stencil=True):
bits = 0
if isinstance(color, np.ndarray) or bool(color):
if not isinstance(color, bool):
self.set_clear_color(color)
bits |= gl.GL_COLOR_BUFFER_BIT
if depth:
if not isinstance(depth, bool):
self.set_clear_depth(depth)
bits |= gl.GL_DEPTH_BUFFER_BIT
if stencil:
if not isinstance(stencil, bool):
self.set_clear_stencil(stencil)
bits |= gl.GL_STENCIL_BUFFER_BIT
self.glir.command('FUNC', 'glClear', bits)
|
clear
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, color=True, depth=True, stencil=True):\n bits = 0\n if isinstance(color, np.ndarray) or bool(color):\n if not isinstance(color, bool):\n self.set_clear_color(color)\n bits |= gl.GL_COLOR_BUFFER_BIT\n if depth:\n if not isinstance(depth, bool):\n self.set_clear_depth(depth)\n bits |= gl.GL_DEPTH_BUFFER_BIT\n if stencil:\n if not isinstance(stencil, bool):\n self.set_clear_stencil(stencil)\n bits |= gl.GL_STENCIL_BUFFER_BIT\n self.glir.command('FUNC', 'glClear', bits)\n",
"role": "user"
},
{
"content": "clear",
"role": "assistant"
}
] |
def x(self, color='black', alpha=None):
self.glir.command('FUNC', 'glClearColor', *Color(color, alpha).rgba)
|
set_clear_color
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, color='black', alpha=None):\n self.glir.command('FUNC', 'glClearColor', *Color(color, alpha).rgba)\n",
"role": "user"
},
{
"content": "set_clear_color",
"role": "assistant"
}
] |
def x(self, srgb='one', drgb='zero', salpha=None, dalpha=None):
salpha = srgb if salpha is None else salpha
dalpha = drgb if dalpha is None else dalpha
self.glir.command('FUNC', 'glBlendFuncSeparate', srgb, drgb, salpha, dalpha
)
|
set_blend_func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, srgb='one', drgb='zero', salpha=None, dalpha=None):\n salpha = srgb if salpha is None else salpha\n dalpha = drgb if dalpha is None else dalpha\n self.glir.command('FUNC', 'glBlendFuncSeparate', srgb, drgb, salpha, dalpha\n )\n",
"role": "user"
},
{
"content": "set_blend_func",
"role": "assistant"
}
] |
def x(self, mode_rgb, mode_alpha=None):
mode_alpha = mode_rgb if mode_alpha is None else mode_alpha
self.glir.command('FUNC', 'glBlendEquationSeparate', mode_rgb, mode_alpha)
|
set_blend_equation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode_rgb, mode_alpha=None):\n mode_alpha = mode_rgb if mode_alpha is None else mode_alpha\n self.glir.command('FUNC', 'glBlendEquationSeparate', mode_rgb, mode_alpha)\n",
"role": "user"
},
{
"content": "set_blend_equation",
"role": "assistant"
}
] |
def x(self, x, y, w, h):
self.glir.command('FUNC', 'glScissor', int(x), int(y), int(w), int(h))
|
set_scissor
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y, w, h):\n self.glir.command('FUNC', 'glScissor', int(x), int(y), int(w), int(h))\n",
"role": "user"
},
{
"content": "set_scissor",
"role": "assistant"
}
] |
def x(self, func='always', ref=0, mask=8, face='front_and_back'):
self.glir.command('FUNC', 'glStencilFuncSeparate', face, func, int(ref),
int(mask))
|
set_stencil_func
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, func='always', ref=0, mask=8, face='front_and_back'):\n self.glir.command('FUNC', 'glStencilFuncSeparate', face, func, int(ref),\n int(mask))\n",
"role": "user"
},
{
"content": "set_stencil_func",
"role": "assistant"
}
] |
def x(self, mask=8, face='front_and_back'):
self.glir.command('FUNC', 'glStencilMaskSeparate', face, int(mask))
|
set_stencil_mask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mask=8, face='front_and_back'):\n self.glir.command('FUNC', 'glStencilMaskSeparate', face, int(mask))\n",
"role": "user"
},
{
"content": "set_stencil_mask",
"role": "assistant"
}
] |
def x(self, sfail='keep', dpfail='keep', dppass='keep', face='front_and_back'):
self.glir.command('FUNC', 'glStencilOpSeparate', face, sfail, dpfail,
dppass)
|
set_stencil_op
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sfail='keep', dpfail='keep', dppass='keep', face='front_and_back'):\n self.glir.command('FUNC', 'glStencilOpSeparate', face, sfail, dpfail,\n dppass)\n",
"role": "user"
},
{
"content": "set_stencil_op",
"role": "assistant"
}
] |
def x(self, red, green, blue, alpha):
self.glir.command('FUNC', 'glColorMask', bool(red), bool(green), bool(
blue), bool(alpha))
|
set_color_mask
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, red, green, blue, alpha):\n self.glir.command('FUNC', 'glColorMask', bool(red), bool(green), bool(\n blue), bool(alpha))\n",
"role": "user"
},
{
"content": "set_color_mask",
"role": "assistant"
}
] |
def x(self, value=1.0, invert=False):
self.glir.command('FUNC', 'glSampleCoverage', float(value), bool(invert))
|
set_sample_coverage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value=1.0, invert=False):\n self.glir.command('FUNC', 'glSampleCoverage', float(value), bool(invert))\n",
"role": "user"
},
{
"content": "set_sample_coverage",
"role": "assistant"
}
] |
def x(self, preset=None, **kwargs):
kwargs = deepcopy(kwargs)
if preset is not None:
_check_valid('preset', preset, tuple(list(_gl_presets.keys())))
for key, val in _gl_presets[preset].items():
if key not in kwargs:
kwargs[key] = val
if 'cull_face' in kwargs:
cull_face = kwargs.pop('cull_face')
if isinstance(cull_face, bool):
funcname = 'glEnable' if cull_face else 'glDisable'
self.glir.command('FUNC', funcname, 'cull_face')
else:
self.glir.command('FUNC', 'glEnable', 'cull_face')
self.set_cull_face(*_to_args(cull_face))
for key, val in kwargs.items():
if key in _setters:
args = _to_args(val)
if key in ('blend_color', 'clear_color') and not isinstance(args
[0], string_types):
args = [args]
getattr(self, 'set_' + key)(*args)
else:
funcname = 'glEnable' if val else 'glDisable'
self.glir.command('FUNC', funcname, key)
|
set_state
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, preset=None, **kwargs):\n kwargs = deepcopy(kwargs)\n if preset is not None:\n _check_valid('preset', preset, tuple(list(_gl_presets.keys())))\n for key, val in _gl_presets[preset].items():\n if key not in kwargs:\n kwargs[key] = val\n if 'cull_face' in kwargs:\n cull_face = kwargs.pop('cull_face')\n if isinstance(cull_face, bool):\n funcname = 'glEnable' if cull_face else 'glDisable'\n self.glir.command('FUNC', funcname, 'cull_face')\n else:\n self.glir.command('FUNC', 'glEnable', 'cull_face')\n self.set_cull_face(*_to_args(cull_face))\n for key, val in kwargs.items():\n if key in _setters:\n args = _to_args(val)\n if key in ('blend_color', 'clear_color') and not isinstance(args\n [0], string_types):\n args = [args]\n getattr(self, 'set_' + key)(*args)\n else:\n funcname = 'glEnable' if val else 'glDisable'\n self.glir.command('FUNC', funcname, key)\n",
"role": "user"
},
{
"content": "set_state",
"role": "assistant"
}
] |
def x(self):
if hasattr(self, 'flush_commands'):
context = self
else:
context = get_current_canvas().context
context.glir.command('FUNC', 'glFinish')
context.flush_commands()
|
finish
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'flush_commands'):\n context = self\n else:\n context = get_current_canvas().context\n context.glir.command('FUNC', 'glFinish')\n context.flush_commands()\n",
"role": "user"
},
{
"content": "finish",
"role": "assistant"
}
] |
def x(self):
if hasattr(self, 'flush_commands'):
context = self
else:
context = get_current_canvas().context
context.glir.command('FUNC', 'glFlush')
context.flush_commands()
|
flush
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'flush_commands'):\n context = self\n else:\n context = get_current_canvas().context\n context.glir.command('FUNC', 'glFlush')\n context.flush_commands()\n",
"role": "user"
},
{
"content": "flush",
"role": "assistant"
}
] |
def x(self, target, mode):
if not all(isinstance(tm, string_types) for tm in (target, mode)):
raise TypeError('target and mode must both be strings')
self.glir.command('FUNC', 'glHint', target, mode)
|
set_hint
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target, mode):\n if not all(isinstance(tm, string_types) for tm in (target, mode)):\n raise TypeError('target and mode must both be strings')\n self.glir.command('FUNC', 'glHint', target, mode)\n",
"role": "user"
},
{
"content": "set_hint",
"role": "assistant"
}
] |
def x(self):
canvas = get_current_canvas()
if canvas is None:
msg = ('If you want to use gloo without vispy.app, ' +
'use a gloo.context.FakeCanvas.')
raise RuntimeError('Gloo requires a Canvas to run.\n' + msg)
return canvas.context.glir
|
glir
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n canvas = get_current_canvas()\n if canvas is None:\n msg = ('If you want to use gloo without vispy.app, ' +\n 'use a gloo.context.FakeCanvas.')\n raise RuntimeError('Gloo requires a Canvas to run.\\n' + msg)\n return canvas.context.glir\n",
"role": "user"
},
{
"content": "glir",
"role": "assistant"
}
] |
def x(target='gl2'):
target = target or 'gl2'
target = target.replace('+', 'plus')
target, _, options = target.partition(' ')
debug = config['gl_debug'] or 'debug' in options
try:
mod = __import__(target, globals(), level=1)
except ImportError as err:
msg = 'Could not import gl target "%s":\n%s' % (target, str(err))
raise RuntimeError(msg)
global current_backend
current_backend = mod
_clear_namespace()
if 'plus' in target:
_copy_gl_functions(mod._pyopengl2, globals())
_copy_gl_functions(mod, globals(), True)
elif debug:
_copy_gl_functions(_debug_proxy, globals())
else:
_copy_gl_functions(mod, globals())
|
use_gl
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(target='gl2'):\n target = target or 'gl2'\n target = target.replace('+', 'plus')\n target, _, options = target.partition(' ')\n debug = config['gl_debug'] or 'debug' in options\n try:\n mod = __import__(target, globals(), level=1)\n except ImportError as err:\n msg = 'Could not import gl target \"%s\":\\n%s' % (target, str(err))\n raise RuntimeError(msg)\n global current_backend\n current_backend = mod\n _clear_namespace()\n if 'plus' in target:\n _copy_gl_functions(mod._pyopengl2, globals())\n _copy_gl_functions(mod, globals(), True)\n elif debug:\n _copy_gl_functions(_debug_proxy, globals())\n else:\n _copy_gl_functions(mod, globals())\n",
"role": "user"
},
{
"content": "use_gl",
"role": "assistant"
}
] |
def x():
ok_names = set(default_backend.__dict__)
ok_names.update(['gl2', 'glplus'])
NS = globals()
for name in list(NS.keys()):
if name.lower().startswith('gl'):
if name not in ok_names:
del NS[name]
|
clear_namespace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n ok_names = set(default_backend.__dict__)\n ok_names.update(['gl2', 'glplus'])\n NS = globals()\n for name in list(NS.keys()):\n if name.lower().startswith('gl'):\n if name not in ok_names:\n del NS[name]\n",
"role": "user"
},
{
"content": "clear_namespace",
"role": "assistant"
}
] |
def x(source, dest, constants=False):
if isinstance(source, BaseGLProxy):
s = {}
for key in dir(source):
s[key] = getattr(source, key)
source = s
elif not isinstance(source, dict):
source = source.__dict__
if not isinstance(dest, dict):
dest = dest.__dict__
funcnames = [name for name in source.keys() if name.startswith('gl')]
for name in funcnames:
dest[name] = source[name]
if constants:
constnames = [name for name in source.keys() if name.startswith('GL_')]
for name in constnames:
dest[name] = source[name]
|
copy_gl_functions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(source, dest, constants=False):\n if isinstance(source, BaseGLProxy):\n s = {}\n for key in dir(source):\n s[key] = getattr(source, key)\n source = s\n elif not isinstance(source, dict):\n source = source.__dict__\n if not isinstance(dest, dict):\n dest = dest.__dict__\n funcnames = [name for name in source.keys() if name.startswith('gl')]\n for name in funcnames:\n dest[name] = source[name]\n if constants:\n constnames = [name for name in source.keys() if name.startswith('GL_')]\n for name in constnames:\n dest[name] = source[name]\n",
"role": "user"
},
{
"content": "copy_gl_functions",
"role": "assistant"
}
] |
def x(when='periodic check'):
errors = []
while True:
err = glGetError()
if err == GL_NO_ERROR or errors and err == errors[-1]:
break
errors.append(err)
if errors:
msg = ', '.join([repr(ENUM_MAP.get(e, e)) for e in errors])
err = RuntimeError('OpenGL got errors (%s): %s' % (when, msg))
err.errors = errors
err.err = errors[-1]
raise err
|
check_error
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(when='periodic check'):\n errors = []\n while True:\n err = glGetError()\n if err == GL_NO_ERROR or errors and err == errors[-1]:\n break\n errors.append(err)\n if errors:\n msg = ', '.join([repr(ENUM_MAP.get(e, e)) for e in errors])\n err = RuntimeError('OpenGL got errors (%s): %s' % (when, msg))\n err.errors = errors\n err.err = errors[-1]\n raise err\n",
"role": "user"
},
{
"content": "check_error",
"role": "assistant"
}
] |
def x(self, arg):
r = repr(arg)
max = 40
if len(r) > max:
if hasattr(arg, 'shape'):
r = 'array:' + 'x'.join([repr(s) for s in arg.shape])
else:
r = r[:max - 3] + '...'
return r
|
arg_repr
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, arg):\n r = repr(arg)\n max = 40\n if len(r) > max:\n if hasattr(arg, 'shape'):\n r = 'array:' + 'x'.join([repr(s) for s in arg.shape])\n else:\n r = r[:max - 3] + '...'\n return r\n",
"role": "user"
},
{
"content": "arg_repr",
"role": "assistant"
}
] |
def x(self, data):
self._data = data
if _HAS_MPL:
if self._X is None or self._X.T.shape != data.shape:
self._X, self._Y = np.meshgrid(np.arange(data.shape[0]), np.
arange(data.shape[1]))
self._iso = cntr.Cntr(self._X, self._Y, self._data.astype(float))
if self._clim is None:
self._clim = data.min(), data.max()
if self._data.min() != self._data.max():
self._data_is_uniform = False
else:
self._data_is_uniform = True
self._need_recompute = True
self.update()
|
set_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n self._data = data\n if _HAS_MPL:\n if self._X is None or self._X.T.shape != data.shape:\n self._X, self._Y = np.meshgrid(np.arange(data.shape[0]), np.\n arange(data.shape[1]))\n self._iso = cntr.Cntr(self._X, self._Y, self._data.astype(float))\n if self._clim is None:\n self._clim = data.min(), data.max()\n if self._data.min() != self._data.max():\n self._data_is_uniform = False\n else:\n self._data_is_uniform = True\n self._need_recompute = True\n self.update()\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self, paths):
verts = np.vstack(paths)
gaps = np.add.accumulate(np.array([len(x) for x in paths])) - 1
connect = np.ones(gaps[-1], dtype=bool)
connect[gaps[:-1]] = False
return verts, connect
|
get_verts_and_connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, paths):\n verts = np.vstack(paths)\n gaps = np.add.accumulate(np.array([len(x) for x in paths])) - 1\n connect = np.ones(gaps[-1], dtype=bool)\n connect[gaps[:-1]] = False\n return verts, connect\n",
"role": "user"
},
{
"content": "get_verts_and_connect",
"role": "assistant"
}
] |
def x(self):
level_index = []
connects = []
verts = []
choice = np.nonzero((self.levels > self._data.min()) & (self._levels <
self._data.max()))
levels_to_calc = np.array(self.levels)[choice]
self._level_min = choice[0][0]
for level in levels_to_calc:
if _HAS_MPL:
nlist = self._iso.trace(level, level, 0)
paths = nlist[:len(nlist) // 2]
v, c = self._get_verts_and_connect(paths)
v += np.array([0.5, 0.5])
else:
paths = isocurve(self._data.astype(float).T, level,
extend_to_edge=True, connected=True)
v, c = self._get_verts_and_connect(paths)
level_index.append(v.shape[0])
connects.append(np.hstack((c, [False])))
verts.append(v)
self._li = np.hstack(level_index)
self._connect = np.hstack(connects)
self._verts = np.vstack(verts)
|
compute_iso_line
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n level_index = []\n connects = []\n verts = []\n choice = np.nonzero((self.levels > self._data.min()) & (self._levels <\n self._data.max()))\n levels_to_calc = np.array(self.levels)[choice]\n self._level_min = choice[0][0]\n for level in levels_to_calc:\n if _HAS_MPL:\n nlist = self._iso.trace(level, level, 0)\n paths = nlist[:len(nlist) // 2]\n v, c = self._get_verts_and_connect(paths)\n v += np.array([0.5, 0.5])\n else:\n paths = isocurve(self._data.astype(float).T, level,\n extend_to_edge=True, connected=True)\n v, c = self._get_verts_and_connect(paths)\n level_index.append(v.shape[0])\n connects.append(np.hstack((c, [False])))\n verts.append(v)\n self._li = np.hstack(level_index)\n self._connect = np.hstack(connects)\n self._verts = np.vstack(verts)\n",
"role": "user"
},
{
"content": "compute_iso_line",
"role": "assistant"
}
] |
def x(self, callback, ref=False, position='first', before=None, after=None):
callbacks = self.callbacks
callback_refs = self.callback_refs
callback = self._normalize_cb(callback)
if callback in callbacks:
return
if isinstance(ref, bool):
if ref:
if isinstance(callback, tuple):
ref = callback[1]
elif hasattr(callback, '__name__'):
ref = callback.__name__
else:
ref = callback.__class__.__name__
else:
ref = None
elif not isinstance(ref, string_types):
raise TypeError('ref must be a bool or string')
if ref is not None and ref in self._callback_refs:
raise ValueError('ref "%s" is not unique' % ref)
if position not in ('first', 'last'):
raise ValueError('position must be "first" or "last", not %s' %
position)
bounds = list()
for ri, criteria in enumerate((before, after)):
if criteria is None or criteria == []:
bounds.append(len(callback_refs) if ri == 0 else 0)
else:
if not isinstance(criteria, list):
criteria = [criteria]
for c in criteria:
count = sum([(c == cn or c == cc) for cn, cc in zip(
callback_refs, callbacks)])
if count != 1:
raise ValueError(
"""criteria "%s" is in the current callback list %s times:
%s
%s"""
% (criteria, count, callback_refs, callbacks))
matches = [ci for ci, (cn, cc) in enumerate(zip(callback_refs,
callbacks)) if cc in criteria or cn in criteria]
bounds.append(matches[0] if ri == 0 else matches[-1] + 1)
if bounds[0] < bounds[1]:
raise RuntimeError(
'cannot place callback before "%s" and after "%s" for callbacks: %s'
% (before, after, callback_refs))
idx = bounds[1] if position == 'first' else bounds[0]
self._callbacks.insert(idx, callback)
self._callback_refs.insert(idx, ref)
return callback
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, ref=False, position='first', before=None, after=None):\n callbacks = self.callbacks\n callback_refs = self.callback_refs\n callback = self._normalize_cb(callback)\n if callback in callbacks:\n return\n if isinstance(ref, bool):\n if ref:\n if isinstance(callback, tuple):\n ref = callback[1]\n elif hasattr(callback, '__name__'):\n ref = callback.__name__\n else:\n ref = callback.__class__.__name__\n else:\n ref = None\n elif not isinstance(ref, string_types):\n raise TypeError('ref must be a bool or string')\n if ref is not None and ref in self._callback_refs:\n raise ValueError('ref \"%s\" is not unique' % ref)\n if position not in ('first', 'last'):\n raise ValueError('position must be \"first\" or \"last\", not %s' %\n position)\n bounds = list()\n for ri, criteria in enumerate((before, after)):\n if criteria is None or criteria == []:\n bounds.append(len(callback_refs) if ri == 0 else 0)\n else:\n if not isinstance(criteria, list):\n criteria = [criteria]\n for c in criteria:\n count = sum([(c == cn or c == cc) for cn, cc in zip(\n callback_refs, callbacks)])\n if count != 1:\n raise ValueError(\n \"\"\"criteria \"%s\" is in the current callback list %s times:\n%s\n%s\"\"\"\n % (criteria, count, callback_refs, callbacks))\n matches = [ci for ci, (cn, cc) in enumerate(zip(callback_refs,\n callbacks)) if cc in criteria or cn in criteria]\n bounds.append(matches[0] if ri == 0 else matches[-1] + 1)\n if bounds[0] < bounds[1]:\n raise RuntimeError(\n 'cannot place callback before \"%s\" and after \"%s\" for callbacks: %s'\n % (before, after, callback_refs))\n idx = bounds[1] if position == 'first' else bounds[0]\n self._callbacks.insert(idx, callback)\n self._callback_refs.insert(idx, ref)\n return callback\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, callback=None):
if callback is None:
self._callbacks = []
self._callback_refs = []
else:
callback = self._normalize_cb(callback)
if callback in self._callbacks:
idx = self._callbacks.index(callback)
self._callbacks.pop(idx)
self._callback_refs.pop(idx)
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n if callback is None:\n self._callbacks = []\n self._callback_refs = []\n else:\n callback = self._normalize_cb(callback)\n if callback in self._callbacks:\n idx = self._callbacks.index(callback)\n self._callbacks.pop(idx)\n self._callback_refs.pop(idx)\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(self, callback=None):
self._blocked[callback] = self._blocked.get(callback, 0) + 1
|
block
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n self._blocked[callback] = self._blocked.get(callback, 0) + 1\n",
"role": "user"
},
{
"content": "block",
"role": "assistant"
}
] |
def x(self, callback=None):
if callback not in self._blocked or self._blocked[callback] == 0:
raise RuntimeError(
'Cannot unblock %s for callback %s; emitter was not previously blocked.'
% (self, callback))
b = self._blocked[callback] - 1
if b == 0 and callback is not None:
del self._blocked[callback]
else:
self._blocked[callback] = b
|
unblock
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n if callback not in self._blocked or self._blocked[callback] == 0:\n raise RuntimeError(\n 'Cannot unblock %s for callback %s; emitter was not previously blocked.'\n % (self, callback))\n b = self._blocked[callback] - 1\n if b == 0 and callback is not None:\n del self._blocked[callback]\n else:\n self._blocked[callback] = b\n",
"role": "user"
},
{
"content": "unblock",
"role": "assistant"
}
] |
def x(self, auto_connect=None, **kwargs):
if auto_connect is None:
auto_connect = self.auto_connect
for name in kwargs:
if name in self._emitters:
raise ValueError(
"EmitterGroup already has an emitter named '%s'" % name)
elif hasattr(self, name):
raise ValueError(
"The name '%s' cannot be used as an emitter; it is already an attribute of EmitterGroup"
% name)
for name, emitter in kwargs.items():
if emitter is None:
emitter = Event
if inspect.isclass(emitter) and issubclass(emitter, Event):
emitter = EventEmitter(source=self.source, type=name,
event_class=emitter)
elif not isinstance(emitter, EventEmitter):
raise Exception(
'Emitter must be specified as either an EventEmitter instance or Event subclass. (got %s=%s)'
% (name, emitter))
emitter.source = self.source
setattr(self, name, emitter)
self._emitters[name] = emitter
if auto_connect and self.source is not None:
emitter.connect((self.source, self.auto_connect_format % name))
if self._emitters_connected:
emitter.connect(self)
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, auto_connect=None, **kwargs):\n if auto_connect is None:\n auto_connect = self.auto_connect\n for name in kwargs:\n if name in self._emitters:\n raise ValueError(\n \"EmitterGroup already has an emitter named '%s'\" % name)\n elif hasattr(self, name):\n raise ValueError(\n \"The name '%s' cannot be used as an emitter; it is already an attribute of EmitterGroup\"\n % name)\n for name, emitter in kwargs.items():\n if emitter is None:\n emitter = Event\n if inspect.isclass(emitter) and issubclass(emitter, Event):\n emitter = EventEmitter(source=self.source, type=name,\n event_class=emitter)\n elif not isinstance(emitter, EventEmitter):\n raise Exception(\n 'Emitter must be specified as either an EventEmitter instance or Event subclass. (got %s=%s)'\n % (name, emitter))\n emitter.source = self.source\n setattr(self, name, emitter)\n self._emitters[name] = emitter\n if auto_connect and self.source is not None:\n emitter.connect((self.source, self.auto_connect_format % name))\n if self._emitters_connected:\n emitter.connect(self)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self):
self.block()
for em in self._emitters.values():
em.block()
|
block_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.block()\n for em in self._emitters.values():\n em.block()\n",
"role": "user"
},
{
"content": "block_all",
"role": "assistant"
}
] |
def x(self):
self.unblock()
for em in self._emitters.values():
em.unblock()
|
unblock_all
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.unblock()\n for em in self._emitters.values():\n em.unblock()\n",
"role": "user"
},
{
"content": "unblock_all",
"role": "assistant"
}
] |
def x(self, callback, ref=False, position='first', before=None, after=None):
self._connect_emitters(True)
return EventEmitter.connect(self, callback, ref, position, before, after)
|
connect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback, ref=False, position='first', before=None, after=None):\n self._connect_emitters(True)\n return EventEmitter.connect(self, callback, ref, position, before, after)\n",
"role": "user"
},
{
"content": "connect",
"role": "assistant"
}
] |
def x(self, callback=None):
ret = EventEmitter.disconnect(self, callback)
if len(self._callbacks) == 0:
self._connect_emitters(False)
return ret
|
disconnect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, callback=None):\n ret = EventEmitter.disconnect(self, callback)\n if len(self._callbacks) == 0:\n self._connect_emitters(False)\n return ret\n",
"role": "user"
},
{
"content": "disconnect",
"role": "assistant"
}
] |
def x(utterance, intent):
slots = {slot['name'] for slot in intent['slots']}
split_utt = re.split('{(.*)}', utterance)
banned = set('-/\\()^%$#@~`-_=+><;:')
for token in split_utt:
if banned & set(token):
print(' - Banned character found in substring', token)
print(' - Banned character list', banned)
return False
if '|' in token:
split_token = token.split('|')
if len(split_token) != 2:
print(' - Error, token is incorrect in', token, split_token)
return False
word, slot = split_token
if slot.strip() not in slots:
print(' -', slot,
'is not a valid slot for this Intent, valid slots are',
slots)
return False
return True
|
validate_input_format
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(utterance, intent):\n slots = {slot['name'] for slot in intent['slots']}\n split_utt = re.split('{(.*)}', utterance)\n banned = set('-/\\\\()^%$#@~`-_=+><;:')\n for token in split_utt:\n if banned & set(token):\n print(' - Banned character found in substring', token)\n print(' - Banned character list', banned)\n return False\n if '|' in token:\n split_token = token.split('|')\n if len(split_token) != 2:\n print(' - Error, token is incorrect in', token, split_token)\n return False\n word, slot = split_token\n if slot.strip() not in slots:\n print(' -', slot,\n 'is not a valid slot for this Intent, valid slots are',\n slots)\n return False\n return True\n",
"role": "user"
},
{
"content": "validate_input_format",
"role": "assistant"
}
] |
def x(data, level):
face_shift_tables, edge_shifts, edge_table, n_table_faces = (
_get_data_cache())
mask = data < level
data = np.ascontiguousarray(data)
index = np.zeros([(x - 1) for x in data.shape], dtype=np.ubyte)
fields = np.empty((2, 2, 2), dtype=object)
slices = [slice(0, -1), slice(1, None)]
for i in [0, 1]:
for j in [0, 1]:
for k in [0, 1]:
fields[i, j, k] = mask[slices[i], slices[j], slices[k]]
vertIndex = i - 2 * j * i + 3 * j + 4 * k
index += (fields[i, j, k] * 2 ** vertIndex).astype(np.ubyte)
cut_edges = np.zeros([(x + 1) for x in index.shape] + [3], dtype=np.uint32)
edges = edge_table[index]
for i, shift in enumerate(edge_shifts[:12]):
slices = [slice(shift[j], cut_edges.shape[j] + (shift[j] - 1)) for
j in range(3)]
cut_edges[slices[0], slices[1], slices[2], shift[3]] += edges & 2 ** i
m = cut_edges > 0
vertex_inds = np.argwhere(m)
vertexes = vertex_inds[:, :3].astype(np.float32).copy()
dataFlat = data.reshape(data.shape[0] * data.shape[1] * data.shape[2])
cut_edges[vertex_inds[:, 0], vertex_inds[:, 1], vertex_inds[:, 2],
vertex_inds[:, 3]] = np.arange(vertex_inds.shape[0])
for i in [0, 1, 2]:
vim = vertex_inds[:, 3] == i
vi = vertex_inds[vim, :3]
vi_flat = (vi * (np.array(data.strides[:3]) // data.itemsize)[np.
newaxis, :]).sum(axis=1)
v1 = dataFlat[vi_flat]
v2 = dataFlat[vi_flat + data.strides[i] // data.itemsize]
vertexes[vim, i] += (level - v1) / (v2 - v1)
n_faces = n_table_faces[index]
tot_faces = n_faces.sum()
faces = np.empty((tot_faces, 3), dtype=np.uint32)
ptr = 0
cs = np.array(cut_edges.strides) // cut_edges.itemsize
cut_edges = cut_edges.flatten()
for i in range(1, 6):
cells = np.argwhere(n_faces == i)
if cells.shape[0] == 0:
continue
cellInds = index[cells[:, 0], cells[:, 1], cells[:, 2]]
verts = face_shift_tables[i][cellInds]
verts[..., :3] += cells[:, np.newaxis, np.newaxis, :].astype(np.uint16)
verts = verts.reshape((verts.shape[0] * i,) + verts.shape[2:])
verts = (verts * cs[np.newaxis, np.newaxis, :]).sum(axis=2)
vert_inds = cut_edges[verts]
nv = vert_inds.shape[0]
faces[ptr:ptr + nv] = vert_inds
ptr += nv
return vertexes, faces
|
isosurface
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, level):\n face_shift_tables, edge_shifts, edge_table, n_table_faces = (\n _get_data_cache())\n mask = data < level\n data = np.ascontiguousarray(data)\n index = np.zeros([(x - 1) for x in data.shape], dtype=np.ubyte)\n fields = np.empty((2, 2, 2), dtype=object)\n slices = [slice(0, -1), slice(1, None)]\n for i in [0, 1]:\n for j in [0, 1]:\n for k in [0, 1]:\n fields[i, j, k] = mask[slices[i], slices[j], slices[k]]\n vertIndex = i - 2 * j * i + 3 * j + 4 * k\n index += (fields[i, j, k] * 2 ** vertIndex).astype(np.ubyte)\n cut_edges = np.zeros([(x + 1) for x in index.shape] + [3], dtype=np.uint32)\n edges = edge_table[index]\n for i, shift in enumerate(edge_shifts[:12]):\n slices = [slice(shift[j], cut_edges.shape[j] + (shift[j] - 1)) for\n j in range(3)]\n cut_edges[slices[0], slices[1], slices[2], shift[3]] += edges & 2 ** i\n m = cut_edges > 0\n vertex_inds = np.argwhere(m)\n vertexes = vertex_inds[:, :3].astype(np.float32).copy()\n dataFlat = data.reshape(data.shape[0] * data.shape[1] * data.shape[2])\n cut_edges[vertex_inds[:, 0], vertex_inds[:, 1], vertex_inds[:, 2],\n vertex_inds[:, 3]] = np.arange(vertex_inds.shape[0])\n for i in [0, 1, 2]:\n vim = vertex_inds[:, 3] == i\n vi = vertex_inds[vim, :3]\n vi_flat = (vi * (np.array(data.strides[:3]) // data.itemsize)[np.\n newaxis, :]).sum(axis=1)\n v1 = dataFlat[vi_flat]\n v2 = dataFlat[vi_flat + data.strides[i] // data.itemsize]\n vertexes[vim, i] += (level - v1) / (v2 - v1)\n n_faces = n_table_faces[index]\n tot_faces = n_faces.sum()\n faces = np.empty((tot_faces, 3), dtype=np.uint32)\n ptr = 0\n cs = np.array(cut_edges.strides) // cut_edges.itemsize\n cut_edges = cut_edges.flatten()\n for i in range(1, 6):\n cells = np.argwhere(n_faces == i)\n if cells.shape[0] == 0:\n continue\n cellInds = index[cells[:, 0], cells[:, 1], cells[:, 2]]\n verts = face_shift_tables[i][cellInds]\n verts[..., :3] += cells[:, np.newaxis, np.newaxis, :].astype(np.uint16)\n verts = verts.reshape((verts.shape[0] * i,) + verts.shape[2:])\n verts = (verts * cs[np.newaxis, np.newaxis, :]).sum(axis=2)\n vert_inds = cut_edges[verts]\n nv = vert_inds.shape[0]\n faces[ptr:ptr + nv] = vert_inds\n ptr += nv\n return vertexes, faces\n",
"role": "user"
},
{
"content": "isosurface",
"role": "assistant"
}
] |
def x(commands):
data_commands = [command for command in commands if command[0] == 'DATA']
buffers = [data_command[3] for data_command in data_commands]
commands_modified = list(commands)
buffer_index = 0
for i, command in enumerate(commands_modified):
if command[0] == 'DATA':
commands_modified[i] = command[:3] + ({'buffer_index':
buffer_index},)
buffer_index += 1
return commands_modified, buffers
|
extract_buffers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commands):\n data_commands = [command for command in commands if command[0] == 'DATA']\n buffers = [data_command[3] for data_command in data_commands]\n commands_modified = list(commands)\n buffer_index = 0\n for i, command in enumerate(commands_modified):\n if command[0] == 'DATA':\n commands_modified[i] = command[:3] + ({'buffer_index':\n buffer_index},)\n buffer_index += 1\n return commands_modified, buffers\n",
"role": "user"
},
{
"content": "extract_buffers",
"role": "assistant"
}
] |
def x(item):
if isinstance(item, (list, tuple)):
return [_serialize_item(subitem) for subitem in item]
elif isinstance(item, dict):
return dict([(key, _serialize_item(value)) for key, value in
iteritems(item)])
elif isinstance(item, string_types):
if item.startswith('gl'):
return re.sub('^gl([A-Z])', lambda m: m.group(1).lower(), item)
else:
return item
elif isinstance(item, np.ndarray):
return _serialize_item(item.ravel().tolist())
else:
try:
return np.asscalar(item)
except Exception:
return item
|
serialize_item
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(item):\n if isinstance(item, (list, tuple)):\n return [_serialize_item(subitem) for subitem in item]\n elif isinstance(item, dict):\n return dict([(key, _serialize_item(value)) for key, value in\n iteritems(item)])\n elif isinstance(item, string_types):\n if item.startswith('gl'):\n return re.sub('^gl([A-Z])', lambda m: m.group(1).lower(), item)\n else:\n return item\n elif isinstance(item, np.ndarray):\n return _serialize_item(item.ravel().tolist())\n else:\n try:\n return np.asscalar(item)\n except Exception:\n return item\n",
"role": "user"
},
{
"content": "serialize_item",
"role": "assistant"
}
] |
def x(commands, array_serialization=None):
if array_serialization is None:
array_serialization = 'binary'
commands_modified, buffers = _extract_buffers(commands)
commands_serialized = [_serialize_command(command_modified) for
command_modified in commands_modified]
buffers_serialized = [_serialize_buffer(buffer, array_serialization) for
buffer in buffers]
msg = {'msg_type': 'glir_commands', 'commands': commands_serialized,
'buffers': buffers_serialized}
return msg
|
create_glir_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(commands, array_serialization=None):\n if array_serialization is None:\n array_serialization = 'binary'\n commands_modified, buffers = _extract_buffers(commands)\n commands_serialized = [_serialize_command(command_modified) for\n command_modified in commands_modified]\n buffers_serialized = [_serialize_buffer(buffer, array_serialization) for\n buffer in buffers]\n msg = {'msg_type': 'glir_commands', 'commands': commands_serialized,\n 'buffers': buffers_serialized}\n return msg\n",
"role": "user"
},
{
"content": "create_glir_message",
"role": "assistant"
}
] |
def x(self):
response = self.request('hello')
bits = response.split(' ')
self.server_info.update({'server_version': bits[2], 'protocol_version':
bits[4], 'screen_width': int(bits[7]), 'screen_height': int(bits[9]
), 'cell_width': int(bits[11]), 'cell_height': int(bits[13])})
return response
|
start_session
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n response = self.request('hello')\n bits = response.split(' ')\n self.server_info.update({'server_version': bits[2], 'protocol_version':\n bits[4], 'screen_width': int(bits[7]), 'screen_height': int(bits[9]\n ), 'cell_width': int(bits[11]), 'cell_height': int(bits[13])})\n return response\n",
"role": "user"
},
{
"content": "start_session",
"role": "assistant"
}
] |
def x(self, command_string):
self.send(command_string)
if self.debug:
print('Telnet Request: %s' % command_string)
while True:
response = urllib.parse.unquote(self.tn.read_until(b'\n').decode())
if 'success' in response:
break
if 'huh' in response:
break
if 'connect' in response:
break
if 'huh' in response or self.debug:
print('Telnet Response: %s' % response[:-1])
return response
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, command_string):\n self.send(command_string)\n if self.debug:\n print('Telnet Request: %s' % command_string)\n while True:\n response = urllib.parse.unquote(self.tn.read_until(b'\\n').decode())\n if 'success' in response:\n break\n if 'huh' in response:\n break\n if 'connect' in response:\n break\n if 'huh' in response or self.debug:\n print('Telnet Response: %s' % response[:-1])\n return response\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, ref):
if ref not in self.screens:
screen = Screen(self, ref)
screen.clear()
self.screens[ref] = screen
return self.screens[ref]
|
add_screen
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref):\n if ref not in self.screens:\n screen = Screen(self, ref)\n screen.clear()\n self.screens[ref] = screen\n return self.screens[ref]\n",
"role": "user"
},
{
"content": "add_screen",
"role": "assistant"
}
] |
def x(self, ref, mode='shared'):
if ref not in self.keys:
response = self.request('client_add_key %s -%s' % (ref, mode))
if 'success' not in response:
return None
self.keys.append(ref)
return ref
|
add_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref, mode='shared'):\n if ref not in self.keys:\n response = self.request('client_add_key %s -%s' % (ref, mode))\n if 'success' not in response:\n return None\n self.keys.append(ref)\n return ref\n",
"role": "user"
},
{
"content": "add_key",
"role": "assistant"
}
] |
def x(self, ref):
if ref not in self.keys:
response = self.request('client_del_key %s' % ref)
self.keys.remove(ref)
if 'success' in response:
return None
else:
return response
|
del_key
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ref):\n if ref not in self.keys:\n response = self.request('client_del_key %s' % ref)\n self.keys.remove(ref)\n if 'success' in response:\n return None\n else:\n return response\n",
"role": "user"
},
{
"content": "del_key",
"role": "assistant"
}
] |
def x(self):
try:
self.vbro = Display()
self.vbro.start()
logger.debug('virtual display launched')
except Exception:
raise exceptions.VBroException()
try:
self.browser = Browser(self.brow_name)
logger.debug(f'browser {self.brow_name} launched')
except Exception:
raise exceptions.BrowserException(self.brow_name, 'failed to launch')
return True
|
launch
|
[
{
"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 self.vbro = Display()\n self.vbro.start()\n logger.debug('virtual display launched')\n except Exception:\n raise exceptions.VBroException()\n try:\n self.browser = Browser(self.brow_name)\n logger.debug(f'browser {self.brow_name} launched')\n except Exception:\n raise exceptions.BrowserException(self.brow_name, 'failed to launch')\n return True\n",
"role": "user"
},
{
"content": "launch",
"role": "assistant"
}
] |
def x(self, css_path, dom=None):
if dom is None:
dom = self.browser
return expect(dom.find_by_css, args=[css_path])
|
css
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, css_path, dom=None):\n if dom is None:\n dom = self.browser\n return expect(dom.find_by_css, args=[css_path])\n",
"role": "user"
},
{
"content": "css",
"role": "assistant"
}
] |
def x(self, css_path, dom=None):
if dom is None:
dom = self.browser
def x(path, domm):
return self.css(path, domm)[0]
return expect(_css1, args=[css_path, dom])
|
css1
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, css_path, dom=None):\n if dom is None:\n dom = self.browser\n\n def x(path, domm):\n return self.css(path, domm)[0]\n return expect(_css1, args=[css_path, dom])\n",
"role": "user"
},
{
"content": "css1",
"role": "assistant"
}
] |
def x(self, name, dom=None):
if dom is None:
dom = self.browser
return expect(dom.find_by_name, args=[name])
|
search_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, dom=None):\n if dom is None:\n dom = self.browser\n return expect(dom.find_by_name, args=[name])\n",
"role": "user"
},
{
"content": "search_name",
"role": "assistant"
}
] |
def x(self, xpath, dom=None):
if dom is None:
dom = self.browser
return expect(dom.find_by_xpath, args=[xpath])
|
xpath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xpath, dom=None):\n if dom is None:\n dom = self.browser\n return expect(dom.find_by_xpath, args=[xpath])\n",
"role": "user"
},
{
"content": "xpath",
"role": "assistant"
}
] |
def x(self, css_path, dom=None):
if dom is None:
dom = self.browser
return expect(dom.is_element_present_by_css, args=[css_path])
|
elCss
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, css_path, dom=None):\n if dom is None:\n dom = self.browser\n return expect(dom.is_element_present_by_css, args=[css_path])\n",
"role": "user"
},
{
"content": "elCss",
"role": "assistant"
}
] |
def x(self, xpath, dom=None):
if dom is None:
dom = self.browser
return expect(dom.is_element_present_by_xpath, args=[xpath])
|
elXpath
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xpath, dom=None):\n if dom is None:\n dom = self.browser\n return expect(dom.is_element_present_by_xpath, args=[xpath])\n",
"role": "user"
},
{
"content": "elXpath",
"role": "assistant"
}
] |
def x(self, username, password, mode='demo'):
url = 'https://trading212.com/it/login'
try:
logger.debug(f'visiting %s' % url)
self.browser.visit(url)
logger.debug(f'connected to %s' % url)
except selenium.common.exceptions.WebDriverException:
logger.critical('connection timed out')
raise
try:
self.search_name('login[username]').fill(username)
self.search_name('login[password]').fill(password)
self.css1(path['log']).click()
timeout = time.time() + 30
while not self.elCss(path['logo']):
if time.time() > timeout:
logger.critical('login failed')
raise CredentialsException(username)
time.sleep(1)
logger.info(f'logged in as {username}')
if mode == 'demo' and datetime.now().isoweekday() in range(5, 8):
timeout = time.time() + 10
while not self.elCss(path['alert-box']):
if time.time() > timeout:
logger.warning('weekend trading alert-box not closed')
break
if self.elCss(path['alert-box']):
self.css1(path['alert-box']).click()
logger.debug('weekend trading alert-box closed')
except Exception as e:
logger.critical('login failed')
raise exceptions.BaseExc(e)
return True
|
login
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, password, mode='demo'):\n url = 'https://trading212.com/it/login'\n try:\n logger.debug(f'visiting %s' % url)\n self.browser.visit(url)\n logger.debug(f'connected to %s' % url)\n except selenium.common.exceptions.WebDriverException:\n logger.critical('connection timed out')\n raise\n try:\n self.search_name('login[username]').fill(username)\n self.search_name('login[password]').fill(password)\n self.css1(path['log']).click()\n timeout = time.time() + 30\n while not self.elCss(path['logo']):\n if time.time() > timeout:\n logger.critical('login failed')\n raise CredentialsException(username)\n time.sleep(1)\n logger.info(f'logged in as {username}')\n if mode == 'demo' and datetime.now().isoweekday() in range(5, 8):\n timeout = time.time() + 10\n while not self.elCss(path['alert-box']):\n if time.time() > timeout:\n logger.warning('weekend trading alert-box not closed')\n break\n if self.elCss(path['alert-box']):\n self.css1(path['alert-box']).click()\n logger.debug('weekend trading alert-box closed')\n except Exception as e:\n logger.critical('login failed')\n raise exceptions.BaseExc(e)\n return True\n",
"role": "user"
},
{
"content": "login",
"role": "assistant"
}
] |
def x(self):
try:
self.browser.quit()
except Exception:
raise exceptions.BrowserException(self.brow_name, 'not started')
return False
self.vbro.stop()
logger.info('logged out')
return True
|
logout
|
[
{
"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 self.browser.quit()\n except Exception:\n raise exceptions.BrowserException(self.brow_name, 'not started')\n return False\n self.vbro.stop()\n logger.info('logged out')\n return True\n",
"role": "user"
},
{
"content": "logout",
"role": "assistant"
}
] |
def x(self, html_div):
pos = self.Position(self, html_div)
pos.bind_mov()
self.positions.append(pos)
return pos
|
new_pos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, html_div):\n pos = self.Position(self, html_div)\n pos.bind_mov()\n self.positions.append(pos)\n return pos\n",
"role": "user"
},
{
"content": "new_pos",
"role": "assistant"
}
] |
def x(conn, default_host, default_port, default_user='', default_password=None
):
parsed = urllib.parse.urlparse('//%s' % conn)
return Connection(parsed.hostname or default_host, parsed.port or
default_port, parsed.username if parsed.username is not None else
default_user, parsed.password if parsed.password is not None else
default_password)
|
make_hostport
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(conn, default_host, default_port, default_user='', default_password=None\n ):\n parsed = urllib.parse.urlparse('//%s' % conn)\n return Connection(parsed.hostname or default_host, parsed.port or\n default_port, parsed.username if parsed.username is not None else\n default_user, parsed.password if parsed.password is not None else\n default_password)\n",
"role": "user"
},
{
"content": "make_hostport",
"role": "assistant"
}
] |
def x(lcd_host, lcd_port, retry_config, charset=DEFAULT_LCDPROC_CHARSET,
lcdd_debug=False):
class ServerSpawner(utils.AutoRetryCandidate):
"""Spawn the server, using auto-retry."""
@utils.auto_retry
def x(self):
return lcdrunner.LcdProcServer(lcd_host, lcd_port, charset=
charset, debug=lcdd_debug)
spawner = ServerSpawner(retry_config=retry_config, logger=logger)
try:
return spawner.connect()
except socket.error as e:
logger.error('Unable to connect to lcdproc %s:%s : %r', lcd_host,
lcd_port, e)
raise SystemExit(1)
|
make_lcdproc
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lcd_host, lcd_port, retry_config, charset=DEFAULT_LCDPROC_CHARSET,\n lcdd_debug=False):\n\n\n class ServerSpawner(utils.AutoRetryCandidate):\n \"\"\"Spawn the server, using auto-retry.\"\"\"\n\n @utils.auto_retry\n def x(self):\n return lcdrunner.LcdProcServer(lcd_host, lcd_port, charset=\n charset, debug=lcdd_debug)\n spawner = ServerSpawner(retry_config=retry_config, logger=logger)\n try:\n return spawner.connect()\n except socket.error as e:\n logger.error('Unable to connect to lcdproc %s:%s : %r', lcd_host,\n lcd_port, e)\n raise SystemExit(1)\n",
"role": "user"
},
{
"content": "make_lcdproc",
"role": "assistant"
}
] |
def x(patterns):
field_registry = display_fields.FieldRegistry()
pattern_list = display_pattern.ScreenPatternList(field_registry=
field_registry)
for pattern in patterns:
pattern_list.add(pattern.split('\n'))
return pattern_list
|
make_patterns
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(patterns):\n field_registry = display_fields.FieldRegistry()\n pattern_list = display_pattern.ScreenPatternList(field_registry=\n field_registry)\n for pattern in patterns:\n pattern_list.add(pattern.split('\\n'))\n return pattern_list\n",
"role": "user"
},
{
"content": "make_patterns",
"role": "assistant"
}
] |
def x(lcdproc='', mpd='', lcdproc_screen=DEFAULT_LCD_SCREEN_NAME,
lcdproc_charset=DEFAULT_LCDPROC_CHARSET, lcdd_debug=False, pattern='',
patterns=[], refresh=DEFAULT_REFRESH, backlight_on=DEFAULT_BACKLIGHT_ON,
priority_playing=DEFAULT_PRIORITY, priority_not_playing=
DEFAULT_PRIORITY, retry_attempts=DEFAULT_RETRY_ATTEMPTS, retry_wait=
DEFAULT_RETRY_WAIT, retry_backoff=DEFAULT_RETRY_BACKOFF):
lcd_conn = _make_hostport(lcdproc, 'localhost', 13666)
mpd_conn = _make_hostport(mpd, 'localhost', 6600)
retry_config = utils.AutoRetryConfig(retry_attempts=retry_attempts,
retry_backoff=retry_backoff, retry_wait=retry_wait)
mpd_client = mpdwrapper.MPDClient(host=mpd_conn.hostname, port=mpd_conn
.port, password=mpd_conn.username, retry_config=retry_config)
lcd = _make_lcdproc(lcd_conn.hostname, lcd_conn.port, lcdd_debug=
lcdd_debug, charset=lcdproc_charset, retry_config=retry_config)
runner = lcdrunner.MpdRunner(mpd_client, lcd, lcdproc_screen=
lcdproc_screen, refresh_rate=refresh, retry_config=retry_config,
backlight_on=backlight_on, priority_playing=priority_playing,
priority_not_playing=priority_not_playing)
if pattern:
patterns = [pattern]
elif not patterns:
patterns = DEFAULT_PATTERNS
pattern_list = _make_patterns(patterns)
mpd_hook_registry = mpdhooks.HookRegistry()
runner.setup_pattern(pattern_list, hook_registry=mpd_hook_registry)
mpd_client.connect()
runner.run()
logging.shutdown()
|
run_forever
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(lcdproc='', mpd='', lcdproc_screen=DEFAULT_LCD_SCREEN_NAME,\n lcdproc_charset=DEFAULT_LCDPROC_CHARSET, lcdd_debug=False, pattern='',\n patterns=[], refresh=DEFAULT_REFRESH, backlight_on=DEFAULT_BACKLIGHT_ON,\n priority_playing=DEFAULT_PRIORITY, priority_not_playing=\n DEFAULT_PRIORITY, retry_attempts=DEFAULT_RETRY_ATTEMPTS, retry_wait=\n DEFAULT_RETRY_WAIT, retry_backoff=DEFAULT_RETRY_BACKOFF):\n lcd_conn = _make_hostport(lcdproc, 'localhost', 13666)\n mpd_conn = _make_hostport(mpd, 'localhost', 6600)\n retry_config = utils.AutoRetryConfig(retry_attempts=retry_attempts,\n retry_backoff=retry_backoff, retry_wait=retry_wait)\n mpd_client = mpdwrapper.MPDClient(host=mpd_conn.hostname, port=mpd_conn\n .port, password=mpd_conn.username, retry_config=retry_config)\n lcd = _make_lcdproc(lcd_conn.hostname, lcd_conn.port, lcdd_debug=\n lcdd_debug, charset=lcdproc_charset, retry_config=retry_config)\n runner = lcdrunner.MpdRunner(mpd_client, lcd, lcdproc_screen=\n lcdproc_screen, refresh_rate=refresh, retry_config=retry_config,\n backlight_on=backlight_on, priority_playing=priority_playing,\n priority_not_playing=priority_not_playing)\n if pattern:\n patterns = [pattern]\n elif not patterns:\n patterns = DEFAULT_PATTERNS\n pattern_list = _make_patterns(patterns)\n mpd_hook_registry = mpdhooks.HookRegistry()\n runner.setup_pattern(pattern_list, hook_registry=mpd_hook_registry)\n mpd_client.connect()\n runner.run()\n logging.shutdown()\n",
"role": "user"
},
{
"content": "run_forever",
"role": "assistant"
}
] |
def x(filename):
parser = configparser.RawConfigParser()
if filename and not parser.read(filename):
sys.stderr.write(
"""Unable to open configuration file %s. Use --config='' to disable this warning.
"""
% filename)
config = {}
for section, defaults in BASE_CONFIG.items():
if section == 'patterns':
continue
for name, descr in defaults.items():
kind, default = descr
if section in parser.sections() and name in parser.options(section
):
if kind == 'int':
value = parser.getint(section, name)
elif kind == 'float':
value = parser.getfloat(section, name)
elif kind == 'bool':
value = parser.getboolean(section, name)
else:
value = parser.get(section, name)
else:
value = default
config[name] = value
if 'patterns' in parser.sections():
patterns = [parser.get('patterns', opt) for opt in parser.options(
'patterns')]
else:
patterns = DEFAULT_PATTERNS
config['patterns'] = patterns
return config
|
read_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n parser = configparser.RawConfigParser()\n if filename and not parser.read(filename):\n sys.stderr.write(\n \"\"\"Unable to open configuration file %s. Use --config='' to disable this warning.\n\"\"\"\n % filename)\n config = {}\n for section, defaults in BASE_CONFIG.items():\n if section == 'patterns':\n continue\n for name, descr in defaults.items():\n kind, default = descr\n if section in parser.sections() and name in parser.options(section\n ):\n if kind == 'int':\n value = parser.getint(section, name)\n elif kind == 'float':\n value = parser.getfloat(section, name)\n elif kind == 'bool':\n value = parser.getboolean(section, name)\n else:\n value = parser.get(section, name)\n else:\n value = default\n config[name] = value\n if 'patterns' in parser.sections():\n patterns = [parser.get('patterns', opt) for opt in parser.options(\n 'patterns')]\n else:\n patterns = DEFAULT_PATTERNS\n config['patterns'] = patterns\n return config\n",
"role": "user"
},
{
"content": "read_config",
"role": "assistant"
}
] |
def x(config, options, *args):
extract = {}
for key in args:
if key not in args:
continue
extract[key] = config[key]
option = getattr(options, key, None)
if option is not None:
extract[key] = option
return extract
|
extract_options
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(config, options, *args):\n extract = {}\n for key in args:\n if key not in args:\n continue\n extract[key] = config[key]\n option = getattr(options, key, None)\n if option is not None:\n extract[key] = option\n return extract\n",
"role": "user"
},
{
"content": "extract_options",
"role": "assistant"
}
] |
def x(self, shape, format=None):
if not self._resizeable:
raise RuntimeError('RenderBuffer is not resizeable')
if not (isinstance(shape, tuple) and len(shape) in (2, 3)):
raise ValueError('RenderBuffer shape must be a 2/3 element tuple')
if format is None:
format = self._format
elif isinstance(format, int):
pass
elif isinstance(format, string_types):
if format not in ('color', 'depth', 'stencil'):
raise ValueError(
'RenderBuffer format must be "color", "depth" or "stencil", not %r'
% format)
else:
raise ValueError('Invalid RenderBuffer format: %r' % format)
self._shape = tuple(shape[:2])
self._format = format
if self._format is not None:
self._glir.command('SIZE', self._id, self._shape, self._format)
|
resize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shape, format=None):\n if not self._resizeable:\n raise RuntimeError('RenderBuffer is not resizeable')\n if not (isinstance(shape, tuple) and len(shape) in (2, 3)):\n raise ValueError('RenderBuffer shape must be a 2/3 element tuple')\n if format is None:\n format = self._format\n elif isinstance(format, int):\n pass\n elif isinstance(format, string_types):\n if format not in ('color', 'depth', 'stencil'):\n raise ValueError(\n 'RenderBuffer format must be \"color\", \"depth\" or \"stencil\", not %r'\n % format)\n else:\n raise ValueError('Invalid RenderBuffer format: %r' % format)\n self._shape = tuple(shape[:2])\n self._format = format\n if self._format is not None:\n self._glir.command('SIZE', self._id, self._shape, self._format)\n",
"role": "user"
},
{
"content": "resize",
"role": "assistant"
}
] |
def x(self):
self._glir.command('FRAMEBUFFER', self._id, True)
canvas = get_current_canvas()
if canvas is not None:
canvas.context.glir.associate(self.glir)
|
activate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._glir.command('FRAMEBUFFER', self._id, True)\n canvas = get_current_canvas()\n if canvas is not None:\n canvas.context.glir.associate(self.glir)\n",
"role": "user"
},
{
"content": "activate",
"role": "assistant"
}
] |
def x(self):
if self.color_buffer is not None:
return self.color_buffer.shape[:2]
if self.depth_buffer is not None:
return self.depth_buffer.shape[:2]
if self.stencil_buffer is not None:
return self.stencil_buffer.shape[:2]
raise RuntimeError('FrameBuffer without buffers has undefined shape')
|
shape
|
[
{
"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.color_buffer is not None:\n return self.color_buffer.shape[:2]\n if self.depth_buffer is not None:\n return self.depth_buffer.shape[:2]\n if self.stencil_buffer is not None:\n return self.stencil_buffer.shape[:2]\n raise RuntimeError('FrameBuffer without buffers has undefined shape')\n",
"role": "user"
},
{
"content": "shape",
"role": "assistant"
}
] |
def x(self, shape):
if not (isinstance(shape, tuple) and len(shape) == 2):
raise ValueError('RenderBuffer shape must be a 2-element tuple')
for buf in (self.color_buffer, self.depth_buffer, self.stencil_buffer):
if buf is None:
continue
shape_ = shape
if isinstance(buf, Texture2D):
shape_ = shape + (self.color_buffer.shape[-1],)
buf.resize(shape_, buf.format)
|
resize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, shape):\n if not (isinstance(shape, tuple) and len(shape) == 2):\n raise ValueError('RenderBuffer shape must be a 2-element tuple')\n for buf in (self.color_buffer, self.depth_buffer, self.stencil_buffer):\n if buf is None:\n continue\n shape_ = shape\n if isinstance(buf, Texture2D):\n shape_ = shape + (self.color_buffer.shape[-1],)\n buf.resize(shape_, buf.format)\n",
"role": "user"
},
{
"content": "resize",
"role": "assistant"
}
] |
def x(self, mode='color', alpha=True):
_check_valid('mode', mode, ['color', 'depth', 'stencil'])
buffer = getattr(self, mode + '_buffer')
h, w = buffer.shape[:2]
return read_pixels((0, 0, w, h), alpha=alpha)
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='color', alpha=True):\n _check_valid('mode', mode, ['color', 'depth', 'stencil'])\n buffer = getattr(self, mode + '_buffer')\n h, w = buffer.shape[:2]\n return read_pixels((0, 0, w, h), alpha=alpha)\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, pos=None, color=None, width=None, connect=None):
if pos is not None:
self._bounds = None
self._pos = pos
self._changed['pos'] = True
if color is not None:
self._color = color
self._changed['color'] = True
if width is not None:
self._width = width
self._changed['width'] = True
if connect is not None:
self._connect = connect
self._changed['connect'] = True
self.update()
|
set_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos=None, color=None, width=None, connect=None):\n if pos is not None:\n self._bounds = None\n self._pos = pos\n self._changed['pos'] = True\n if color is not None:\n self._color = color\n self._changed['color'] = True\n if width is not None:\n self._width = width\n self._changed['width'] = True\n if connect is not None:\n self._connect = connect\n self._changed['connect'] = True\n self.update()\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self, axis, view):
if self._bounds is None and self._pos is not None:
pos = self._pos
self._bounds = [(pos[:, d].min(), pos[:, d].max()) for d in range(
pos.shape[1])]
if self._bounds is None:
return
elif axis < len(self._bounds):
return self._bounds[axis]
else:
return 0, 0
|
compute_bounds
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, view):\n if self._bounds is None and self._pos is not None:\n pos = self._pos\n self._bounds = [(pos[:, d].min(), pos[:, d].max()) for d in range(\n pos.shape[1])]\n if self._bounds is None:\n return\n elif axis < len(self._bounds):\n return self._bounds[axis]\n else:\n return 0, 0\n",
"role": "user"
},
{
"content": "compute_bounds",
"role": "assistant"
}
] |
def x(cls, vertices, color, closed=False):
n = len(vertices)
P = np.array(vertices).reshape(n, 2).astype(float)
idx = np.arange(n)
dx, dy = P[0] - P[-1]
d = np.sqrt(dx * dx + dy * dy)
if closed and d > 1e-10:
P = np.append(P, P[0]).reshape(n + 1, 2)
idx = np.append(idx, idx[-1])
n += 1
V = np.zeros(len(P), dtype=cls._agg_vtype)
V['a_position'] = P
T = P[1:] - P[:-1]
N = np.sqrt(T[:, 0] ** 2 + T[:, 1] ** 2)
V['a_tangents'][+1:, :2] = T
V['a_tangents'][0, :2] = T[-1] if closed else T[0]
V['a_tangents'][:-1, 2:] = T
V['a_tangents'][-1, 2:] = T[0] if closed else T[-1]
T1 = V['a_tangents'][:, :2]
T2 = V['a_tangents'][:, 2:]
A = np.arctan2(T1[:, 0] * T2[:, 1] - T1[:, 1] * T2[:, 0], T1[:, 0] * T2
[:, 0] + T1[:, 1] * T2[:, 1])
V['a_angles'][:-1, 0] = A[:-1]
V['a_angles'][:-1, 1] = A[+1:]
L = np.cumsum(N)
V['a_segment'][+1:, 0] = L
V['a_segment'][:-1, 1] = L
V = np.repeat(V, 2, axis=0)[1:-1]
V['a_segment'][1:] = V['a_segment'][:-1]
V['a_angles'][1:] = V['a_angles'][:-1]
V['a_texcoord'][0::2] = -1
V['a_texcoord'][1::2] = +1
idx = np.repeat(idx, 2)[1:-1]
V = np.repeat(V, 2, axis=0)
V['a_texcoord'][0::2, 1] = -1
V['a_texcoord'][1::2, 1] = +1
idx = np.repeat(idx, 2)
I = np.resize(np.array([0, 1, 2, 1, 2, 3], dtype=np.uint32), (n - 1) *
(2 * 3))
I += np.repeat(4 * np.arange(n - 1, dtype=np.uint32), 6)
V['alength'] = L[-1] * np.ones(len(V))
if color.ndim == 1:
color = np.tile(color, (len(V), 1))
elif color.ndim == 2 and len(color) == n:
color = color[idx]
else:
raise ValueError(
'Color length %s does not match number of vertices %s' % (len(
color), n))
V['color'] = color
return V, I
|
agg_bake
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, vertices, color, closed=False):\n n = len(vertices)\n P = np.array(vertices).reshape(n, 2).astype(float)\n idx = np.arange(n)\n dx, dy = P[0] - P[-1]\n d = np.sqrt(dx * dx + dy * dy)\n if closed and d > 1e-10:\n P = np.append(P, P[0]).reshape(n + 1, 2)\n idx = np.append(idx, idx[-1])\n n += 1\n V = np.zeros(len(P), dtype=cls._agg_vtype)\n V['a_position'] = P\n T = P[1:] - P[:-1]\n N = np.sqrt(T[:, 0] ** 2 + T[:, 1] ** 2)\n V['a_tangents'][+1:, :2] = T\n V['a_tangents'][0, :2] = T[-1] if closed else T[0]\n V['a_tangents'][:-1, 2:] = T\n V['a_tangents'][-1, 2:] = T[0] if closed else T[-1]\n T1 = V['a_tangents'][:, :2]\n T2 = V['a_tangents'][:, 2:]\n A = np.arctan2(T1[:, 0] * T2[:, 1] - T1[:, 1] * T2[:, 0], T1[:, 0] * T2\n [:, 0] + T1[:, 1] * T2[:, 1])\n V['a_angles'][:-1, 0] = A[:-1]\n V['a_angles'][:-1, 1] = A[+1:]\n L = np.cumsum(N)\n V['a_segment'][+1:, 0] = L\n V['a_segment'][:-1, 1] = L\n V = np.repeat(V, 2, axis=0)[1:-1]\n V['a_segment'][1:] = V['a_segment'][:-1]\n V['a_angles'][1:] = V['a_angles'][:-1]\n V['a_texcoord'][0::2] = -1\n V['a_texcoord'][1::2] = +1\n idx = np.repeat(idx, 2)[1:-1]\n V = np.repeat(V, 2, axis=0)\n V['a_texcoord'][0::2, 1] = -1\n V['a_texcoord'][1::2, 1] = +1\n idx = np.repeat(idx, 2)\n I = np.resize(np.array([0, 1, 2, 1, 2, 3], dtype=np.uint32), (n - 1) *\n (2 * 3))\n I += np.repeat(4 * np.arange(n - 1, dtype=np.uint32), 6)\n V['alength'] = L[-1] * np.ones(len(V))\n if color.ndim == 1:\n color = np.tile(color, (len(V), 1))\n elif color.ndim == 2 and len(color) == n:\n color = color[idx]\n else:\n raise ValueError(\n 'Color length %s does not match number of vertices %s' % (len(\n color), n))\n V['color'] = color\n return V, I\n",
"role": "user"
},
{
"content": "agg_bake",
"role": "assistant"
}
] |
def x(font, left, right):
chars = left + right
args = [None, 1, cf.kCFTypeDictionaryKeyCallBacks, cf.
kCFTypeDictionaryValueCallBacks]
attributes = cf.CFDictionaryCreateMutable(*args)
cf.CFDictionaryAddValue(attributes, kCTFontAttributeName, font)
string = cf.CFAttributedStringCreate(None, CFSTR(chars), attributes)
typesetter = ct.CTTypesetterCreateWithAttributedString(string)
cf.CFRelease(string)
cf.CFRelease(attributes)
range = CFRange(0, 1)
line = ct.CTTypesetterCreateLine(typesetter, range)
offset = ct.CTLineGetOffsetForStringIndex(line, 1, None)
cf.CFRelease(line)
cf.CFRelease(typesetter)
return offset
|
get_k_p_a
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(font, left, right):\n chars = left + right\n args = [None, 1, cf.kCFTypeDictionaryKeyCallBacks, cf.\n kCFTypeDictionaryValueCallBacks]\n attributes = cf.CFDictionaryCreateMutable(*args)\n cf.CFDictionaryAddValue(attributes, kCTFontAttributeName, font)\n string = cf.CFAttributedStringCreate(None, CFSTR(chars), attributes)\n typesetter = ct.CTTypesetterCreateWithAttributedString(string)\n cf.CFRelease(string)\n cf.CFRelease(attributes)\n range = CFRange(0, 1)\n line = ct.CTTypesetterCreateLine(typesetter, range)\n offset = ct.CTLineGetOffsetForStringIndex(line, 1, None)\n cf.CFRelease(line)\n cf.CFRelease(typesetter)\n return offset\n",
"role": "user"
},
{
"content": "get_k_p_a",
"role": "assistant"
}
] |
def x(self, xs=None, ys=None, zs=None, colors=None):
if xs is None:
xs = self._xs
self.__vertices = None
if ys is None:
ys = self._ys
self.__vertices = None
if zs is None:
zs = self._zs
self.__vertices = None
if self.__vertices is None:
vertices, indices = create_grid_mesh(xs, ys, zs)
self._xs = xs
self._ys = ys
self._zs = zs
if self.__vertices is None:
vertices, indices = create_grid_mesh(self._xs, self._ys, self._zs)
self.__meshdata.set_vertices(vertices)
self.__meshdata.set_faces(indices)
if colors is not None:
self.__meshdata.set_vertex_colors(colors.reshape(colors.shape[0] *
colors.shape[1], colors.shape[2]))
MeshVisual.set_data(self, meshdata=self.__meshdata)
|
set_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xs=None, ys=None, zs=None, colors=None):\n if xs is None:\n xs = self._xs\n self.__vertices = None\n if ys is None:\n ys = self._ys\n self.__vertices = None\n if zs is None:\n zs = self._zs\n self.__vertices = None\n if self.__vertices is None:\n vertices, indices = create_grid_mesh(xs, ys, zs)\n self._xs = xs\n self._ys = ys\n self._zs = zs\n if self.__vertices is None:\n vertices, indices = create_grid_mesh(self._xs, self._ys, self._zs)\n self.__meshdata.set_vertices(vertices)\n self.__meshdata.set_faces(indices)\n if colors is not None:\n self.__meshdata.set_vertex_colors(colors.reshape(colors.shape[0] *\n colors.shape[1], colors.shape[2]))\n MeshVisual.set_data(self, meshdata=self.__meshdata)\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(data, level=6):
def x(data, name):
if isinstance(data, np.ndarray):
size = data.nbytes
else:
size = len(data)
chunk = np.empty(size + 12, dtype=np.ubyte)
chunk.data[0:4] = np.array(size, '>u4').tostring()
chunk.data[4:8] = name.encode('ASCII')
chunk.data[8:8 + size] = data
chunk.data[-4:] = np.array(zlib.crc32(chunk[4:-4]) & 4294967295, '>u4'
).tostring()
return chunk
if data.dtype != np.ubyte:
raise TypeError('data.dtype must be np.ubyte (np.uint8)')
dim = data.shape[2]
if dim not in (3, 4):
raise TypeError('data.shape[2] must be in (3, 4)')
if dim == 4:
ctyp = 6
else:
ctyp = 2
header = b'\x89PNG\r\n\x1a\n'
h, w = data.shape[:2]
depth = data.itemsize * 8
ihdr = struct.pack('!IIBBBBB', w, h, depth, ctyp, 0, 0, 0)
c1 = mkchunk(ihdr, 'IHDR')
idat = np.empty((h, w * dim + 1), dtype=np.ubyte)
idat[:, 1:] = data.reshape(h, w * dim)
idat[:, 0] = 0
comp_data = zlib.compress(idat, level)
c2 = mkchunk(comp_data, 'IDAT')
c3 = mkchunk(np.empty((0,), dtype=np.ubyte), 'IEND')
lh = len(header)
png = np.empty(lh + c1.nbytes + c2.nbytes + c3.nbytes, dtype=np.ubyte)
png.data[:lh] = header
p = lh
for chunk in (c1, c2, c3):
png[p:p + len(chunk)] = chunk
p += chunk.nbytes
return png
|
make_png
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(data, level=6):\n\n def x(data, name):\n if isinstance(data, np.ndarray):\n size = data.nbytes\n else:\n size = len(data)\n chunk = np.empty(size + 12, dtype=np.ubyte)\n chunk.data[0:4] = np.array(size, '>u4').tostring()\n chunk.data[4:8] = name.encode('ASCII')\n chunk.data[8:8 + size] = data\n chunk.data[-4:] = np.array(zlib.crc32(chunk[4:-4]) & 4294967295, '>u4'\n ).tostring()\n return chunk\n if data.dtype != np.ubyte:\n raise TypeError('data.dtype must be np.ubyte (np.uint8)')\n dim = data.shape[2]\n if dim not in (3, 4):\n raise TypeError('data.shape[2] must be in (3, 4)')\n if dim == 4:\n ctyp = 6\n else:\n ctyp = 2\n header = b'\\x89PNG\\r\\n\\x1a\\n'\n h, w = data.shape[:2]\n depth = data.itemsize * 8\n ihdr = struct.pack('!IIBBBBB', w, h, depth, ctyp, 0, 0, 0)\n c1 = mkchunk(ihdr, 'IHDR')\n idat = np.empty((h, w * dim + 1), dtype=np.ubyte)\n idat[:, 1:] = data.reshape(h, w * dim)\n idat[:, 0] = 0\n comp_data = zlib.compress(idat, level)\n c2 = mkchunk(comp_data, 'IDAT')\n c3 = mkchunk(np.empty((0,), dtype=np.ubyte), 'IEND')\n lh = len(header)\n png = np.empty(lh + c1.nbytes + c2.nbytes + c3.nbytes, dtype=np.ubyte)\n png.data[:lh] = header\n p = lh\n for chunk in (c1, c2, c3):\n png[p:p + len(chunk)] = chunk\n p += chunk.nbytes\n return png\n",
"role": "user"
},
{
"content": "make_png",
"role": "assistant"
}
] |
def x(filename):
x = Reader(filename)
try:
alpha = x.asDirect()[3]['alpha']
if alpha:
y = x.asRGBA8()[2]
n = 4
else:
y = x.asRGB8()[2]
n = 3
y = np.array([yy for yy in y], np.uint8)
finally:
x.file.close()
y.shape = y.shape[0], y.shape[1] // n, n
return y
|
read_png
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(filename):\n x = Reader(filename)\n try:\n alpha = x.asDirect()[3]['alpha']\n if alpha:\n y = x.asRGBA8()[2]\n n = 4\n else:\n y = x.asRGB8()[2]\n n = 3\n y = np.array([yy for yy in y], np.uint8)\n finally:\n x.file.close()\n y.shape = y.shape[0], y.shape[1] // n, n\n return y\n",
"role": "user"
},
{
"content": "read_png",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.