source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(self, image):
data = np.asarray(image)
if self._data is None or self._data.shape != data.shape:
self._need_vertex_update = True
self._data = data
self._need_texture_upload = True
|
set_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, image):\n data = np.asarray(image)\n if self._data is None or self._data.shape != data.shape:\n self._need_vertex_update = True\n self._data = data\n self._need_texture_upload = True\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self):
interpolation = self._interpolation
self._data_lookup_fn = self._interpolation_fun[interpolation]
self.shared_program.frag['get_data'] = self._data_lookup_fn
if interpolation == 'bilinear':
texture_interpolation = 'linear'
else:
texture_interpolation = 'nearest'
if interpolation != 'nearest':
self.shared_program['u_kernel'] = self._kerneltex
self._data_lookup_fn['shape'] = self._data.shape[:2][::-1]
if self._texture.interpolation != texture_interpolation:
self._texture.interpolation = texture_interpolation
self._data_lookup_fn['texture'] = self._texture
self._need_interpolation_update = False
|
build_interpolation
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n interpolation = self._interpolation\n self._data_lookup_fn = self._interpolation_fun[interpolation]\n self.shared_program.frag['get_data'] = self._data_lookup_fn\n if interpolation == 'bilinear':\n texture_interpolation = 'linear'\n else:\n texture_interpolation = 'nearest'\n if interpolation != 'nearest':\n self.shared_program['u_kernel'] = self._kerneltex\n self._data_lookup_fn['shape'] = self._data.shape[:2][::-1]\n if self._texture.interpolation != texture_interpolation:\n self._texture.interpolation = texture_interpolation\n self._data_lookup_fn['texture'] = self._texture\n self._need_interpolation_update = False\n",
"role": "user"
},
{
"content": "build_interpolation",
"role": "assistant"
}
] |
def x(self):
grid = self._grid
w = 1.0 / grid[1]
h = 1.0 / grid[0]
quad = np.array([[0, 0, 0], [w, 0, 0], [w, h, 0], [0, 0, 0], [w, h, 0],
[0, h, 0]], dtype=np.float32)
quads = np.empty((grid[1], grid[0], 6, 3), dtype=np.float32)
quads[:] = quad
mgrid = np.mgrid[0.0:grid[1], 0.0:grid[0]].transpose(1, 2, 0)
mgrid = mgrid[:, :, np.newaxis, :]
mgrid[..., 0] *= w
mgrid[..., 1] *= h
quads[..., :2] += mgrid
tex_coords = quads.reshape(grid[1] * grid[0] * 6, 3)
tex_coords = np.ascontiguousarray(tex_coords[:, :2])
vertices = tex_coords * self.size
self._subdiv_position.set_data(vertices.astype('float32'))
self._subdiv_texcoord.set_data(tex_coords.astype('float32'))
|
build_vertex_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n grid = self._grid\n w = 1.0 / grid[1]\n h = 1.0 / grid[0]\n quad = np.array([[0, 0, 0], [w, 0, 0], [w, h, 0], [0, 0, 0], [w, h, 0],\n [0, h, 0]], dtype=np.float32)\n quads = np.empty((grid[1], grid[0], 6, 3), dtype=np.float32)\n quads[:] = quad\n mgrid = np.mgrid[0.0:grid[1], 0.0:grid[0]].transpose(1, 2, 0)\n mgrid = mgrid[:, :, np.newaxis, :]\n mgrid[..., 0] *= w\n mgrid[..., 1] *= h\n quads[..., :2] += mgrid\n tex_coords = quads.reshape(grid[1] * grid[0] * 6, 3)\n tex_coords = np.ascontiguousarray(tex_coords[:, :2])\n vertices = tex_coords * self.size\n self._subdiv_position.set_data(vertices.astype('float32'))\n self._subdiv_texcoord.set_data(tex_coords.astype('float32'))\n",
"role": "user"
},
{
"content": "build_vertex_data",
"role": "assistant"
}
] |
def x(self, view):
method = self._method
if method == 'auto':
if view.transforms.get_transform().Linear:
method = 'subdivide'
else:
method = 'impostor'
view._method_used = method
if method == 'subdivide':
view.view_program['method'] = 0
view.view_program['a_position'] = self._subdiv_position
view.view_program['a_texcoord'] = self._subdiv_texcoord
elif method == 'impostor':
view.view_program['method'] = 1
view.view_program['a_position'] = self._impostor_coords
view.view_program['a_texcoord'] = self._impostor_coords
else:
raise ValueError("Unknown image draw method '%s'" % method)
self.shared_program['image_size'] = self.size
view._need_method_update = False
self._prepare_transforms(view)
|
update_method
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, view):\n method = self._method\n if method == 'auto':\n if view.transforms.get_transform().Linear:\n method = 'subdivide'\n else:\n method = 'impostor'\n view._method_used = method\n if method == 'subdivide':\n view.view_program['method'] = 0\n view.view_program['a_position'] = self._subdiv_position\n view.view_program['a_texcoord'] = self._subdiv_texcoord\n elif method == 'impostor':\n view.view_program['method'] = 1\n view.view_program['a_position'] = self._impostor_coords\n view.view_program['a_texcoord'] = self._impostor_coords\n else:\n raise ValueError(\"Unknown image draw method '%s'\" % method)\n self.shared_program['image_size'] = self.size\n view._need_method_update = False\n self._prepare_transforms(view)\n",
"role": "user"
},
{
"content": "update_method",
"role": "assistant"
}
] |
def x(self, P, closed=False, itemsize=None, **kwargs):
itemsize = itemsize or len(P)
itemcount = len(P) / itemsize
P = P.reshape(itemcount, itemsize, 3)
if closed:
V = np.empty((itemcount, itemsize + 3), dtype=self.vtype)
for name in self.vtype.names:
if name not in ['collection_index', 'prev', 'curr', 'next']:
V[name][1:-2] = kwargs.get(name, self._defaults[name])
V['prev'][:, 2:-1] = P
V['prev'][:, 1] = V['prev'][:, -2]
V['curr'][:, 1:-2] = P
V['curr'][:, -2] = V['curr'][:, 1]
V['next'][:, 0:-3] = P
V['next'][:, -3] = V['next'][:, 0]
V['next'][:, -2] = V['next'][:, 1]
else:
V = np.empty((itemcount, itemsize + 2), dtype=self.vtype)
for name in self.vtype.names:
if name not in ['collection_index', 'prev', 'curr', 'next']:
V[name][1:-1] = kwargs.get(name, self._defaults[name])
V['prev'][:, 2:] = P
V['prev'][:, 1] = V['prev'][:, 2]
V['curr'][:, 1:-1] = P
V['next'][:, :-2] = P
V['next'][:, -2] = V['next'][:, -3]
V[:, 0] = V[:, 1]
V[:, -1] = V[:, -2]
V = V.ravel()
V = np.repeat(V, 2, axis=0)
V['id'] = np.tile([1, -1], len(V) / 2)
if closed:
V = V.reshape(itemcount, 2 * (itemsize + 3))
else:
V = V.reshape(itemcount, 2 * (itemsize + 2))
V['id'][:, :2] = 2, -2
V['id'][:, -2:] = 2, -2
V = V.ravel()
if self.utype:
U = np.zeros(itemcount, dtype=self.utype)
for name in self.utype.names:
if name not in ['__unused__']:
U[name] = kwargs.get(name, self._defaults[name])
else:
U = None
Collection.append(self, vertices=V, uniforms=U, itemsize=2 * (itemsize +
2 + closed))
|
append
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, P, closed=False, itemsize=None, **kwargs):\n itemsize = itemsize or len(P)\n itemcount = len(P) / itemsize\n P = P.reshape(itemcount, itemsize, 3)\n if closed:\n V = np.empty((itemcount, itemsize + 3), dtype=self.vtype)\n for name in self.vtype.names:\n if name not in ['collection_index', 'prev', 'curr', 'next']:\n V[name][1:-2] = kwargs.get(name, self._defaults[name])\n V['prev'][:, 2:-1] = P\n V['prev'][:, 1] = V['prev'][:, -2]\n V['curr'][:, 1:-2] = P\n V['curr'][:, -2] = V['curr'][:, 1]\n V['next'][:, 0:-3] = P\n V['next'][:, -3] = V['next'][:, 0]\n V['next'][:, -2] = V['next'][:, 1]\n else:\n V = np.empty((itemcount, itemsize + 2), dtype=self.vtype)\n for name in self.vtype.names:\n if name not in ['collection_index', 'prev', 'curr', 'next']:\n V[name][1:-1] = kwargs.get(name, self._defaults[name])\n V['prev'][:, 2:] = P\n V['prev'][:, 1] = V['prev'][:, 2]\n V['curr'][:, 1:-1] = P\n V['next'][:, :-2] = P\n V['next'][:, -2] = V['next'][:, -3]\n V[:, 0] = V[:, 1]\n V[:, -1] = V[:, -2]\n V = V.ravel()\n V = np.repeat(V, 2, axis=0)\n V['id'] = np.tile([1, -1], len(V) / 2)\n if closed:\n V = V.reshape(itemcount, 2 * (itemsize + 3))\n else:\n V = V.reshape(itemcount, 2 * (itemsize + 2))\n V['id'][:, :2] = 2, -2\n V['id'][:, -2:] = 2, -2\n V = V.ravel()\n if self.utype:\n U = np.zeros(itemcount, dtype=self.utype)\n for name in self.utype.names:\n if name not in ['__unused__']:\n U[name] = kwargs.get(name, self._defaults[name])\n else:\n U = None\n Collection.append(self, vertices=V, uniforms=U, itemsize=2 * (itemsize +\n 2 + closed))\n",
"role": "user"
},
{
"content": "append",
"role": "assistant"
}
] |
def x(self, P, key='curr', closed=False, itemsize=None):
itemsize = itemsize or len(P)
itemcount = len(P) / itemsize
n = itemsize
if closed:
I = np.arange(n + 3)
if key == 'prev':
I -= 2
I[0], I[1], I[-1] = n - 1, n - 1, n - 1
elif key == 'next':
I[0], I[-3], I[-2], I[-1] = 1, 0, 1, 1
else:
I -= 1
I[0], I[-1], I[n + 1] = 0, 0, 0
else:
I = np.arange(n + 2)
if key == 'prev':
I -= 2
I[0], I[1], I[-1] = 0, 0, n - 2
elif key == 'next':
I[0], I[-1], I[-2] = 1, n - 1, n - 1
else:
I -= 1
I[0], I[-1] = 0, n - 1
I = np.repeat(I, 2)
return P[I]
|
bake
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, P, key='curr', closed=False, itemsize=None):\n itemsize = itemsize or len(P)\n itemcount = len(P) / itemsize\n n = itemsize\n if closed:\n I = np.arange(n + 3)\n if key == 'prev':\n I -= 2\n I[0], I[1], I[-1] = n - 1, n - 1, n - 1\n elif key == 'next':\n I[0], I[-3], I[-2], I[-1] = 1, 0, 1, 1\n else:\n I -= 1\n I[0], I[-1], I[n + 1] = 0, 0, 0\n else:\n I = np.arange(n + 2)\n if key == 'prev':\n I -= 2\n I[0], I[1], I[-1] = 0, 0, n - 2\n elif key == 'next':\n I[0], I[-1], I[-2] = 1, n - 1, n - 1\n else:\n I -= 1\n I[0], I[-1] = 0, n - 1\n I = np.repeat(I, 2)\n return P[I]\n",
"role": "user"
},
{
"content": "bake",
"role": "assistant"
}
] |
def x(self, mode='triangle_strip'):
gl.glDepthMask(gl.GL_FALSE)
Collection.draw(self, mode)
gl.glDepthMask(gl.GL_TRUE)
|
draw
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mode='triangle_strip'):\n gl.glDepthMask(gl.GL_FALSE)\n Collection.draw(self, mode)\n gl.glDepthMask(gl.GL_TRUE)\n",
"role": "user"
},
{
"content": "draw",
"role": "assistant"
}
] |
def x(canvas):
for attr in dir(canvas):
try:
attr_obj = getattr(canvas, attr)
except NotImplementedError:
attr_obj = None
if isinstance(attr_obj, Timer):
attr_obj.stop()
|
stop_timers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(canvas):\n for attr in dir(canvas):\n try:\n attr_obj = getattr(canvas, attr)\n except NotImplementedError:\n attr_obj = None\n if isinstance(attr_obj, Timer):\n attr_obj.stop()\n",
"role": "user"
},
{
"content": "stop_timers",
"role": "assistant"
}
] |
def x():
stack = extract_stack()
for s in stack[::-1]:
if op.join('vispy', 'gloo', 'buffer.py') not in __file__:
break
return format_list([s])[0]
|
last_stack_str
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n stack = extract_stack()\n for s in stack[::-1]:\n if op.join('vispy', 'gloo', 'buffer.py') not in __file__:\n break\n return format_list([s])[0]\n",
"role": "user"
},
{
"content": "last_stack_str",
"role": "assistant"
}
] |
def x(self, data, offset=0, copy=False):
data = np.array(data, copy=copy)
nbytes = data.nbytes
if offset < 0:
raise ValueError('Offset must be positive')
elif offset + nbytes > self._nbytes:
raise ValueError('Data does not fit into buffer')
if nbytes == self._nbytes and offset == 0:
self._glir.command('SIZE', self._id, nbytes)
self._glir.command('DATA', self._id, offset, data)
|
set_subdata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, offset=0, copy=False):\n data = np.array(data, copy=copy)\n nbytes = data.nbytes\n if offset < 0:\n raise ValueError('Offset must be positive')\n elif offset + nbytes > self._nbytes:\n raise ValueError('Data does not fit into buffer')\n if nbytes == self._nbytes and offset == 0:\n self._glir.command('SIZE', self._id, nbytes)\n self._glir.command('DATA', self._id, offset, data)\n",
"role": "user"
},
{
"content": "set_subdata",
"role": "assistant"
}
] |
def x(self, data, copy=False):
data = np.array(data, copy=copy)
nbytes = data.nbytes
if nbytes != self._nbytes:
self.resize_bytes(nbytes)
else:
self._glir.command('SIZE', self._id, nbytes)
if nbytes:
self._glir.command('DATA', self._id, 0, data)
|
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, copy=False):\n data = np.array(data, copy=copy)\n nbytes = data.nbytes\n if nbytes != self._nbytes:\n self.resize_bytes(nbytes)\n else:\n self._glir.command('SIZE', self._id, nbytes)\n if nbytes:\n self._glir.command('DATA', self._id, 0, data)\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self, size):
self._nbytes = size
self._glir.command('SIZE', self._id, size)
for view in self._views:
if view() is not None:
view()._valid = False
self._views = []
|
resize_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n self._nbytes = size\n self._glir.command('SIZE', self._id, size)\n for view in self._views:\n if view() is not None:\n view()._valid = False\n self._views = []\n",
"role": "user"
},
{
"content": "resize_bytes",
"role": "assistant"
}
] |
def x(self, data, offset=0, copy=False, **kwargs):
data = self._prepare_data(data, **kwargs)
offset = offset * self.itemsize
Buffer.set_subdata(self, data=data, offset=offset, copy=copy)
|
set_subdata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, offset=0, copy=False, **kwargs):\n data = self._prepare_data(data, **kwargs)\n offset = offset * self.itemsize\n Buffer.set_subdata(self, data=data, offset=offset, copy=copy)\n",
"role": "user"
},
{
"content": "set_subdata",
"role": "assistant"
}
] |
def x(self, data, copy=False, **kwargs):
data = self._prepare_data(data, **kwargs)
self._dtype = data.dtype
self._stride = data.strides[-1]
self._itemsize = self._dtype.itemsize
Buffer.set_data(self, data=data, copy=copy)
|
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, copy=False, **kwargs):\n data = self._prepare_data(data, **kwargs)\n self._dtype = data.dtype\n self._stride = data.strides[-1]\n self._itemsize = self._dtype.itemsize\n Buffer.set_data(self, data=data, copy=copy)\n",
"role": "user"
},
{
"content": "set_data",
"role": "assistant"
}
] |
def x(self):
if self.dtype is None:
return None
dtshape = self.dtype[0].shape
n = dtshape[0] if dtshape else 1
if n > 1:
dtype = 'vec%d' % n
else:
dtype = 'float' if 'f' in self.dtype[0].base.kind else 'int'
return 'attribute', dtype
|
glsl_type
|
[
{
"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.dtype is None:\n return None\n dtshape = self.dtype[0].shape\n n = dtshape[0] if dtshape else 1\n if n > 1:\n dtype = 'vec%d' % n\n else:\n dtype = 'float' if 'f' in self.dtype[0].base.kind else 'int'\n return 'attribute', dtype\n",
"role": "user"
},
{
"content": "glsl_type",
"role": "assistant"
}
] |
def x(self, size):
Buffer.resize_bytes(self, size)
self._size = size // self.itemsize
|
resize_bytes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, size):\n Buffer.resize_bytes(self, size)\n self._size = size // self.itemsize\n",
"role": "user"
},
{
"content": "resize_bytes",
"role": "assistant"
}
] |
def x(self, pretty=True):
self._object_names = {}
self._shader_deps = {}
for shader_name, shader in self.shaders.items():
this_shader_deps = []
self._shader_deps[shader_name] = this_shader_deps
dep_set = set()
for dep in shader.dependencies(sort=True):
if dep.name is None or dep in dep_set:
continue
this_shader_deps.append(dep)
dep_set.add(dep)
if pretty:
self._rename_objects_pretty()
else:
self._rename_objects_fast()
compiled = {}
obj_names = self._object_names
for shader_name, shader in self.shaders.items():
code = []
for dep in self._shader_deps[shader_name]:
dep_code = dep.definition(obj_names)
if dep_code is not None:
regex = '#version (\\d+)'
m = re.search(regex, dep_code)
if m is not None:
if m.group(1) != '120':
raise RuntimeError(
'Currently only GLSL #version 120 is supported.')
dep_code = re.sub(regex, '', dep_code)
code.append(dep_code)
compiled[shader_name] = '\n'.join(code)
self.code = compiled
return compiled
|
compile
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pretty=True):\n self._object_names = {}\n self._shader_deps = {}\n for shader_name, shader in self.shaders.items():\n this_shader_deps = []\n self._shader_deps[shader_name] = this_shader_deps\n dep_set = set()\n for dep in shader.dependencies(sort=True):\n if dep.name is None or dep in dep_set:\n continue\n this_shader_deps.append(dep)\n dep_set.add(dep)\n if pretty:\n self._rename_objects_pretty()\n else:\n self._rename_objects_fast()\n compiled = {}\n obj_names = self._object_names\n for shader_name, shader in self.shaders.items():\n code = []\n for dep in self._shader_deps[shader_name]:\n dep_code = dep.definition(obj_names)\n if dep_code is not None:\n regex = '#version (\\\\d+)'\n m = re.search(regex, dep_code)\n if m is not None:\n if m.group(1) != '120':\n raise RuntimeError(\n 'Currently only GLSL #version 120 is supported.')\n dep_code = re.sub(regex, '', dep_code)\n code.append(dep_code)\n compiled[shader_name] = '\\n'.join(code)\n self.code = compiled\n return compiled\n",
"role": "user"
},
{
"content": "compile",
"role": "assistant"
}
] |
def x(self):
for shader_name, deps in self._shader_deps.items():
for dep in deps:
name = dep.name
if name != 'main':
ext = '_%x' % id(dep)
name = name[:32 - len(ext)] + ext
self._object_names[dep] = name
|
rename_objects_fast
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for shader_name, deps in self._shader_deps.items():\n for dep in deps:\n name = dep.name\n if name != 'main':\n ext = '_%x' % id(dep)\n name = name[:32 - len(ext)] + ext\n self._object_names[dep] = name\n",
"role": "user"
},
{
"content": "rename_objects_fast",
"role": "assistant"
}
] |
def x(self):
self._global_ns = dict([(kwd, None) for kwd in gloo.util.KEYWORDS])
self._shader_ns = dict([(shader, {}) for shader in self.shaders])
obj_shaders = {}
for shader_name, deps in self._shader_deps.items():
for dep in deps:
for name in dep.static_names():
self._global_ns[name] = None
obj_shaders.setdefault(dep, []).append(shader_name)
name_index = {}
for obj, shaders in obj_shaders.items():
name = obj.name
if self._name_available(obj, name, shaders):
self._assign_name(obj, name, shaders)
else:
while True:
index = name_index.get(name, 0) + 1
name_index[name] = index
ext = '_%d' % index
new_name = name[:32 - len(ext)] + ext
if self._name_available(obj, new_name, shaders):
self._assign_name(obj, new_name, shaders)
break
|
rename_objects_pretty
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._global_ns = dict([(kwd, None) for kwd in gloo.util.KEYWORDS])\n self._shader_ns = dict([(shader, {}) for shader in self.shaders])\n obj_shaders = {}\n for shader_name, deps in self._shader_deps.items():\n for dep in deps:\n for name in dep.static_names():\n self._global_ns[name] = None\n obj_shaders.setdefault(dep, []).append(shader_name)\n name_index = {}\n for obj, shaders in obj_shaders.items():\n name = obj.name\n if self._name_available(obj, name, shaders):\n self._assign_name(obj, name, shaders)\n else:\n while True:\n index = name_index.get(name, 0) + 1\n name_index[name] = index\n ext = '_%d' % index\n new_name = name[:32 - len(ext)] + ext\n if self._name_available(obj, new_name, shaders):\n self._assign_name(obj, new_name, shaders)\n break\n",
"role": "user"
},
{
"content": "rename_objects_pretty",
"role": "assistant"
}
] |
def x(self, obj, name, shaders):
if name in self._global_ns:
return False
shaders = self.shaders if self._is_global(obj) else shaders
for shader in shaders:
if name in self._shader_ns[shader]:
return False
return True
|
name_available
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, name, shaders):\n if name in self._global_ns:\n return False\n shaders = self.shaders if self._is_global(obj) else shaders\n for shader in shaders:\n if name in self._shader_ns[shader]:\n return False\n return True\n",
"role": "user"
},
{
"content": "name_available",
"role": "assistant"
}
] |
def x(self, obj, name, shaders):
if self._is_global(obj):
assert name not in self._global_ns
self._global_ns[name] = obj
else:
for shader in shaders:
ns = self._shader_ns[shader]
assert name not in ns
ns[name] = obj
self._object_names[obj] = name
|
assign_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj, name, shaders):\n if self._is_global(obj):\n assert name not in self._global_ns\n self._global_ns[name] = obj\n else:\n for shader in shaders:\n ns = self._shader_ns[shader]\n assert name not in ns\n ns[name] = obj\n self._object_names[obj] = name\n",
"role": "user"
},
{
"content": "assign_name",
"role": "assistant"
}
] |
def x(self):
x, y = self._pos
halfw, halfh = self._halfdim
if halfw <= 0:
raise ValueError('half-width must be positive and non-zero, not %s' %
halfw)
if halfh <= 0:
raise ValueError(
'half-height must be positive and non-zero, not %s' % halfh)
if self._orientation == 'bottom' or self._orientation == 'top':
if halfw < halfh:
raise ValueError(
'half-width(%s) < half-height(%s) for%s orientation, expected half-width >= half-height'
% (halfw, halfh, self._orientation))
elif halfw > halfh:
raise ValueError(
'half-width(%s) > half-height(%s) for%s orientation, expected half-width <= half-height'
% (halfw, halfh, self._orientation))
vertices = np.array([[x - halfw, y - halfh], [x + halfw, y - halfh], [x +
halfw, y + halfh], [x - halfw, y - halfh], [x + halfw, y + halfh],
[x - halfw, y + halfh]], dtype=np.float32)
self.shared_program['a_position'] = vertices
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x, y = self._pos\n halfw, halfh = self._halfdim\n if halfw <= 0:\n raise ValueError('half-width must be positive and non-zero, not %s' %\n halfw)\n if halfh <= 0:\n raise ValueError(\n 'half-height must be positive and non-zero, not %s' % halfh)\n if self._orientation == 'bottom' or self._orientation == 'top':\n if halfw < halfh:\n raise ValueError(\n 'half-width(%s) < half-height(%s) for%s orientation, expected half-width >= half-height'\n % (halfw, halfh, self._orientation))\n elif halfw > halfh:\n raise ValueError(\n 'half-width(%s) > half-height(%s) for%s orientation, expected half-width <= half-height'\n % (halfw, halfh, self._orientation))\n vertices = np.array([[x - halfw, y - halfh], [x + halfw, y - halfh], [x +\n halfw, y + halfh], [x - halfw, y - halfh], [x + halfw, y + halfh],\n [x - halfw, y + halfh]], dtype=np.float32)\n self.shared_program['a_position'] = vertices\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
self._colorbar.halfdim = self._halfdim
self._border.halfdim = self._halfdim
self._label.text = self._label_str
self._ticks[0].text = str(self._clim[0])
self._ticks[1].text = str(self._clim[1])
self._update_positions()
self._colorbar._update()
self._border._update()
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._colorbar.halfdim = self._halfdim\n self._border.halfdim = self._halfdim\n self._label.text = self._label_str\n self._ticks[0].text = str(self._clim[0])\n self._ticks[1].text = str(self._clim[1])\n self._update_positions()\n self._colorbar._update()\n self._border._update()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self):
self._colorbar.pos = self._pos
self._border.pos = self._pos
if self._orientation == 'right' or self._orientation == 'left':
self._label.rotation = -90
x, y = self._pos
halfw, halfh = self._halfdim
label_anchors = ColorBarVisual._get_label_anchors(center=self._pos,
halfdim=self._halfdim, orientation=self._orientation, transforms=
self.label.transforms)
self._label.anchors = label_anchors
ticks_anchors = ColorBarVisual._get_ticks_anchors(center=self._pos,
halfdim=self._halfdim, orientation=self._orientation, transforms=
self.label.transforms)
self._ticks[0].anchors = ticks_anchors
self._ticks[1].anchors = ticks_anchors
label_pos, ticks_pos = ColorBarVisual._calc_positions(center=self._pos,
halfdim=self._halfdim, border_width=self.border_width, orientation=
self._orientation, transforms=self.transforms)
self._label.pos = label_pos
self._ticks[0].pos = ticks_pos[0]
self._ticks[1].pos = ticks_pos[1]
|
update_positions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._colorbar.pos = self._pos\n self._border.pos = self._pos\n if self._orientation == 'right' or self._orientation == 'left':\n self._label.rotation = -90\n x, y = self._pos\n halfw, halfh = self._halfdim\n label_anchors = ColorBarVisual._get_label_anchors(center=self._pos,\n halfdim=self._halfdim, orientation=self._orientation, transforms=\n self.label.transforms)\n self._label.anchors = label_anchors\n ticks_anchors = ColorBarVisual._get_ticks_anchors(center=self._pos,\n halfdim=self._halfdim, orientation=self._orientation, transforms=\n self.label.transforms)\n self._ticks[0].anchors = ticks_anchors\n self._ticks[1].anchors = ticks_anchors\n label_pos, ticks_pos = ColorBarVisual._calc_positions(center=self._pos,\n halfdim=self._halfdim, border_width=self.border_width, orientation=\n self._orientation, transforms=self.transforms)\n self._label.pos = label_pos\n self._ticks[0].pos = ticks_pos[0]\n self._ticks[1].pos = ticks_pos[1]\n",
"role": "user"
},
{
"content": "update_positions",
"role": "assistant"
}
] |
def x(center, halfdim, border_width, orientation, transforms):
x, y = center
halfw, halfh = halfdim
visual_to_doc = transforms.get_transform('visual', 'document')
doc_to_visual = transforms.get_transform('document', 'visual')
doc_x = visual_to_doc.map(np.array([halfw, 0, 0, 0], dtype=np.float32))
doc_y = visual_to_doc.map(np.array([0, halfh, 0, 0], dtype=np.float32))
if doc_x[0] < 0:
doc_x *= -1
if doc_y[1] < 0:
doc_y *= -1
if orientation == 'top':
doc_perp_vector = -doc_y
elif orientation == 'bottom':
doc_perp_vector = doc_y
elif orientation == 'left':
doc_perp_vector = -doc_x
if orientation == 'right':
doc_perp_vector = doc_x
perp_len = np.linalg.norm(doc_perp_vector)
doc_perp_vector /= perp_len
perp_len += border_width
perp_len += 5
perp_len *= ColorBarVisual.text_padding_factor
doc_perp_vector *= perp_len
doc_center = visual_to_doc.map(np.array([x, y, 0, 0], dtype=np.float32))
doc_label_pos = doc_center + doc_perp_vector
visual_label_pos = doc_to_visual.map(doc_label_pos)[:3]
if orientation in ['top', 'bottom']:
doc_ticks_pos = [doc_label_pos - doc_x, doc_label_pos + doc_x]
else:
doc_ticks_pos = [doc_label_pos + doc_y, doc_label_pos - doc_y]
visual_ticks_pos = []
visual_ticks_pos.append(doc_to_visual.map(doc_ticks_pos[0])[:3])
visual_ticks_pos.append(doc_to_visual.map(doc_ticks_pos[1])[:3])
return visual_label_pos, visual_ticks_pos
|
calc_positions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(center, halfdim, border_width, orientation, transforms):\n x, y = center\n halfw, halfh = halfdim\n visual_to_doc = transforms.get_transform('visual', 'document')\n doc_to_visual = transforms.get_transform('document', 'visual')\n doc_x = visual_to_doc.map(np.array([halfw, 0, 0, 0], dtype=np.float32))\n doc_y = visual_to_doc.map(np.array([0, halfh, 0, 0], dtype=np.float32))\n if doc_x[0] < 0:\n doc_x *= -1\n if doc_y[1] < 0:\n doc_y *= -1\n if orientation == 'top':\n doc_perp_vector = -doc_y\n elif orientation == 'bottom':\n doc_perp_vector = doc_y\n elif orientation == 'left':\n doc_perp_vector = -doc_x\n if orientation == 'right':\n doc_perp_vector = doc_x\n perp_len = np.linalg.norm(doc_perp_vector)\n doc_perp_vector /= perp_len\n perp_len += border_width\n perp_len += 5\n perp_len *= ColorBarVisual.text_padding_factor\n doc_perp_vector *= perp_len\n doc_center = visual_to_doc.map(np.array([x, y, 0, 0], dtype=np.float32))\n doc_label_pos = doc_center + doc_perp_vector\n visual_label_pos = doc_to_visual.map(doc_label_pos)[:3]\n if orientation in ['top', 'bottom']:\n doc_ticks_pos = [doc_label_pos - doc_x, doc_label_pos + doc_x]\n else:\n doc_ticks_pos = [doc_label_pos + doc_y, doc_label_pos - doc_y]\n visual_ticks_pos = []\n visual_ticks_pos.append(doc_to_visual.map(doc_ticks_pos[0])[:3])\n visual_ticks_pos.append(doc_to_visual.map(doc_ticks_pos[1])[:3])\n return visual_label_pos, visual_ticks_pos\n",
"role": "user"
},
{
"content": "calc_positions",
"role": "assistant"
}
] |
def x(self):
halfw, halfh = self._halfdim
if self.orientation in ['top', 'bottom']:
return halfw * 2.0, halfh * 2.0
else:
return halfh * 2.0, halfw * 2.0
|
size
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n halfw, halfh = self._halfdim\n if self.orientation in ['top', 'bottom']:\n return halfw * 2.0, halfh * 2.0\n else:\n return halfh * 2.0, halfw * 2.0\n",
"role": "user"
},
{
"content": "size",
"role": "assistant"
}
] |
def x(self):
fields = []
if self.backlight_on != enums.BACKLIGHT_ON_NEVER:
fields.append(display_fields.BacklightPseudoField(ref='0',
backlight_rule=self.backlight_on))
fields.append(display_fields.PriorityPseudoField(ref='0',
priority_playing=self.priority_playing, priority_not_playing=self.
priority_not_playing))
self.pattern.add_pseudo_fields(fields, self.screen)
|
add_pseudo_fields
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fields = []\n if self.backlight_on != enums.BACKLIGHT_ON_NEVER:\n fields.append(display_fields.BacklightPseudoField(ref='0',\n backlight_rule=self.backlight_on))\n fields.append(display_fields.PriorityPseudoField(ref='0',\n priority_playing=self.priority_playing, priority_not_playing=self.\n priority_not_playing))\n self.pattern.add_pseudo_fields(fields, self.screen)\n",
"role": "user"
},
{
"content": "add_pseudo_fields",
"role": "assistant"
}
] |
def x(self, padding):
return Rect(pos=(self.pos[0] + padding, self.pos[1] + padding), size=(
self.size[0] - 2 * padding, self.size[1] - 2 * padding))
|
padded
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, padding):\n return Rect(pos=(self.pos[0] + padding, self.pos[1] + padding), size=(\n self.size[0] - 2 * padding, self.size[1] - 2 * padding))\n",
"role": "user"
},
{
"content": "padded",
"role": "assistant"
}
] |
def x(self):
return Rect(pos=(min(self.left, self.right), min(self.top, self.bottom)
), size=(abs(self.width), abs(self.height)))
|
normalized
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return Rect(pos=(min(self.left, self.right), min(self.top, self.bottom)\n ), size=(abs(self.width), abs(self.height)))\n",
"role": "user"
},
{
"content": "normalized",
"role": "assistant"
}
] |
def x(self, x=False, y=True):
pos = list(self.pos)
size = list(self.size)
for i, flip in enumerate((x, y)):
if flip:
pos[i] += size[i]
size[i] *= -1
return Rect(pos, size)
|
flipped
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x=False, y=True):\n pos = list(self.pos)\n size = list(self.size)\n for i, flip in enumerate((x, y)):\n if flip:\n pos[i] += size[i]\n size[i] *= -1\n return Rect(pos, size)\n",
"role": "user"
},
{
"content": "flipped",
"role": "assistant"
}
] |
def x(self):
return np.array([[self.left, self.bottom, 0, 1], [self.right, self.top,
0, 1]])
|
transform_in
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return np.array([[self.left, self.bottom, 0, 1], [self.right, self.top,\n 0, 1]])\n",
"role": "user"
},
{
"content": "transform_in",
"role": "assistant"
}
] |
def x(self, viewport=None, fbo_size=None, fbo_rect=None, canvas=None):
if canvas is not None:
self.canvas = canvas
canvas = self._canvas
if canvas is None:
raise RuntimeError('No canvas assigned to this TransformSystem.')
map_from = [(0, 0), canvas.size]
map_to = [(0, canvas.physical_size[1]), (canvas.physical_size[0], 0)]
self._canvas_transform.transforms[1].set_mapping(map_from, map_to)
if fbo_rect is None:
self._canvas_transform.transforms[0].scale = 1, 1, 1
self._canvas_transform.transforms[0].translate = 0, 0, 0
else:
map_from = [(fbo_rect[0], fbo_rect[1]), (fbo_rect[0] + fbo_rect[2],
fbo_rect[1] + fbo_rect[3])]
map_to = [(0, 0), fbo_size]
self._canvas_transform.transforms[0].set_mapping(map_from, map_to)
if viewport is None:
if fbo_size is None:
map_from = [(0, 0), canvas.physical_size]
else:
map_from = [(0, 0), fbo_size]
else:
map_from = [viewport[:2], (viewport[0] + viewport[2], viewport[1] +
viewport[3])]
map_to = [(-1, -1), (1, 1)]
self._framebuffer_transform.transforms[0].set_mapping(map_from, map_to)
|
configure
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, viewport=None, fbo_size=None, fbo_rect=None, canvas=None):\n if canvas is not None:\n self.canvas = canvas\n canvas = self._canvas\n if canvas is None:\n raise RuntimeError('No canvas assigned to this TransformSystem.')\n map_from = [(0, 0), canvas.size]\n map_to = [(0, canvas.physical_size[1]), (canvas.physical_size[0], 0)]\n self._canvas_transform.transforms[1].set_mapping(map_from, map_to)\n if fbo_rect is None:\n self._canvas_transform.transforms[0].scale = 1, 1, 1\n self._canvas_transform.transforms[0].translate = 0, 0, 0\n else:\n map_from = [(fbo_rect[0], fbo_rect[1]), (fbo_rect[0] + fbo_rect[2],\n fbo_rect[1] + fbo_rect[3])]\n map_to = [(0, 0), fbo_size]\n self._canvas_transform.transforms[0].set_mapping(map_from, map_to)\n if viewport is None:\n if fbo_size is None:\n map_from = [(0, 0), canvas.physical_size]\n else:\n map_from = [(0, 0), fbo_size]\n else:\n map_from = [viewport[:2], (viewport[0] + viewport[2], viewport[1] +\n viewport[3])]\n map_to = [(-1, -1), (1, 1)]\n self._framebuffer_transform.transforms[0].set_mapping(map_from, map_to)\n",
"role": "user"
},
{
"content": "configure",
"role": "assistant"
}
] |
def x(self):
if self._dpi is None:
if self._canvas is None:
return None
else:
return self.canvas.dpi
else:
return self._dpi
|
dpi
|
[
{
"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._dpi is None:\n if self._canvas is None:\n return None\n else:\n return self.canvas.dpi\n else:\n return self._dpi\n",
"role": "user"
},
{
"content": "dpi",
"role": "assistant"
}
] |
def x(self, map_from='visual', map_to='render'):
tr = ['visual', 'scene', 'document', 'canvas', 'framebuffer', 'render']
ifrom = tr.index(map_from)
ito = tr.index(map_to)
if ifrom < ito:
trs = [getattr(self, '_' + t + '_transform') for t in tr[ifrom:ito]][:
:-1]
else:
trs = [getattr(self, '_' + t + '_transform').inverse for t in tr[
ito:ifrom]]
return self._cache.get(trs)
|
get_transform
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, map_from='visual', map_to='render'):\n tr = ['visual', 'scene', 'document', 'canvas', 'framebuffer', 'render']\n ifrom = tr.index(map_from)\n ito = tr.index(map_to)\n if ifrom < ito:\n trs = [getattr(self, '_' + t + '_transform') for t in tr[ifrom:ito]][:\n :-1]\n else:\n trs = [getattr(self, '_' + t + '_transform').inverse for t in tr[\n ito:ifrom]]\n return self._cache.get(trs)\n",
"role": "user"
},
{
"content": "get_transform",
"role": "assistant"
}
] |
def x(adjacency_arr, pos, t, optimal):
delta = pos[:, np.newaxis, :] - pos
distance2 = (delta * delta).sum(axis=-1)
distance2 = np.where(distance2 < 0.0001, 0.0001, distance2)
distance = np.sqrt(distance2)
displacement = np.zeros((len(delta), 2))
for ii in range(2):
displacement[:, ii] = (delta[:, :, ii] * (optimal * optimal / (
distance * distance) - adjacency_arr * distance / optimal)).sum(
axis=1)
length = np.sqrt((displacement ** 2).sum(axis=1))
length = np.where(length < 0.01, 0.1, length)
delta_pos = displacement * t / length[:, np.newaxis]
return delta_pos
|
calculate_delta_pos
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(adjacency_arr, pos, t, optimal):\n delta = pos[:, np.newaxis, :] - pos\n distance2 = (delta * delta).sum(axis=-1)\n distance2 = np.where(distance2 < 0.0001, 0.0001, distance2)\n distance = np.sqrt(distance2)\n displacement = np.zeros((len(delta), 2))\n for ii in range(2):\n displacement[:, ii] = (delta[:, :, ii] * (optimal * optimal / (\n distance * distance) - adjacency_arr * distance / optimal)).sum(\n axis=1)\n length = np.sqrt((displacement ** 2).sum(axis=1))\n length = np.where(length < 0.01, 0.1, length)\n delta_pos = displacement * t / length[:, np.newaxis]\n return delta_pos\n",
"role": "user"
},
{
"content": "calculate_delta_pos",
"role": "assistant"
}
] |
def x(request):
ingredient = request.slots['Ingredient']
if ingredient == None:
return alexa.create_response('Could not find an ingredient!')
request.session['last_ingredient'] = ingredient
card = alexa.create_card(title='GetRecipeIntent activated', subtitle=
None, content='asked alexa to find a recipe using {}'.format(
ingredient))
return alexa.create_response('Finding a recipe with the ingredient {}'.
format(ingredient), end_session=False, card_obj=card)
|
get_recipe_intent_handler
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n ingredient = request.slots['Ingredient']\n if ingredient == None:\n return alexa.create_response('Could not find an ingredient!')\n request.session['last_ingredient'] = ingredient\n card = alexa.create_card(title='GetRecipeIntent activated', subtitle=\n None, content='asked alexa to find a recipe using {}'.format(\n ingredient))\n return alexa.create_response('Finding a recipe with the ingredient {}'.\n format(ingredient), end_session=False, card_obj=card)\n",
"role": "user"
},
{
"content": "get_recipe_intent_handler",
"role": "assistant"
}
] |
def x(app=None, gl=None):
if app is None and gl is None:
raise TypeError('Must specify at least one of "app" or "gl".')
if app == 'ipynb_webgl':
app = 'headless'
gl = 'webgl'
if app == 'osmesa':
from ..util.osmesa_gl import fix_osmesa_gl_lib
fix_osmesa_gl_lib()
if gl is not None:
raise ValueError('Do not specify gl when using osmesa')
if gl:
from .. import gloo, config
config['gl_backend'] = gl
gloo.gl.use_gl(gl)
if app:
from ..app import use_app
use_app(app)
|
use
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None, gl=None):\n if app is None and gl is None:\n raise TypeError('Must specify at least one of \"app\" or \"gl\".')\n if app == 'ipynb_webgl':\n app = 'headless'\n gl = 'webgl'\n if app == 'osmesa':\n from ..util.osmesa_gl import fix_osmesa_gl_lib\n fix_osmesa_gl_lib()\n if gl is not None:\n raise ValueError('Do not specify gl when using osmesa')\n if gl:\n from .. import gloo, config\n config['gl_backend'] = gl\n gloo.gl.use_gl(gl)\n if app:\n from ..app import use_app\n use_app(app)\n",
"role": "user"
},
{
"content": "use",
"role": "assistant"
}
] |
def x(command, return_code=False, **kwargs):
use_kwargs = dict(stderr=subprocess.PIPE, stdout=subprocess.PIPE)
use_kwargs.update(kwargs)
p = subprocess.Popen(command, **use_kwargs)
output = p.communicate()
output = [('' if s is None else s) for s in output]
output = [(s.decode('utf-8') if isinstance(s, bytes) else s) for s in
output]
output = tuple(output)
if not return_code and p.returncode:
print(output[0])
print(output[1])
err_fun = subprocess.CalledProcessError.__init__
if 'output' in inspect.getargspec(err_fun).args:
raise subprocess.CalledProcessError(p.returncode, command, output)
else:
raise subprocess.CalledProcessError(p.returncode, command)
if return_code:
output = output + (p.returncode,)
return output
|
run_subprocess
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(command, return_code=False, **kwargs):\n use_kwargs = dict(stderr=subprocess.PIPE, stdout=subprocess.PIPE)\n use_kwargs.update(kwargs)\n p = subprocess.Popen(command, **use_kwargs)\n output = p.communicate()\n output = [('' if s is None else s) for s in output]\n output = [(s.decode('utf-8') if isinstance(s, bytes) else s) for s in\n output]\n output = tuple(output)\n if not return_code and p.returncode:\n print(output[0])\n print(output[1])\n err_fun = subprocess.CalledProcessError.__init__\n if 'output' in inspect.getargspec(err_fun).args:\n raise subprocess.CalledProcessError(p.returncode, command, output)\n else:\n raise subprocess.CalledProcessError(p.returncode, command)\n if return_code:\n output = output + (p.returncode,)\n return output\n",
"role": "user"
},
{
"content": "run_subprocess",
"role": "assistant"
}
] |
def x(self, interval=None, iterations=None):
if self.running:
return
self.iter_count = 0
if interval is not None:
self.interval = interval
if iterations is not None:
self.max_iterations = iterations
self._backend._vispy_start(self.interval)
self._running = True
self._first_emit_time = precision_time()
self._last_emit_time = precision_time()
self.events.start(type='timer_start')
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, interval=None, iterations=None):\n if self.running:\n return\n self.iter_count = 0\n if interval is not None:\n self.interval = interval\n if iterations is not None:\n self.max_iterations = iterations\n self._backend._vispy_start(self.interval)\n self._running = True\n self._first_emit_time = precision_time()\n self._last_emit_time = precision_time()\n self.events.start(type='timer_start')\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self):
self._backend._vispy_stop()
self._running = False
self.events.stop(type='timer_stop')
|
stop
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self._backend._vispy_stop()\n self._running = False\n self.events.stop(type='timer_stop')\n",
"role": "user"
},
{
"content": "stop",
"role": "assistant"
}
] |
def x(self):
factor = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)
pix_l = []
for iv in self._interval_set._intervals:
for val in range(iv[0] >> factor, iv[1] >> factor):
pix_l.append(val)
return np.asarray(pix_l)
|
best_res_pixels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n factor = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)\n pix_l = []\n for iv in self._interval_set._intervals:\n for val in range(iv[0] >> factor, iv[1] >> factor):\n pix_l.append(val)\n return np.asarray(pix_l)\n",
"role": "user"
},
{
"content": "best_res_pixels",
"role": "assistant"
}
] |
def x(self, ra, dec, keep_inside=True):
depth = self.max_order
m = np.zeros(nside2npix(1 << depth), dtype=bool)
pix_id = self._best_res_pixels()
m[pix_id] = True
if not keep_inside:
m = np.logical_not(m)
hp = HEALPix(nside=1 << depth, order='nested')
pix = hp.lonlat_to_healpix(ra, dec)
return m[pix]
|
contains
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ra, dec, keep_inside=True):\n depth = self.max_order\n m = np.zeros(nside2npix(1 << depth), dtype=bool)\n pix_id = self._best_res_pixels()\n m[pix_id] = True\n if not keep_inside:\n m = np.logical_not(m)\n hp = HEALPix(nside=1 << depth, order='nested')\n pix = hp.lonlat_to_healpix(ra, dec)\n return m[pix]\n",
"role": "user"
},
{
"content": "contains",
"role": "assistant"
}
] |
def x(self):
ipix = self._best_res_pixels()
hp = HEALPix(nside=1 << self.max_order, order='nested')
extend_ipix = AbstractMOC._neighbour_pixels(hp, ipix)
neigh_ipix = np.setdiff1d(extend_ipix, ipix)
shift = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)
neigh_itv = np.vstack((neigh_ipix << shift, neigh_ipix + 1 << shift)).T
self._interval_set = self._interval_set.union(IntervalSet(neigh_itv))
return self
|
add_neighbours
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ipix = self._best_res_pixels()\n hp = HEALPix(nside=1 << self.max_order, order='nested')\n extend_ipix = AbstractMOC._neighbour_pixels(hp, ipix)\n neigh_ipix = np.setdiff1d(extend_ipix, ipix)\n shift = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)\n neigh_itv = np.vstack((neigh_ipix << shift, neigh_ipix + 1 << shift)).T\n self._interval_set = self._interval_set.union(IntervalSet(neigh_itv))\n return self\n",
"role": "user"
},
{
"content": "add_neighbours",
"role": "assistant"
}
] |
def x(self):
ipix = self._best_res_pixels()
hp = HEALPix(nside=1 << self.max_order, order='nested')
extend_ipix = AbstractMOC._neighbour_pixels(hp, ipix)
neigh_ipix = np.setxor1d(extend_ipix, ipix)
border_ipix = AbstractMOC._neighbour_pixels(hp, neigh_ipix)
reduced_ipix = np.setdiff1d(ipix, border_ipix)
shift = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)
reduced_itv = np.vstack((reduced_ipix << shift, reduced_ipix + 1 << shift)
).T
self._interval_set = IntervalSet(reduced_itv)
return self
|
remove_neighbours
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n ipix = self._best_res_pixels()\n hp = HEALPix(nside=1 << self.max_order, order='nested')\n extend_ipix = AbstractMOC._neighbour_pixels(hp, ipix)\n neigh_ipix = np.setxor1d(extend_ipix, ipix)\n border_ipix = AbstractMOC._neighbour_pixels(hp, neigh_ipix)\n reduced_ipix = np.setdiff1d(ipix, border_ipix)\n shift = 2 * (AbstractMOC.HPY_MAX_NORDER - self.max_order)\n reduced_itv = np.vstack((reduced_ipix << shift, reduced_ipix + 1 << shift)\n ).T\n self._interval_set = IntervalSet(reduced_itv)\n return self\n",
"role": "user"
},
{
"content": "remove_neighbours",
"role": "assistant"
}
] |
def x(self, ax, wcs, **kw_mpl_pathpatch):
fill.fill(self, ax, wcs, **kw_mpl_pathpatch)
|
fill
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ax, wcs, **kw_mpl_pathpatch):\n fill.fill(self, ax, wcs, **kw_mpl_pathpatch)\n",
"role": "user"
},
{
"content": "fill",
"role": "assistant"
}
] |
def x(self, ax, wcs, **kw_mpl_pathpatch):
border.border(self, ax, wcs, **kw_mpl_pathpatch)
|
border
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ax, wcs, **kw_mpl_pathpatch):\n border.border(self, ax, wcs, **kw_mpl_pathpatch)\n",
"role": "user"
},
{
"content": "border",
"role": "assistant"
}
] |
def x(cls, header, max_norder, mask=None):
height = header['NAXIS2']
width = header['NAXIS1']
w = wcs.WCS(header)
if mask is not None:
y, x = np.where(mask)
pix_crd = np.dstack((x, y))[0]
else:
step_pix = 1
"""
Coords returned by wcs_pix2world method correspond to pixel centers. We want to retrieve the moc pix
crossing the borders of the image so we have to add 1/2 to the pixels coords before computing the lonlat.
The step between two pix_crd is set to `step_pix` but can be diminished to have a better precision at the
borders so that all the image is covered (a too big step does not retrieve all
the moc pix crossing the borders of the image).
"""
x, y = np.mgrid[0.5:width + 0.5 + step_pix:step_pix, 0.5:height +
0.5 + step_pix:step_pix]
pix_crd = np.dstack((x.ravel(), y.ravel()))[0]
frame = wcs.utils.wcs_to_celestial_frame(w)
world_pix_crd = SkyCoord(w.wcs_pix2world(pix_crd, 1), unit='deg', frame
=frame)
hp = HEALPix(nside=1 << max_norder, order='nested', frame=ICRS())
ipix = hp.skycoord_to_healpix(world_pix_crd)
ipix = np.unique(ipix)
shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)
intervals_arr = np.vstack((ipix << shift, ipix + 1 << shift)).T
interval_set = IntervalSet(intervals_arr)
return cls(interval_set=interval_set)
|
from_image
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, header, max_norder, mask=None):\n height = header['NAXIS2']\n width = header['NAXIS1']\n w = wcs.WCS(header)\n if mask is not None:\n y, x = np.where(mask)\n pix_crd = np.dstack((x, y))[0]\n else:\n step_pix = 1\n \"\"\"\n Coords returned by wcs_pix2world method correspond to pixel centers. We want to retrieve the moc pix\n crossing the borders of the image so we have to add 1/2 to the pixels coords before computing the lonlat.\n \n The step between two pix_crd is set to `step_pix` but can be diminished to have a better precision at the \n borders so that all the image is covered (a too big step does not retrieve all\n the moc pix crossing the borders of the image).\n \"\"\"\n x, y = np.mgrid[0.5:width + 0.5 + step_pix:step_pix, 0.5:height + \n 0.5 + step_pix:step_pix]\n pix_crd = np.dstack((x.ravel(), y.ravel()))[0]\n frame = wcs.utils.wcs_to_celestial_frame(w)\n world_pix_crd = SkyCoord(w.wcs_pix2world(pix_crd, 1), unit='deg', frame\n =frame)\n hp = HEALPix(nside=1 << max_norder, order='nested', frame=ICRS())\n ipix = hp.skycoord_to_healpix(world_pix_crd)\n ipix = np.unique(ipix)\n shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)\n intervals_arr = np.vstack((ipix << shift, ipix + 1 << shift)).T\n interval_set = IntervalSet(intervals_arr)\n return cls(interval_set=interval_set)\n",
"role": "user"
},
{
"content": "from_image",
"role": "assistant"
}
] |
def x(cls, path_l, max_norder):
moc = MOC()
for path in path_l:
header = fits.getheader(path)
current_moc = MOC.from_image(header=header, max_norder=max_norder)
moc = moc.union(current_moc)
return moc
|
from_fits_images
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, path_l, max_norder):\n moc = MOC()\n for path in path_l:\n header = fits.getheader(path)\n current_moc = MOC.from_image(header=header, max_norder=max_norder)\n moc = moc.union(current_moc)\n return moc\n",
"role": "user"
},
{
"content": "from_fits_images",
"role": "assistant"
}
] |
def x(cls, table_id, nside=256):
nside_possible_values = 8, 16, 32, 64, 128, 256, 512
if nside not in nside_possible_values:
raise ValueError('Bad value for nside. Must be in {0}'.format(
nside_possible_values))
result = cls.from_ivorn('ivo://CDS/' + table_id, nside)
return result
|
from_vizier_table
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, table_id, nside=256):\n nside_possible_values = 8, 16, 32, 64, 128, 256, 512\n if nside not in nside_possible_values:\n raise ValueError('Bad value for nside. Must be in {0}'.format(\n nside_possible_values))\n result = cls.from_ivorn('ivo://CDS/' + table_id, nside)\n return result\n",
"role": "user"
},
{
"content": "from_vizier_table",
"role": "assistant"
}
] |
def x(cls, ivorn, nside=256):
return cls.from_url('%s?%s' % (MOC.MOC_SERVER_ROOT_URL, urlencode({
'ivorn': ivorn, 'get': 'moc', 'order': int(np.log2(nside))})))
|
from_ivorn
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, ivorn, nside=256):\n return cls.from_url('%s?%s' % (MOC.MOC_SERVER_ROOT_URL, urlencode({\n 'ivorn': ivorn, 'get': 'moc', 'order': int(np.log2(nside))})))\n",
"role": "user"
},
{
"content": "from_ivorn",
"role": "assistant"
}
] |
def x(cls, url):
path = download_file(url, show_progress=False, timeout=60)
return cls.from_fits(path)
|
from_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, url):\n path = download_file(url, show_progress=False, timeout=60)\n return cls.from_fits(path)\n",
"role": "user"
},
{
"content": "from_url",
"role": "assistant"
}
] |
def x(cls, skycoords, max_norder):
hp = HEALPix(nside=1 << max_norder, order='nested')
ipix = hp.lonlat_to_healpix(skycoords.icrs.ra, skycoords.icrs.dec)
shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)
intervals = np.vstack((ipix << shift, ipix + 1 << shift)).T
interval_set = IntervalSet(intervals)
return cls(interval_set)
|
from_skycoords
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, skycoords, max_norder):\n hp = HEALPix(nside=1 << max_norder, order='nested')\n ipix = hp.lonlat_to_healpix(skycoords.icrs.ra, skycoords.icrs.dec)\n shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)\n intervals = np.vstack((ipix << shift, ipix + 1 << shift)).T\n interval_set = IntervalSet(intervals)\n return cls(interval_set)\n",
"role": "user"
},
{
"content": "from_skycoords",
"role": "assistant"
}
] |
def x(cls, lon, lat, max_norder):
hp = HEALPix(nside=1 << max_norder, order='nested')
ipix = hp.lonlat_to_healpix(lon, lat)
shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)
intervals = np.vstack((ipix << shift, ipix + 1 << shift)).T
interval_set = IntervalSet(intervals)
return cls(interval_set)
|
from_lonlat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, lon, lat, max_norder):\n hp = HEALPix(nside=1 << max_norder, order='nested')\n ipix = hp.lonlat_to_healpix(lon, lat)\n shift = 2 * (AbstractMOC.HPY_MAX_NORDER - max_norder)\n intervals = np.vstack((ipix << shift, ipix + 1 << shift)).T\n interval_set = IntervalSet(intervals)\n return cls(interval_set)\n",
"role": "user"
},
{
"content": "from_lonlat",
"role": "assistant"
}
] |
def x(cls, skycoord, inside=None, max_depth=10):
return MOC.from_polygon(lon=skycoord.icrs.ra, lat=skycoord.icrs.dec,
inside=inside, max_depth=max_depth)
|
from_polygon_skycoord
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, skycoord, inside=None, max_depth=10):\n return MOC.from_polygon(lon=skycoord.icrs.ra, lat=skycoord.icrs.dec,\n inside=inside, max_depth=max_depth)\n",
"role": "user"
},
{
"content": "from_polygon_skycoord",
"role": "assistant"
}
] |
def x(cls, lon, lat, inside=None, max_depth=10):
from .polygon import PolygonComputer
polygon_computer = PolygonComputer(lon, lat, inside, max_depth)
moc = MOC.from_json(polygon_computer.ipix)
if polygon_computer.degrade_to_max_depth:
moc = moc.degrade_to_order(max_depth)
return moc
|
from_polygon
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, lon, lat, inside=None, max_depth=10):\n from .polygon import PolygonComputer\n polygon_computer = PolygonComputer(lon, lat, inside, max_depth)\n moc = MOC.from_json(polygon_computer.ipix)\n if polygon_computer.degrade_to_max_depth:\n moc = moc.degrade_to_order(max_depth)\n return moc\n",
"role": "user"
},
{
"content": "from_polygon",
"role": "assistant"
}
] |
def x(self):
pix_id = self._best_res_pixels()
nb_pix_filled = pix_id.size
return nb_pix_filled / float(3 << 2 * (self.max_order + 1))
|
sky_fraction
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pix_id = self._best_res_pixels()\n nb_pix_filled = pix_id.size\n return nb_pix_filled / float(3 << 2 * (self.max_order + 1))\n",
"role": "user"
},
{
"content": "sky_fraction",
"role": "assistant"
}
] |
def x(self, resource_id, max_rows):
from astropy.io.votable import parse_single_table
if max_rows is not None and max_rows >= 0:
max_rows_str = str(max_rows)
else:
max_rows_str = str(9999999999)
tmp_moc = tempfile.NamedTemporaryFile(delete=False)
self.write(tmp_moc.name)
r = requests.post('http://cdsxmatch.u-strasbg.fr/QueryCat/QueryCat',
data={'mode': 'mocfile', 'catName': resource_id, 'format':
'votable', 'limit': max_rows_str}, files={'moc': open(tmp_moc.name,
'rb')}, headers={'User-Agent': 'MOCPy'}, stream=True)
tmp_vot = BytesIO()
tmp_vot.write(r.content)
table = parse_single_table(tmp_vot).to_table()
os.unlink(tmp_moc.name)
return table
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_id, max_rows):\n from astropy.io.votable import parse_single_table\n if max_rows is not None and max_rows >= 0:\n max_rows_str = str(max_rows)\n else:\n max_rows_str = str(9999999999)\n tmp_moc = tempfile.NamedTemporaryFile(delete=False)\n self.write(tmp_moc.name)\n r = requests.post('http://cdsxmatch.u-strasbg.fr/QueryCat/QueryCat',\n data={'mode': 'mocfile', 'catName': resource_id, 'format':\n 'votable', 'limit': max_rows_str}, files={'moc': open(tmp_moc.name,\n 'rb')}, headers={'User-Agent': 'MOCPy'}, stream=True)\n tmp_vot = BytesIO()\n tmp_vot.write(r.content)\n table = parse_single_table(tmp_vot).to_table()\n os.unlink(tmp_moc.name)\n return table\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(self, title='MOC', frame=None):
frame = ICRS() if frame is None else frame
from matplotlib.colors import LinearSegmentedColormap
import matplotlib.pyplot as plt
plot_order = 8
if self.max_order > plot_order:
plotted_moc = self.degrade_to_order(plot_order)
else:
plotted_moc = self
num_pixels_map = 1024
delta = 2.0 * np.pi / num_pixels_map
x = np.arange(-np.pi, np.pi, delta)
y = np.arange(-np.pi / 2, np.pi / 2, delta)
lon_rad, lat_rad = np.meshgrid(x, y)
hp = HEALPix(nside=1 << plotted_moc.max_order, order='nested')
if frame and not isinstance(frame, BaseCoordinateFrame):
raise ValueError(
"Only Galactic/ICRS coordinate systems are supported.Please set `coord` to either 'C' or 'G'."
)
pix_map = hp.lonlat_to_healpix(lon_rad * u.rad, lat_rad * u.rad)
m = np.zeros(nside2npix(1 << plotted_moc.max_order))
pix_id = plotted_moc._best_res_pixels()
if isinstance(frame, Galactic):
lon, lat = hp.boundaries_lonlat(pix_id, step=2)
sky_crd = SkyCoord(lon, lat, unit='deg')
pix_id = hp.lonlat_to_healpix(sky_crd.galactic.l, sky_crd.galactic.b)
m[pix_id] = 1
z = np.flip(m[pix_map], axis=1)
plt.figure(figsize=(10, 10))
ax = plt.subplot(111, projection='mollweide')
ax.set_xticklabels(['150°', '120°', '90°', '60°', '30°', '0°', '330°',
'300°', '270°', '240°', '210°', '180°'])
color_map = LinearSegmentedColormap.from_list('w2r', ['#eeeeee', '#aa0000']
)
color_map.set_under('w')
color_map.set_bad('gray')
ax.pcolormesh(x, y, z, cmap=color_map, vmin=0, vmax=1)
ax.tick_params(labelsize=14, labelcolor='#000000')
plt.title(title)
plt.grid(True, linestyle='--', linewidth=1, color='#555555')
plt.show()
|
plot
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, title='MOC', frame=None):\n frame = ICRS() if frame is None else frame\n from matplotlib.colors import LinearSegmentedColormap\n import matplotlib.pyplot as plt\n plot_order = 8\n if self.max_order > plot_order:\n plotted_moc = self.degrade_to_order(plot_order)\n else:\n plotted_moc = self\n num_pixels_map = 1024\n delta = 2.0 * np.pi / num_pixels_map\n x = np.arange(-np.pi, np.pi, delta)\n y = np.arange(-np.pi / 2, np.pi / 2, delta)\n lon_rad, lat_rad = np.meshgrid(x, y)\n hp = HEALPix(nside=1 << plotted_moc.max_order, order='nested')\n if frame and not isinstance(frame, BaseCoordinateFrame):\n raise ValueError(\n \"Only Galactic/ICRS coordinate systems are supported.Please set `coord` to either 'C' or 'G'.\"\n )\n pix_map = hp.lonlat_to_healpix(lon_rad * u.rad, lat_rad * u.rad)\n m = np.zeros(nside2npix(1 << plotted_moc.max_order))\n pix_id = plotted_moc._best_res_pixels()\n if isinstance(frame, Galactic):\n lon, lat = hp.boundaries_lonlat(pix_id, step=2)\n sky_crd = SkyCoord(lon, lat, unit='deg')\n pix_id = hp.lonlat_to_healpix(sky_crd.galactic.l, sky_crd.galactic.b)\n m[pix_id] = 1\n z = np.flip(m[pix_map], axis=1)\n plt.figure(figsize=(10, 10))\n ax = plt.subplot(111, projection='mollweide')\n ax.set_xticklabels(['150°', '120°', '90°', '60°', '30°', '0°', '330°',\n '300°', '270°', '240°', '210°', '180°'])\n color_map = LinearSegmentedColormap.from_list('w2r', ['#eeeeee', '#aa0000']\n )\n color_map.set_under('w')\n color_map.set_bad('gray')\n ax.pcolormesh(x, y, z, cmap=color_map, vmin=0, vmax=1)\n ax.tick_params(labelsize=14, labelcolor='#000000')\n plt.title(title)\n plt.grid(True, linestyle='--', linewidth=1, color='#555555')\n plt.show()\n",
"role": "user"
},
{
"content": "plot",
"role": "assistant"
}
] |
def x(self):
if self._inverse is None:
self._inverse = InverseTransform(self)
return self._inverse
|
inverse
|
[
{
"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._inverse is None:\n self._inverse = InverseTransform(self)\n return self._inverse\n",
"role": "user"
},
{
"content": "inverse",
"role": "assistant"
}
] |
def x(self, frac, tickvec):
origins = np.tile(self.axis._vec, (len(frac), 1))
origins = self.axis.pos[0].T + (origins.T * frac).T
endpoints = tickvec + origins
return origins, endpoints
|
tile_ticks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frac, tickvec):\n origins = np.tile(self.axis._vec, (len(frac), 1))\n origins = self.axis.pos[0].T + (origins.T * frac).T\n endpoints = tickvec + origins\n return origins, endpoints\n",
"role": "user"
},
{
"content": "tile_ticks",
"role": "assistant"
}
] |
def x(self):
minor_num = 4
if self.axis.scale_type == 'linear':
domain = self.axis.domain
if domain[1] < domain[0]:
flip = True
domain = domain[::-1]
else:
flip = False
offset = domain[0]
scale = domain[1] - domain[0]
transforms = self.axis.transforms
length = self.axis.pos[1] - self.axis.pos[0]
n_inches = np.sqrt(np.sum(length ** 2)) / transforms.dpi
major = _get_ticks_talbot(domain[0], domain[1], n_inches, 2)
labels = [('%g' % x) for x in major]
majstep = major[1] - major[0]
minor = []
minstep = majstep / (minor_num + 1)
minstart = 0 if self.axis._stop_at_major[0] else -1
minstop = -1 if self.axis._stop_at_major[1] else 0
for i in range(minstart, len(major) + minstop):
maj = major[0] + i * majstep
minor.extend(np.linspace(maj + minstep, maj + majstep - minstep,
minor_num))
major_frac = (major - offset) / scale
minor_frac = (np.array(minor) - offset) / scale
major_frac = major_frac[::-1] if flip else major_frac
use_mask = (major_frac > -0.0001) & (major_frac < 1.0001)
major_frac = major_frac[use_mask]
labels = [l for li, l in enumerate(labels) if use_mask[li]]
minor_frac = minor_frac[(minor_frac > -0.0001) & (minor_frac < 1.0001)]
elif self.axis.scale_type == 'logarithmic':
return NotImplementedError
elif self.axis.scale_type == 'power':
return NotImplementedError
return major_frac, minor_frac, labels
|
get_tick_frac_labels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n minor_num = 4\n if self.axis.scale_type == 'linear':\n domain = self.axis.domain\n if domain[1] < domain[0]:\n flip = True\n domain = domain[::-1]\n else:\n flip = False\n offset = domain[0]\n scale = domain[1] - domain[0]\n transforms = self.axis.transforms\n length = self.axis.pos[1] - self.axis.pos[0]\n n_inches = np.sqrt(np.sum(length ** 2)) / transforms.dpi\n major = _get_ticks_talbot(domain[0], domain[1], n_inches, 2)\n labels = [('%g' % x) for x in major]\n majstep = major[1] - major[0]\n minor = []\n minstep = majstep / (minor_num + 1)\n minstart = 0 if self.axis._stop_at_major[0] else -1\n minstop = -1 if self.axis._stop_at_major[1] else 0\n for i in range(minstart, len(major) + minstop):\n maj = major[0] + i * majstep\n minor.extend(np.linspace(maj + minstep, maj + majstep - minstep,\n minor_num))\n major_frac = (major - offset) / scale\n minor_frac = (np.array(minor) - offset) / scale\n major_frac = major_frac[::-1] if flip else major_frac\n use_mask = (major_frac > -0.0001) & (major_frac < 1.0001)\n major_frac = major_frac[use_mask]\n labels = [l for li, l in enumerate(labels) if use_mask[li]]\n minor_frac = minor_frac[(minor_frac > -0.0001) & (minor_frac < 1.0001)]\n elif self.axis.scale_type == 'logarithmic':\n return NotImplementedError\n elif self.axis.scale_type == 'power':\n return NotImplementedError\n return major_frac, minor_frac, labels\n",
"role": "user"
},
{
"content": "get_tick_frac_labels",
"role": "assistant"
}
] |
def x(ipixels, apixels, ipsize, apsize):
itotal = len(ipixels)
atotal = len(apixels)
newtotal = itotal + atotal
newpsize = ipsize + apsize
out = array(ipixels.typecode)
out.extend(ipixels)
out.extend(apixels)
for i in range(ipsize):
out[i:newtotal:newpsize] = ipixels[i:itotal:ipsize]
for i in range(apsize):
out[i + ipsize:newtotal:newpsize] = apixels[i:atotal:apsize]
return out
|
interleave_planes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ipixels, apixels, ipsize, apsize):\n itotal = len(ipixels)\n atotal = len(apixels)\n newtotal = itotal + atotal\n newpsize = ipsize + apsize\n out = array(ipixels.typecode)\n out.extend(ipixels)\n out.extend(apixels)\n for i in range(ipsize):\n out[i:newtotal:newpsize] = ipixels[i:itotal:ipsize]\n for i in range(apsize):\n out[i + ipsize:newtotal:newpsize] = apixels[i:atotal:apsize]\n return out\n",
"role": "user"
},
{
"content": "interleave_planes",
"role": "assistant"
}
] |
def x(out, chunks):
out.write(_signature)
for chunk in chunks:
write_chunk(out, *chunk)
|
write_chunks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(out, chunks):\n out.write(_signature)\n for chunk in chunks:\n write_chunk(out, *chunk)\n",
"role": "user"
},
{
"content": "write_chunks",
"role": "assistant"
}
] |
def x(type, line, fo, prev=None):
assert 0 <= type < 5
out = array('B', [type])
def x():
ai = -fo
for x in line:
if ai >= 0:
x = x - line[ai] & 255
out.append(x)
ai += 1
def x():
for i, x in enumerate(line):
x = x - prev[i] & 255
out.append(x)
def x():
ai = -fo
for i, x in enumerate(line):
if ai >= 0:
x = x - (line[ai] + prev[i] >> 1) & 255
else:
x = x - (prev[i] >> 1) & 255
out.append(x)
ai += 1
def x():
ai = -fo
for i, x in enumerate(line):
a = 0
b = prev[i]
c = 0
if ai >= 0:
a = line[ai]
c = prev[ai]
p = a + b - c
pa = abs(p - a)
pb = abs(p - b)
pc = abs(p - c)
if pa <= pb and pa <= pc:
Pr = a
elif pb <= pc:
Pr = b
else:
Pr = c
x = x - Pr & 255
out.append(x)
ai += 1
if not prev:
if type == 2:
type = 0
elif type == 3:
prev = [0] * len(line)
elif type == 4:
type = 1
if type == 0:
out.extend(line)
elif type == 1:
sub()
elif type == 2:
up()
elif type == 3:
average()
else:
paeth()
return out
|
filter_scanline
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(type, line, fo, prev=None):\n assert 0 <= type < 5\n out = array('B', [type])\n\n def x():\n ai = -fo\n for x in line:\n if ai >= 0:\n x = x - line[ai] & 255\n out.append(x)\n ai += 1\n\n def x():\n for i, x in enumerate(line):\n x = x - prev[i] & 255\n out.append(x)\n\n def x():\n ai = -fo\n for i, x in enumerate(line):\n if ai >= 0:\n x = x - (line[ai] + prev[i] >> 1) & 255\n else:\n x = x - (prev[i] >> 1) & 255\n out.append(x)\n ai += 1\n\n def x():\n ai = -fo\n for i, x in enumerate(line):\n a = 0\n b = prev[i]\n c = 0\n if ai >= 0:\n a = line[ai]\n c = prev[ai]\n p = a + b - c\n pa = abs(p - a)\n pb = abs(p - b)\n pc = abs(p - c)\n if pa <= pb and pa <= pc:\n Pr = a\n elif pb <= pc:\n Pr = b\n else:\n Pr = c\n x = x - Pr & 255\n out.append(x)\n ai += 1\n if not prev:\n if type == 2:\n type = 0\n elif type == 3:\n prev = [0] * len(line)\n elif type == 4:\n type = 1\n if type == 0:\n out.extend(line)\n elif type == 1:\n sub()\n elif type == 2:\n up()\n elif type == 3:\n average()\n else:\n paeth()\n return out\n",
"role": "user"
},
{
"content": "filter_scanline",
"role": "assistant"
}
] |
def x(a, mode=None, info={}):
info = dict(info)
bitdepth = None
try:
if mode.startswith('L'):
gotmode = 'L'
mode = mode[1:]
elif mode.startswith('RGB'):
gotmode = 'RGB'
mode = mode[3:]
else:
raise Error()
if mode.startswith('A'):
gotmode += 'A'
mode = mode[1:]
while mode.startswith(';'):
mode = mode[1:]
if mode:
try:
bitdepth = int(mode)
except (TypeError, ValueError):
raise Error()
except Error:
raise Error("mode string should be 'RGB' or 'L;16' or similar.")
mode = gotmode
if bitdepth:
if info.get('bitdepth') and bitdepth != info['bitdepth']:
raise Error(
'mode bitdepth (%d) should match info bitdepth (%d).' % (
bitdepth, info['bitdepth']))
info['bitdepth'] = bitdepth
if 'size' in info:
for dimension, axis in [('width', 0), ('height', 1)]:
if dimension in info:
if info[dimension] != info['size'][axis]:
raise Error("info[%r] should match info['size'][%r]." %
(dimension, axis))
info['width'], info['height'] = info['size']
if 'height' not in info:
try:
l = len(a)
except TypeError:
raise Error("len(a) does not work, supply info['height'] instead.")
info['height'] = l
if 'greyscale' in info:
if bool(info['greyscale']) != ('L' in mode):
raise Error("info['greyscale'] should match mode.")
info['greyscale'] = 'L' in mode
if 'alpha' in info:
if bool(info['alpha']) != ('A' in mode):
raise Error("info['alpha'] should match mode.")
info['alpha'] = 'A' in mode
planes = len(mode)
if 'planes' in info:
if info['planes'] != planes:
raise Error("info['planes'] should match mode.")
a, t = itertools.tee(a)
row = t.next()
del t
try:
row[0][0]
threed = True
testelement = row[0]
except (IndexError, TypeError):
threed = False
testelement = row
if 'width' not in info:
if threed:
width = len(row)
else:
width = len(row) // planes
info['width'] = width
assert not threed
if 'bitdepth' not in info:
try:
dtype = testelement.dtype
except AttributeError:
try:
bitdepth = 8 * testelement.itemsize
except AttributeError:
bitdepth = 8
else:
if dtype.kind == 'b':
bitdepth = 1
else:
bitdepth = 8 * dtype.itemsize
info['bitdepth'] = bitdepth
for thing in 'width height bitdepth greyscale alpha'.split():
assert thing in info
return Image(a, info)
|
from_array
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(a, mode=None, info={}):\n info = dict(info)\n bitdepth = None\n try:\n if mode.startswith('L'):\n gotmode = 'L'\n mode = mode[1:]\n elif mode.startswith('RGB'):\n gotmode = 'RGB'\n mode = mode[3:]\n else:\n raise Error()\n if mode.startswith('A'):\n gotmode += 'A'\n mode = mode[1:]\n while mode.startswith(';'):\n mode = mode[1:]\n if mode:\n try:\n bitdepth = int(mode)\n except (TypeError, ValueError):\n raise Error()\n except Error:\n raise Error(\"mode string should be 'RGB' or 'L;16' or similar.\")\n mode = gotmode\n if bitdepth:\n if info.get('bitdepth') and bitdepth != info['bitdepth']:\n raise Error(\n 'mode bitdepth (%d) should match info bitdepth (%d).' % (\n bitdepth, info['bitdepth']))\n info['bitdepth'] = bitdepth\n if 'size' in info:\n for dimension, axis in [('width', 0), ('height', 1)]:\n if dimension in info:\n if info[dimension] != info['size'][axis]:\n raise Error(\"info[%r] should match info['size'][%r].\" %\n (dimension, axis))\n info['width'], info['height'] = info['size']\n if 'height' not in info:\n try:\n l = len(a)\n except TypeError:\n raise Error(\"len(a) does not work, supply info['height'] instead.\")\n info['height'] = l\n if 'greyscale' in info:\n if bool(info['greyscale']) != ('L' in mode):\n raise Error(\"info['greyscale'] should match mode.\")\n info['greyscale'] = 'L' in mode\n if 'alpha' in info:\n if bool(info['alpha']) != ('A' in mode):\n raise Error(\"info['alpha'] should match mode.\")\n info['alpha'] = 'A' in mode\n planes = len(mode)\n if 'planes' in info:\n if info['planes'] != planes:\n raise Error(\"info['planes'] should match mode.\")\n a, t = itertools.tee(a)\n row = t.next()\n del t\n try:\n row[0][0]\n threed = True\n testelement = row[0]\n except (IndexError, TypeError):\n threed = False\n testelement = row\n if 'width' not in info:\n if threed:\n width = len(row)\n else:\n width = len(row) // planes\n info['width'] = width\n assert not threed\n if 'bitdepth' not in info:\n try:\n dtype = testelement.dtype\n except AttributeError:\n try:\n bitdepth = 8 * testelement.itemsize\n except AttributeError:\n bitdepth = 8\n else:\n if dtype.kind == 'b':\n bitdepth = 1\n else:\n bitdepth = 8 * dtype.itemsize\n info['bitdepth'] = bitdepth\n for thing in 'width height bitdepth greyscale alpha'.split():\n assert thing in info\n return Image(a, info)\n",
"role": "user"
},
{
"content": "from_array",
"role": "assistant"
}
] |
def x(self):
p = array('B')
t = array('B')
for x in self.palette:
p.extend(x[0:3])
if len(x) > 3:
t.append(x[3])
p = tostring(p)
t = tostring(t)
if t:
return p, t
return p, None
|
make_palette
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n p = array('B')\n t = array('B')\n for x in self.palette:\n p.extend(x[0:3])\n if len(x) > 3:\n t.append(x[3])\n p = tostring(p)\n t = tostring(t)\n if t:\n return p, t\n return p, None\n",
"role": "user"
},
{
"content": "make_palette",
"role": "assistant"
}
] |
def x(self, outfile, rows):
if self.interlace:
fmt = 'BH'[self.bitdepth > 8]
a = array(fmt, itertools.chain(*rows))
return self.write_array(outfile, a)
nrows = self.write_passes(outfile, rows)
if nrows != self.height:
raise ValueError('rows supplied (%d) does not match height (%d)' %
(nrows, self.height))
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outfile, rows):\n if self.interlace:\n fmt = 'BH'[self.bitdepth > 8]\n a = array(fmt, itertools.chain(*rows))\n return self.write_array(outfile, a)\n nrows = self.write_passes(outfile, rows)\n if nrows != self.height:\n raise ValueError('rows supplied (%d) does not match height (%d)' %\n (nrows, self.height))\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, outfile, rows, packed=False):
outfile.write(_signature)
write_chunk(outfile, 'IHDR', struct.pack('!2I5B', self.width, self.
height, self.bitdepth, self.color_type, 0, 0, self.interlace))
if self.gamma is not None:
write_chunk(outfile, 'gAMA', struct.pack('!L', int(round(self.gamma *
100000.0))))
if self.rescale:
write_chunk(outfile, 'sBIT', struct.pack('%dB' % self.planes, *([
self.rescale[0]] * self.planes)))
if self.palette:
p, t = self.make_palette()
write_chunk(outfile, 'PLTE', p)
if t:
write_chunk(outfile, 'tRNS', t)
if self.transparent is not None:
if self.greyscale:
write_chunk(outfile, 'tRNS', struct.pack('!1H', *self.transparent))
else:
write_chunk(outfile, 'tRNS', struct.pack('!3H', *self.transparent))
if self.background is not None:
if self.greyscale:
write_chunk(outfile, 'bKGD', struct.pack('!1H', *self.background))
else:
write_chunk(outfile, 'bKGD', struct.pack('!3H', *self.background))
if self.compression is not None:
compressor = zlib.compressobj(self.compression)
else:
compressor = zlib.compressobj()
data = array('B')
if self.bitdepth == 8 or packed:
extend = data.extend
elif self.bitdepth == 16:
def x(sl):
fmt = '!%dH' % len(sl)
data.extend(array('B', struct.pack(fmt, *sl)))
else:
assert self.bitdepth < 8
spb = int(8 / self.bitdepth)
def x(sl):
a = array('B', sl)
l = float(len(a))
extra = math.ceil(l / float(spb)) * spb - l
a.extend([0] * int(extra))
l = group(a, spb)
l = map(lambda e: reduce(lambda x, y: (x << self.bitdepth) + y,
e), l)
data.extend(l)
if self.rescale:
oldextend = extend
factor = float(2 ** self.rescale[1] - 1) / float(2 ** self.rescale[
0] - 1)
def x(sl):
oldextend(map(lambda x: int(round(factor * x)), sl))
enumrows = enumerate(rows)
del rows
data.append(0)
i, row = enumrows.next()
try:
extend(row)
except:
def x(f):
return lambda sl: f(map(int, sl))
extend = wrapmapint(extend)
del wrapmapint
extend(row)
for i, row in enumrows:
data.append(0)
extend(row)
if len(data) > self.chunk_limit:
compressed = compressor.compress(tostring(data))
if len(compressed):
write_chunk(outfile, 'IDAT', compressed)
del data[:]
if len(data):
compressed = compressor.compress(tostring(data))
else:
compressed = strtobytes('')
flushed = compressor.flush()
if len(compressed) or len(flushed):
write_chunk(outfile, 'IDAT', compressed + flushed)
write_chunk(outfile, 'IEND')
return i + 1
|
write_passes
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outfile, rows, packed=False):\n outfile.write(_signature)\n write_chunk(outfile, 'IHDR', struct.pack('!2I5B', self.width, self.\n height, self.bitdepth, self.color_type, 0, 0, self.interlace))\n if self.gamma is not None:\n write_chunk(outfile, 'gAMA', struct.pack('!L', int(round(self.gamma *\n 100000.0))))\n if self.rescale:\n write_chunk(outfile, 'sBIT', struct.pack('%dB' % self.planes, *([\n self.rescale[0]] * self.planes)))\n if self.palette:\n p, t = self.make_palette()\n write_chunk(outfile, 'PLTE', p)\n if t:\n write_chunk(outfile, 'tRNS', t)\n if self.transparent is not None:\n if self.greyscale:\n write_chunk(outfile, 'tRNS', struct.pack('!1H', *self.transparent))\n else:\n write_chunk(outfile, 'tRNS', struct.pack('!3H', *self.transparent))\n if self.background is not None:\n if self.greyscale:\n write_chunk(outfile, 'bKGD', struct.pack('!1H', *self.background))\n else:\n write_chunk(outfile, 'bKGD', struct.pack('!3H', *self.background))\n if self.compression is not None:\n compressor = zlib.compressobj(self.compression)\n else:\n compressor = zlib.compressobj()\n data = array('B')\n if self.bitdepth == 8 or packed:\n extend = data.extend\n elif self.bitdepth == 16:\n\n def x(sl):\n fmt = '!%dH' % len(sl)\n data.extend(array('B', struct.pack(fmt, *sl)))\n else:\n assert self.bitdepth < 8\n spb = int(8 / self.bitdepth)\n\n def x(sl):\n a = array('B', sl)\n l = float(len(a))\n extra = math.ceil(l / float(spb)) * spb - l\n a.extend([0] * int(extra))\n l = group(a, spb)\n l = map(lambda e: reduce(lambda x, y: (x << self.bitdepth) + y,\n e), l)\n data.extend(l)\n if self.rescale:\n oldextend = extend\n factor = float(2 ** self.rescale[1] - 1) / float(2 ** self.rescale[\n 0] - 1)\n\n def x(sl):\n oldextend(map(lambda x: int(round(factor * x)), sl))\n enumrows = enumerate(rows)\n del rows\n data.append(0)\n i, row = enumrows.next()\n try:\n extend(row)\n except:\n\n def x(f):\n return lambda sl: f(map(int, sl))\n extend = wrapmapint(extend)\n del wrapmapint\n extend(row)\n for i, row in enumrows:\n data.append(0)\n extend(row)\n if len(data) > self.chunk_limit:\n compressed = compressor.compress(tostring(data))\n if len(compressed):\n write_chunk(outfile, 'IDAT', compressed)\n del data[:]\n if len(data):\n compressed = compressor.compress(tostring(data))\n else:\n compressed = strtobytes('')\n flushed = compressor.flush()\n if len(compressed) or len(flushed):\n write_chunk(outfile, 'IDAT', compressed + flushed)\n write_chunk(outfile, 'IEND')\n return i + 1\n",
"role": "user"
},
{
"content": "write_passes",
"role": "assistant"
}
] |
def x(self, outfile, rows):
if self.rescale:
raise Error('write_packed method not suitable for bit depth %d' %
self.rescale[0])
return self.write_passes(outfile, rows, packed=True)
|
write_packed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outfile, rows):\n if self.rescale:\n raise Error('write_packed method not suitable for bit depth %d' %\n self.rescale[0])\n return self.write_passes(outfile, rows, packed=True)\n",
"role": "user"
},
{
"content": "write_packed",
"role": "assistant"
}
] |
def x(self, infile, outfile):
if self.interlace:
pixels = array('B')
pixels.fromfile(infile, self.bitdepth / 8 * self.color_planes *
self.width * self.height)
self.write_passes(outfile, self.array_scanlines_interlace(pixels))
else:
self.write_passes(outfile, self.file_scanlines(infile))
|
convert_pnm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile, outfile):\n if self.interlace:\n pixels = array('B')\n pixels.fromfile(infile, self.bitdepth / 8 * self.color_planes *\n self.width * self.height)\n self.write_passes(outfile, self.array_scanlines_interlace(pixels))\n else:\n self.write_passes(outfile, self.file_scanlines(infile))\n",
"role": "user"
},
{
"content": "convert_pnm",
"role": "assistant"
}
] |
def x(self, ppmfile, pgmfile, outfile):
pixels = array('B')
pixels.fromfile(ppmfile, self.bitdepth / 8 * self.color_planes * self.
width * self.height)
apixels = array('B')
apixels.fromfile(pgmfile, self.bitdepth / 8 * self.width * self.height)
pixels = interleave_planes(pixels, apixels, self.bitdepth / 8 * self.
color_planes, self.bitdepth / 8)
if self.interlace:
self.write_passes(outfile, self.array_scanlines_interlace(pixels))
else:
self.write_passes(outfile, self.array_scanlines(pixels))
|
convert_ppm_and_pgm
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ppmfile, pgmfile, outfile):\n pixels = array('B')\n pixels.fromfile(ppmfile, self.bitdepth / 8 * self.color_planes * self.\n width * self.height)\n apixels = array('B')\n apixels.fromfile(pgmfile, self.bitdepth / 8 * self.width * self.height)\n pixels = interleave_planes(pixels, apixels, self.bitdepth / 8 * self.\n color_planes, self.bitdepth / 8)\n if self.interlace:\n self.write_passes(outfile, self.array_scanlines_interlace(pixels))\n else:\n self.write_passes(outfile, self.array_scanlines(pixels))\n",
"role": "user"
},
{
"content": "convert_ppm_and_pgm",
"role": "assistant"
}
] |
def x(self, infile):
vpr = self.width * self.planes
row_bytes = vpr
if self.bitdepth > 8:
assert self.bitdepth == 16
row_bytes *= 2
fmt = '>%dH' % vpr
def x():
return array('H', struct.unpack(fmt, infile.read(row_bytes)))
else:
def x():
scanline = array('B', infile.read(row_bytes))
return scanline
for y in range(self.height):
yield line()
|
file_scanlines
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, infile):\n vpr = self.width * self.planes\n row_bytes = vpr\n if self.bitdepth > 8:\n assert self.bitdepth == 16\n row_bytes *= 2\n fmt = '>%dH' % vpr\n\n def x():\n return array('H', struct.unpack(fmt, infile.read(row_bytes)))\n else:\n\n def x():\n scanline = array('B', infile.read(row_bytes))\n return scanline\n for y in range(self.height):\n yield line()\n",
"role": "user"
},
{
"content": "file_scanlines",
"role": "assistant"
}
] |
def x(self, pixels):
fmt = 'BH'[self.bitdepth > 8]
vpr = self.width * self.planes
for xstart, ystart, xstep, ystep in _adam7:
if xstart >= self.width:
continue
ppr = int(math.ceil((self.width - xstart) / float(xstep)))
row_len = ppr * self.planes
for y in range(ystart, self.height, ystep):
if xstep == 1:
offset = y * vpr
yield pixels[offset:offset + vpr]
else:
row = array(fmt)
row.extend(pixels[0:row_len])
offset = y * vpr + xstart * self.planes
end_offset = (y + 1) * vpr
skip = self.planes * xstep
for i in range(self.planes):
row[i::self.planes] = pixels[offset + i:end_offset:skip]
yield row
|
array_scanlines_interlace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pixels):\n fmt = 'BH'[self.bitdepth > 8]\n vpr = self.width * self.planes\n for xstart, ystart, xstep, ystep in _adam7:\n if xstart >= self.width:\n continue\n ppr = int(math.ceil((self.width - xstart) / float(xstep)))\n row_len = ppr * self.planes\n for y in range(ystart, self.height, ystep):\n if xstep == 1:\n offset = y * vpr\n yield pixels[offset:offset + vpr]\n else:\n row = array(fmt)\n row.extend(pixels[0:row_len])\n offset = y * vpr + xstart * self.planes\n end_offset = (y + 1) * vpr\n skip = self.planes * xstep\n for i in range(self.planes):\n row[i::self.planes] = pixels[offset + i:end_offset:skip]\n yield row\n",
"role": "user"
},
{
"content": "array_scanlines_interlace",
"role": "assistant"
}
] |
def x(self, filter_type, scanline, previous):
result = scanline
if filter_type == 0:
return result
if filter_type not in (1, 2, 3, 4):
raise FormatError(
'Invalid PNG Filter Type. See http://www.w3.org/TR/2003/REC-PNG-20031110/#9Filters .'
)
fu = max(1, self.psize)
if not previous:
previous = array('B', [0] * len(scanline))
def x():
ai = 0
for i in range(fu, len(result)):
x = scanline[i]
a = result[ai]
result[i] = x + a & 255
ai += 1
def x():
for i in range(len(result)):
x = scanline[i]
b = previous[i]
result[i] = x + b & 255
def x():
ai = -fu
for i in range(len(result)):
x = scanline[i]
if ai < 0:
a = 0
else:
a = result[ai]
b = previous[i]
result[i] = x + (a + b >> 1) & 255
ai += 1
def x():
ai = -fu
for i in range(len(result)):
x = scanline[i]
if ai < 0:
a = c = 0
else:
a = result[ai]
c = previous[ai]
b = previous[i]
p = a + b - c
pa = abs(p - a)
pb = abs(p - b)
pc = abs(p - c)
if pa <= pb and pa <= pc:
pr = a
elif pb <= pc:
pr = b
else:
pr = c
result[i] = x + pr & 255
ai += 1
(None, pngfilters.undo_filter_sub, pngfilters.undo_filter_up,
pngfilters.undo_filter_average, pngfilters.undo_filter_paeth)[
filter_type](fu, scanline, previous, result)
return result
|
undo_filter
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, filter_type, scanline, previous):\n result = scanline\n if filter_type == 0:\n return result\n if filter_type not in (1, 2, 3, 4):\n raise FormatError(\n 'Invalid PNG Filter Type. See http://www.w3.org/TR/2003/REC-PNG-20031110/#9Filters .'\n )\n fu = max(1, self.psize)\n if not previous:\n previous = array('B', [0] * len(scanline))\n\n def x():\n ai = 0\n for i in range(fu, len(result)):\n x = scanline[i]\n a = result[ai]\n result[i] = x + a & 255\n ai += 1\n\n def x():\n for i in range(len(result)):\n x = scanline[i]\n b = previous[i]\n result[i] = x + b & 255\n\n def x():\n ai = -fu\n for i in range(len(result)):\n x = scanline[i]\n if ai < 0:\n a = 0\n else:\n a = result[ai]\n b = previous[i]\n result[i] = x + (a + b >> 1) & 255\n ai += 1\n\n def x():\n ai = -fu\n for i in range(len(result)):\n x = scanline[i]\n if ai < 0:\n a = c = 0\n else:\n a = result[ai]\n c = previous[ai]\n b = previous[i]\n p = a + b - c\n pa = abs(p - a)\n pb = abs(p - b)\n pc = abs(p - c)\n if pa <= pb and pa <= pc:\n pr = a\n elif pb <= pc:\n pr = b\n else:\n pr = c\n result[i] = x + pr & 255\n ai += 1\n (None, pngfilters.undo_filter_sub, pngfilters.undo_filter_up,\n pngfilters.undo_filter_average, pngfilters.undo_filter_paeth)[\n filter_type](fu, scanline, previous, result)\n return result\n",
"role": "user"
},
{
"content": "undo_filter",
"role": "assistant"
}
] |
def x(self, raw):
vpr = self.width * self.planes
fmt = 'BH'[self.bitdepth > 8]
a = array(fmt, [0] * vpr * self.height)
source_offset = 0
for xstart, ystart, xstep, ystep in _adam7:
if xstart >= self.width:
continue
recon = None
ppr = int(math.ceil((self.width - xstart) / float(xstep)))
row_size = int(math.ceil(self.psize * ppr))
for y in range(ystart, self.height, ystep):
filter_type = raw[source_offset]
source_offset += 1
scanline = raw[source_offset:source_offset + row_size]
source_offset += row_size
recon = self.undo_filter(filter_type, scanline, recon)
flat = self.serialtoflat(recon, ppr)
if xstep == 1:
assert xstart == 0
offset = y * vpr
a[offset:offset + vpr] = flat
else:
offset = y * vpr + xstart * self.planes
end_offset = (y + 1) * vpr
skip = self.planes * xstep
for i in range(self.planes):
a[offset + i:end_offset:skip] = flat[i::self.planes]
return a
|
deinterlace
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw):\n vpr = self.width * self.planes\n fmt = 'BH'[self.bitdepth > 8]\n a = array(fmt, [0] * vpr * self.height)\n source_offset = 0\n for xstart, ystart, xstep, ystep in _adam7:\n if xstart >= self.width:\n continue\n recon = None\n ppr = int(math.ceil((self.width - xstart) / float(xstep)))\n row_size = int(math.ceil(self.psize * ppr))\n for y in range(ystart, self.height, ystep):\n filter_type = raw[source_offset]\n source_offset += 1\n scanline = raw[source_offset:source_offset + row_size]\n source_offset += row_size\n recon = self.undo_filter(filter_type, scanline, recon)\n flat = self.serialtoflat(recon, ppr)\n if xstep == 1:\n assert xstart == 0\n offset = y * vpr\n a[offset:offset + vpr] = flat\n else:\n offset = y * vpr + xstart * self.planes\n end_offset = (y + 1) * vpr\n skip = self.planes * xstep\n for i in range(self.planes):\n a[offset + i:end_offset:skip] = flat[i::self.planes]\n return a\n",
"role": "user"
},
{
"content": "deinterlace",
"role": "assistant"
}
] |
def x(self, rows):
def x(raw):
if self.bitdepth == 8:
return array('B', raw)
if self.bitdepth == 16:
raw = tostring(raw)
return array('H', struct.unpack('!%dH' % (len(raw) // 2), raw))
assert self.bitdepth < 8
width = self.width
spb = 8 // self.bitdepth
out = array('B')
mask = 2 ** self.bitdepth - 1
shifts = map(self.bitdepth.__mul__, reversed(range(spb)))
for o in raw:
out.extend(map(lambda i: mask & o >> i, shifts))
return out[:width]
return imap(asvalues, rows)
|
iterboxed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, rows):\n\n def x(raw):\n if self.bitdepth == 8:\n return array('B', raw)\n if self.bitdepth == 16:\n raw = tostring(raw)\n return array('H', struct.unpack('!%dH' % (len(raw) // 2), raw))\n assert self.bitdepth < 8\n width = self.width\n spb = 8 // self.bitdepth\n out = array('B')\n mask = 2 ** self.bitdepth - 1\n shifts = map(self.bitdepth.__mul__, reversed(range(spb)))\n for o in raw:\n out.extend(map(lambda i: mask & o >> i, shifts))\n return out[:width]\n return imap(asvalues, rows)\n",
"role": "user"
},
{
"content": "iterboxed",
"role": "assistant"
}
] |
def x(self, bytes, width=None):
if self.bitdepth == 8:
return bytes
if self.bitdepth == 16:
bytes = tostring(bytes)
return array('H', struct.unpack('!%dH' % (len(bytes) // 2), bytes))
assert self.bitdepth < 8
if width is None:
width = self.width
spb = 8 // self.bitdepth
out = array('B')
mask = 2 ** self.bitdepth - 1
shifts = map(self.bitdepth.__mul__, reversed(range(spb)))
l = width
for o in bytes:
out.extend([(mask & o >> s) for s in shifts][:l])
l -= spb
if l <= 0:
l = width
return out
|
serialtoflat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bytes, width=None):\n if self.bitdepth == 8:\n return bytes\n if self.bitdepth == 16:\n bytes = tostring(bytes)\n return array('H', struct.unpack('!%dH' % (len(bytes) // 2), bytes))\n assert self.bitdepth < 8\n if width is None:\n width = self.width\n spb = 8 // self.bitdepth\n out = array('B')\n mask = 2 ** self.bitdepth - 1\n shifts = map(self.bitdepth.__mul__, reversed(range(spb)))\n l = width\n for o in bytes:\n out.extend([(mask & o >> s) for s in shifts][:l])\n l -= spb\n if l <= 0:\n l = width\n return out\n",
"role": "user"
},
{
"content": "serialtoflat",
"role": "assistant"
}
] |
def x(self, raw):
rb = self.row_bytes
a = array('B')
recon = None
for some in raw:
a.extend(some)
while len(a) >= rb + 1:
filter_type = a[0]
scanline = a[1:rb + 1]
del a[:rb + 1]
recon = self.undo_filter(filter_type, scanline, recon)
yield recon
if len(a) != 0:
raise FormatError('Wrong size for decompressed IDAT chunk.')
assert len(a) == 0
|
iterstraight
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, raw):\n rb = self.row_bytes\n a = array('B')\n recon = None\n for some in raw:\n a.extend(some)\n while len(a) >= rb + 1:\n filter_type = a[0]\n scanline = a[1:rb + 1]\n del a[:rb + 1]\n recon = self.undo_filter(filter_type, scanline, recon)\n yield recon\n if len(a) != 0:\n raise FormatError('Wrong size for decompressed IDAT chunk.')\n assert len(a) == 0\n",
"role": "user"
},
{
"content": "iterstraight",
"role": "assistant"
}
] |
def x(self):
x = self.file.read(8)
if not x:
return None
if len(x) != 8:
raise FormatError('End of file whilst reading chunk length and type.')
length, type = struct.unpack('!I4s', x)
type = bytestostr(type)
if length > 2 ** 31 - 1:
raise FormatError('Chunk %s is too large: %d.' % (type, length))
return length, type
|
chunklentype
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n x = self.file.read(8)\n if not x:\n return None\n if len(x) != 8:\n raise FormatError('End of file whilst reading chunk length and type.')\n length, type = struct.unpack('!I4s', x)\n type = bytestostr(type)\n if length > 2 ** 31 - 1:\n raise FormatError('Chunk %s is too large: %d.' % (type, length))\n return length, type\n",
"role": "user"
},
{
"content": "chunklentype",
"role": "assistant"
}
] |
def x(self, lenient=False):
def x():
while True:
try:
type, data = self.chunk(lenient=lenient)
except ValueError as e:
raise ChunkError(e.args[0])
if type == 'IEND':
break
if type != 'IDAT':
continue
if self.colormap and not self.plte:
warnings.warn('PLTE chunk is required before IDAT chunk')
yield data
def x(idat):
d = zlib.decompressobj()
for data in idat:
yield array('B', d.decompress(data))
yield array('B', d.flush())
self.preamble(lenient=lenient)
raw = iterdecomp(iteridat())
if self.interlace:
raw = array('B', itertools.chain(*raw))
arraycode = 'BH'[self.bitdepth > 8]
pixels = imap(lambda *row: array(arraycode, row), *([iter(self.
deinterlace(raw))] * self.width * self.planes))
else:
pixels = self.iterboxed(self.iterstraight(raw))
meta = dict()
for attr in 'greyscale alpha planes bitdepth interlace'.split():
meta[attr] = getattr(self, attr)
meta['size'] = self.width, self.height
for attr in 'gamma transparent background'.split():
a = getattr(self, attr, None)
if a is not None:
meta[attr] = a
if self.plte:
meta['palette'] = self.palette()
return self.width, self.height, pixels, meta
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, lenient=False):\n\n def x():\n while True:\n try:\n type, data = self.chunk(lenient=lenient)\n except ValueError as e:\n raise ChunkError(e.args[0])\n if type == 'IEND':\n break\n if type != 'IDAT':\n continue\n if self.colormap and not self.plte:\n warnings.warn('PLTE chunk is required before IDAT chunk')\n yield data\n\n def x(idat):\n d = zlib.decompressobj()\n for data in idat:\n yield array('B', d.decompress(data))\n yield array('B', d.flush())\n self.preamble(lenient=lenient)\n raw = iterdecomp(iteridat())\n if self.interlace:\n raw = array('B', itertools.chain(*raw))\n arraycode = 'BH'[self.bitdepth > 8]\n pixels = imap(lambda *row: array(arraycode, row), *([iter(self.\n deinterlace(raw))] * self.width * self.planes))\n else:\n pixels = self.iterboxed(self.iterstraight(raw))\n meta = dict()\n for attr in 'greyscale alpha planes bitdepth interlace'.split():\n meta[attr] = getattr(self, attr)\n meta['size'] = self.width, self.height\n for attr in 'gamma transparent background'.split():\n a = getattr(self, attr, None)\n if a is not None:\n meta[attr] = a\n if self.plte:\n meta['palette'] = self.palette()\n return self.width, self.height, pixels, meta\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self, alpha='natural'):
if not self.plte:
raise FormatError(
'Required PLTE chunk is missing in colour type 3 image.')
plte = group(array('B', self.plte), 3)
if self.trns or alpha == 'force':
trns = array('B', self.trns or '')
trns.extend([255] * (len(plte) - len(trns)))
plte = map(operator.add, plte, group(trns, 1))
return plte
|
palette
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, alpha='natural'):\n if not self.plte:\n raise FormatError(\n 'Required PLTE chunk is missing in colour type 3 image.')\n plte = group(array('B', self.plte), 3)\n if self.trns or alpha == 'force':\n trns = array('B', self.trns or '')\n trns.extend([255] * (len(plte) - len(trns)))\n plte = map(operator.add, plte, group(trns, 1))\n return plte\n",
"role": "user"
},
{
"content": "palette",
"role": "assistant"
}
] |
def x(self):
self.preamble()
if not self.colormap and not self.trns and not self.sbit:
return self.read()
x, y, pixels, meta = self.read()
if self.colormap:
meta['colormap'] = False
meta['alpha'] = bool(self.trns)
meta['bitdepth'] = 8
meta['planes'] = 3 + bool(self.trns)
plte = self.palette()
def x(pixels):
for row in pixels:
row = map(plte.__getitem__, row)
yield array('B', itertools.chain(*row))
pixels = iterpal(pixels)
elif self.trns:
it = self.transparent
maxval = 2 ** meta['bitdepth'] - 1
planes = meta['planes']
meta['alpha'] = True
meta['planes'] += 1
typecode = 'BH'[meta['bitdepth'] > 8]
def x(pixels):
for row in pixels:
row = group(row, planes)
opa = map(it.__ne__, row)
opa = map(maxval.__mul__, opa)
opa = zip(opa)
yield array(typecode, itertools.chain(*map(operator.add,
row, opa)))
pixels = itertrns(pixels)
targetbitdepth = None
if self.sbit:
sbit = struct.unpack('%dB' % len(self.sbit), self.sbit)
targetbitdepth = max(sbit)
if targetbitdepth > meta['bitdepth']:
raise Error('sBIT chunk %r exceeds bitdepth %d' % (sbit, self.
bitdepth))
if min(sbit) <= 0:
raise Error('sBIT chunk %r has a 0-entry' % sbit)
if targetbitdepth == meta['bitdepth']:
targetbitdepth = None
if targetbitdepth:
shift = meta['bitdepth'] - targetbitdepth
meta['bitdepth'] = targetbitdepth
def x(pixels):
for row in pixels:
yield map(shift.__rrshift__, row)
pixels = itershift(pixels)
return x, y, pixels, meta
|
asDirect
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n self.preamble()\n if not self.colormap and not self.trns and not self.sbit:\n return self.read()\n x, y, pixels, meta = self.read()\n if self.colormap:\n meta['colormap'] = False\n meta['alpha'] = bool(self.trns)\n meta['bitdepth'] = 8\n meta['planes'] = 3 + bool(self.trns)\n plte = self.palette()\n\n def x(pixels):\n for row in pixels:\n row = map(plte.__getitem__, row)\n yield array('B', itertools.chain(*row))\n pixels = iterpal(pixels)\n elif self.trns:\n it = self.transparent\n maxval = 2 ** meta['bitdepth'] - 1\n planes = meta['planes']\n meta['alpha'] = True\n meta['planes'] += 1\n typecode = 'BH'[meta['bitdepth'] > 8]\n\n def x(pixels):\n for row in pixels:\n row = group(row, planes)\n opa = map(it.__ne__, row)\n opa = map(maxval.__mul__, opa)\n opa = zip(opa)\n yield array(typecode, itertools.chain(*map(operator.add,\n row, opa)))\n pixels = itertrns(pixels)\n targetbitdepth = None\n if self.sbit:\n sbit = struct.unpack('%dB' % len(self.sbit), self.sbit)\n targetbitdepth = max(sbit)\n if targetbitdepth > meta['bitdepth']:\n raise Error('sBIT chunk %r exceeds bitdepth %d' % (sbit, self.\n bitdepth))\n if min(sbit) <= 0:\n raise Error('sBIT chunk %r has a 0-entry' % sbit)\n if targetbitdepth == meta['bitdepth']:\n targetbitdepth = None\n if targetbitdepth:\n shift = meta['bitdepth'] - targetbitdepth\n meta['bitdepth'] = targetbitdepth\n\n def x(pixels):\n for row in pixels:\n yield map(shift.__rrshift__, row)\n pixels = itershift(pixels)\n return x, y, pixels, meta\n",
"role": "user"
},
{
"content": "asDirect",
"role": "assistant"
}
] |
def x(self, maxval=1.0):
x, y, pixels, info = self.asDirect()
sourcemaxval = 2 ** info['bitdepth'] - 1
del info['bitdepth']
info['maxval'] = float(maxval)
factor = float(maxval) / float(sourcemaxval)
def x():
for row in pixels:
yield map(factor.__mul__, row)
return x, y, iterfloat(), info
|
asFloat
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, maxval=1.0):\n x, y, pixels, info = self.asDirect()\n sourcemaxval = 2 ** info['bitdepth'] - 1\n del info['bitdepth']\n info['maxval'] = float(maxval)\n factor = float(maxval) / float(sourcemaxval)\n\n def x():\n for row in pixels:\n yield map(factor.__mul__, row)\n return x, y, iterfloat(), info\n",
"role": "user"
},
{
"content": "asFloat",
"role": "assistant"
}
] |
def x(self, get, targetbitdepth):
width, height, pixels, meta = get()
maxval = 2 ** meta['bitdepth'] - 1
targetmaxval = 2 ** targetbitdepth - 1
factor = float(targetmaxval) / float(maxval)
meta['bitdepth'] = targetbitdepth
def x():
for row in pixels:
yield map(lambda x: int(round(x * factor)), row)
if maxval == targetmaxval:
return width, height, pixels, meta
else:
return width, height, iterscale(), meta
|
as_rescale
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, get, targetbitdepth):\n width, height, pixels, meta = get()\n maxval = 2 ** meta['bitdepth'] - 1\n targetmaxval = 2 ** targetbitdepth - 1\n factor = float(targetmaxval) / float(maxval)\n meta['bitdepth'] = targetbitdepth\n\n def x():\n for row in pixels:\n yield map(lambda x: int(round(x * factor)), row)\n if maxval == targetmaxval:\n return width, height, pixels, meta\n else:\n return width, height, iterscale(), meta\n",
"role": "user"
},
{
"content": "as_rescale",
"role": "assistant"
}
] |
def x(self):
width, height, pixels, meta = self.asDirect()
if meta['alpha']:
raise Error('will not convert image with alpha channel to RGB')
if not meta['greyscale']:
return width, height, pixels, meta
meta['greyscale'] = False
typecode = 'BH'[meta['bitdepth'] > 8]
def x():
for row in pixels:
a = array(typecode, [0]) * 3 * width
for i in range(3):
a[i::3] = row
yield a
return width, height, iterrgb(), meta
|
asRGB
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n width, height, pixels, meta = self.asDirect()\n if meta['alpha']:\n raise Error('will not convert image with alpha channel to RGB')\n if not meta['greyscale']:\n return width, height, pixels, meta\n meta['greyscale'] = False\n typecode = 'BH'[meta['bitdepth'] > 8]\n\n def x():\n for row in pixels:\n a = array(typecode, [0]) * 3 * width\n for i in range(3):\n a[i::3] = row\n yield a\n return width, height, iterrgb(), meta\n",
"role": "user"
},
{
"content": "asRGB",
"role": "assistant"
}
] |
def x(self):
width, height, pixels, meta = self.asDirect()
if meta['alpha'] and not meta['greyscale']:
return width, height, pixels, meta
typecode = 'BH'[meta['bitdepth'] > 8]
maxval = 2 ** meta['bitdepth'] - 1
maxbuffer = struct.pack('=' + typecode, maxval) * 4 * width
def x():
return array(typecode, maxbuffer)
if meta['alpha'] and meta['greyscale']:
def x():
for row in pixels:
a = newarray()
pngfilters.convert_la_to_rgba(row, a)
yield a
elif meta['greyscale']:
def x():
for row in pixels:
a = newarray()
pngfilters.convert_l_to_rgba(row, a)
yield a
else:
assert not meta['alpha'] and not meta['greyscale']
def x():
for row in pixels:
a = newarray()
pngfilters.convert_rgb_to_rgba(row, a)
yield a
meta['alpha'] = True
meta['greyscale'] = False
return width, height, convert(), meta
|
asRGBA
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n width, height, pixels, meta = self.asDirect()\n if meta['alpha'] and not meta['greyscale']:\n return width, height, pixels, meta\n typecode = 'BH'[meta['bitdepth'] > 8]\n maxval = 2 ** meta['bitdepth'] - 1\n maxbuffer = struct.pack('=' + typecode, maxval) * 4 * width\n\n def x():\n return array(typecode, maxbuffer)\n if meta['alpha'] and meta['greyscale']:\n\n def x():\n for row in pixels:\n a = newarray()\n pngfilters.convert_la_to_rgba(row, a)\n yield a\n elif meta['greyscale']:\n\n def x():\n for row in pixels:\n a = newarray()\n pngfilters.convert_l_to_rgba(row, a)\n yield a\n else:\n assert not meta['alpha'] and not meta['greyscale']\n\n def x():\n for row in pixels:\n a = newarray()\n pngfilters.convert_rgb_to_rgba(row, a)\n yield a\n meta['alpha'] = True\n meta['greyscale'] = False\n return width, height, convert(), meta\n",
"role": "user"
},
{
"content": "asRGBA",
"role": "assistant"
}
] |
def x(fname, directory=None, force_download=False):
_url_root = 'http://github.com/vispy/demo-data/raw/master/'
url = _url_root + fname
if directory is None:
directory = config['data_path']
if directory is None:
raise ValueError(
'config["data_path"] is not defined, so directory must be supplied'
)
fname = op.join(directory, op.normcase(fname))
if op.isfile(fname):
if not force_download:
return fname
if isinstance(force_download, string_types):
ntime = time.strptime(force_download, '%Y-%m-%d')
ftime = time.gmtime(op.getctime(fname))
if ftime >= ntime:
return fname
else:
print('File older than %s, updating...' % force_download)
if not op.isdir(op.dirname(fname)):
os.makedirs(op.abspath(op.dirname(fname)))
_fetch_file(url, fname)
return fname
|
load_data_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fname, directory=None, force_download=False):\n _url_root = 'http://github.com/vispy/demo-data/raw/master/'\n url = _url_root + fname\n if directory is None:\n directory = config['data_path']\n if directory is None:\n raise ValueError(\n 'config[\"data_path\"] is not defined, so directory must be supplied'\n )\n fname = op.join(directory, op.normcase(fname))\n if op.isfile(fname):\n if not force_download:\n return fname\n if isinstance(force_download, string_types):\n ntime = time.strptime(force_download, '%Y-%m-%d')\n ftime = time.gmtime(op.getctime(fname))\n if ftime >= ntime:\n return fname\n else:\n print('File older than %s, updating...' % force_download)\n if not op.isdir(op.dirname(fname)):\n os.makedirs(op.abspath(op.dirname(fname)))\n _fetch_file(url, fname)\n return fname\n",
"role": "user"
},
{
"content": "load_data_file",
"role": "assistant"
}
] |
def x(response, local_file, chunk_size=65536, initial_size=0):
bytes_so_far = initial_size
total_size = int(response.headers['Content-Length'].strip())
total_size += initial_size
progress = ProgressBar(total_size, initial_value=bytes_so_far,
max_chars=40, spinner=True, mesg='downloading')
while True:
chunk = response.read(chunk_size)
bytes_so_far += len(chunk)
if not chunk:
sys.stderr.write('\n')
break
_chunk_write(chunk, local_file, progress)
|
chunk_read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(response, local_file, chunk_size=65536, initial_size=0):\n bytes_so_far = initial_size\n total_size = int(response.headers['Content-Length'].strip())\n total_size += initial_size\n progress = ProgressBar(total_size, initial_value=bytes_so_far,\n max_chars=40, spinner=True, mesg='downloading')\n while True:\n chunk = response.read(chunk_size)\n bytes_so_far += len(chunk)\n if not chunk:\n sys.stderr.write('\\n')\n break\n _chunk_write(chunk, local_file, progress)\n",
"role": "user"
},
{
"content": "chunk_read",
"role": "assistant"
}
] |
def x(chunk, local_file, progress):
local_file.write(chunk)
progress.update_with_increment_value(len(chunk))
|
chunk_write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(chunk, local_file, progress):\n local_file.write(chunk)\n progress.update_with_increment_value(len(chunk))\n",
"role": "user"
},
{
"content": "chunk_write",
"role": "assistant"
}
] |
def x(url, file_name, print_destination=True):
temp_file_name = file_name + '.part'
local_file = None
initial_size = 0
n_try = 3
for ii in range(n_try):
try:
data = urllib.request.urlopen(url, timeout=15.0)
except Exception as e:
if ii == n_try - 1:
raise RuntimeError(
'Error while fetching file %s.\nDataset fetching aborted (%s)'
% (url, e))
try:
file_size = int(data.headers['Content-Length'].strip())
print('Downloading data from %s (%s)' % (url, sizeof_fmt(file_size)))
local_file = open(temp_file_name, 'wb')
_chunk_read(data, local_file, initial_size=initial_size)
if not local_file.closed:
local_file.close()
shutil.move(temp_file_name, file_name)
if print_destination is True:
sys.stdout.write('File saved as %s.\n' % file_name)
except Exception as e:
raise RuntimeError(
'Error while fetching file %s.\nDataset fetching aborted (%s)' %
(url, e))
finally:
if local_file is not None:
if not local_file.closed:
local_file.close()
|
fetch_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, file_name, print_destination=True):\n temp_file_name = file_name + '.part'\n local_file = None\n initial_size = 0\n n_try = 3\n for ii in range(n_try):\n try:\n data = urllib.request.urlopen(url, timeout=15.0)\n except Exception as e:\n if ii == n_try - 1:\n raise RuntimeError(\n 'Error while fetching file %s.\\nDataset fetching aborted (%s)'\n % (url, e))\n try:\n file_size = int(data.headers['Content-Length'].strip())\n print('Downloading data from %s (%s)' % (url, sizeof_fmt(file_size)))\n local_file = open(temp_file_name, 'wb')\n _chunk_read(data, local_file, initial_size=initial_size)\n if not local_file.closed:\n local_file.close()\n shutil.move(temp_file_name, file_name)\n if print_destination is True:\n sys.stdout.write('File saved as %s.\\n' % file_name)\n except Exception as e:\n raise RuntimeError(\n 'Error while fetching file %s.\\nDataset fetching aborted (%s)' %\n (url, e))\n finally:\n if local_file is not None:\n if not local_file.closed:\n local_file.close()\n",
"role": "user"
},
{
"content": "fetch_file",
"role": "assistant"
}
] |
def x(self, cur_value, mesg=None):
self.cur_value = cur_value
progress = float(self.cur_value) / self.max_value
num_chars = int(progress * self.max_chars)
num_left = self.max_chars - num_chars
if mesg is not None:
self.mesg = mesg
bar = self.template.format(self.progress_character * num_chars, ' ' *
num_left, progress * 100, self.spinner_symbols[self.spinner_index],
self.mesg)
sys.stdout.write(bar)
if self.spinner:
self.spinner_index = (self.spinner_index + 1) % self.n_spinner
sys.stdout.flush()
|
update
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, cur_value, mesg=None):\n self.cur_value = cur_value\n progress = float(self.cur_value) / self.max_value\n num_chars = int(progress * self.max_chars)\n num_left = self.max_chars - num_chars\n if mesg is not None:\n self.mesg = mesg\n bar = self.template.format(self.progress_character * num_chars, ' ' *\n num_left, progress * 100, self.spinner_symbols[self.spinner_index],\n self.mesg)\n sys.stdout.write(bar)\n if self.spinner:\n self.spinner_index = (self.spinner_index + 1) % self.n_spinner\n sys.stdout.flush()\n",
"role": "user"
},
{
"content": "update",
"role": "assistant"
}
] |
def x(self, increment_value, mesg=None):
self.cur_value += increment_value
self.update(self.cur_value, mesg)
|
update_with_increment_value
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, increment_value, mesg=None):\n self.cur_value += increment_value\n self.update(self.cur_value, mesg)\n",
"role": "user"
},
{
"content": "update_with_increment_value",
"role": "assistant"
}
] |
def x(self):
if self._central_widget is None:
self._central_widget = Widget(size=self.size, parent=self.scene)
return self._central_widget
|
central_widget
|
[
{
"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._central_widget is None:\n self._central_widget = Widget(size=self.size, parent=self.scene)\n return self._central_widget\n",
"role": "user"
},
{
"content": "central_widget",
"role": "assistant"
}
] |
def x(self, region=None, size=None, bgcolor=None):
self.set_current()
offset = (0, 0) if region is None else region[:2]
csize = self.size if region is None else region[2:]
s = self.pixel_scale
size = tuple([(x * s) for x in csize]) if size is None else size
fbo = gloo.FrameBuffer(color=gloo.RenderBuffer(size[::-1]), depth=gloo.
RenderBuffer(size[::-1]))
self.push_fbo(fbo, offset, csize)
try:
self._draw_scene(bgcolor=bgcolor)
return fbo.read()
finally:
self.pop_fbo()
|
render
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, region=None, size=None, bgcolor=None):\n self.set_current()\n offset = (0, 0) if region is None else region[:2]\n csize = self.size if region is None else region[2:]\n s = self.pixel_scale\n size = tuple([(x * s) for x in csize]) if size is None else size\n fbo = gloo.FrameBuffer(color=gloo.RenderBuffer(size[::-1]), depth=gloo.\n RenderBuffer(size[::-1]))\n self.push_fbo(fbo, offset, csize)\n try:\n self._draw_scene(bgcolor=bgcolor)\n return fbo.read()\n finally:\n self.pop_fbo()\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(self, visual, event=None):
prof = Profiler()
self.set_current()
try:
self._drawing = True
if visual not in self._draw_order:
self._draw_order[visual] = self._generate_draw_order()
order = self._draw_order[visual]
stack = []
invisible_node = None
for node, start in order:
if start:
stack.append(node)
if invisible_node is None:
if not node.visible:
invisible_node = node
elif hasattr(node, 'draw'):
node.draw()
prof.mark(str(node))
else:
if node is invisible_node:
invisible_node = None
stack.pop()
finally:
self._drawing = False
|
draw_visual
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, visual, event=None):\n prof = Profiler()\n self.set_current()\n try:\n self._drawing = True\n if visual not in self._draw_order:\n self._draw_order[visual] = self._generate_draw_order()\n order = self._draw_order[visual]\n stack = []\n invisible_node = None\n for node, start in order:\n if start:\n stack.append(node)\n if invisible_node is None:\n if not node.visible:\n invisible_node = node\n elif hasattr(node, 'draw'):\n node.draw()\n prof.mark(str(node))\n else:\n if node is invisible_node:\n invisible_node = None\n stack.pop()\n finally:\n self._drawing = False\n",
"role": "user"
},
{
"content": "draw_visual",
"role": "assistant"
}
] |
def x(self, node=None):
if node is None:
node = self._scene
order = [(node, True)]
children = node.children
children.sort(key=lambda ch: ch.order)
for ch in children:
order.extend(self._generate_draw_order(ch))
order.append((node, False))
return order
|
generate_draw_order
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, node=None):\n if node is None:\n node = self._scene\n order = [(node, True)]\n children = node.children\n children.sort(key=lambda ch: ch.order)\n for ch in children:\n order.extend(self._generate_draw_order(ch))\n order.append((node, False))\n return order\n",
"role": "user"
},
{
"content": "generate_draw_order",
"role": "assistant"
}
] |
def x(self, pos):
tr = self.transforms.get_transform('canvas', 'framebuffer')
fbpos = tr.map(pos)[:2]
try:
id_ = self._render_picking(region=(fbpos[0], fbpos[1], 1, 1))
vis = VisualNode._visual_ids.get(id_[0, 0], None)
except RuntimeError:
return self._visual_bounds_at(pos)
return vis
|
visual_at
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos):\n tr = self.transforms.get_transform('canvas', 'framebuffer')\n fbpos = tr.map(pos)[:2]\n try:\n id_ = self._render_picking(region=(fbpos[0], fbpos[1], 1, 1))\n vis = VisualNode._visual_ids.get(id_[0, 0], None)\n except RuntimeError:\n return self._visual_bounds_at(pos)\n return vis\n",
"role": "user"
},
{
"content": "visual_at",
"role": "assistant"
}
] |
def x(self, pos, node=None):
if node is None:
node = self.scene
for ch in node.children:
hit = self._visual_bounds_at(pos, ch)
if hit is not None:
return hit
if not isinstance(node, VisualNode
) or not node.visible or not node.interactive:
return None
bounds = [node.bounds(axis=i) for i in range(2)]
if None in bounds:
return None
tr = self.scene.node_transform(node).inverse
corners = np.array([[bounds[0][0], bounds[1][0]], [bounds[0][0], bounds
[1][1]], [bounds[0][1], bounds[1][0]], [bounds[0][1], bounds[1][1]]])
bounds = tr.map(corners)
xhit = bounds[:, 0].min() < pos[0] < bounds[:, 0].max()
yhit = bounds[:, 1].min() < pos[1] < bounds[:, 1].max()
if xhit and yhit:
return node
|
visual_bounds_at
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, node=None):\n if node is None:\n node = self.scene\n for ch in node.children:\n hit = self._visual_bounds_at(pos, ch)\n if hit is not None:\n return hit\n if not isinstance(node, VisualNode\n ) or not node.visible or not node.interactive:\n return None\n bounds = [node.bounds(axis=i) for i in range(2)]\n if None in bounds:\n return None\n tr = self.scene.node_transform(node).inverse\n corners = np.array([[bounds[0][0], bounds[1][0]], [bounds[0][0], bounds\n [1][1]], [bounds[0][1], bounds[1][0]], [bounds[0][1], bounds[1][1]]])\n bounds = tr.map(corners)\n xhit = bounds[:, 0].min() < pos[0] < bounds[:, 0].max()\n yhit = bounds[:, 1].min() < pos[1] < bounds[:, 1].max()\n if xhit and yhit:\n return node\n",
"role": "user"
},
{
"content": "visual_bounds_at",
"role": "assistant"
}
] |
def x(self, pos, radius=10):
tr = self.transforms.get_transform('canvas', 'framebuffer')
pos = tr.map(pos)[:2]
id = self._render_picking(region=(pos[0] - radius, pos[1] - radius,
radius * 2 + 1, radius * 2 + 1))
ids = []
seen = set()
for i in range(radius):
subr = id[radius - i:radius + i + 1, radius - i:radius + i + 1]
subr_ids = set(list(np.unique(subr)))
ids.extend(list(subr_ids - seen))
seen |= subr_ids
visuals = [VisualNode._visual_ids.get(x, None) for x in ids]
return [v for v in visuals if v is not None]
|
visuals_at
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pos, radius=10):\n tr = self.transforms.get_transform('canvas', 'framebuffer')\n pos = tr.map(pos)[:2]\n id = self._render_picking(region=(pos[0] - radius, pos[1] - radius, \n radius * 2 + 1, radius * 2 + 1))\n ids = []\n seen = set()\n for i in range(radius):\n subr = id[radius - i:radius + i + 1, radius - i:radius + i + 1]\n subr_ids = set(list(np.unique(subr)))\n ids.extend(list(subr_ids - seen))\n seen |= subr_ids\n visuals = [VisualNode._visual_ids.get(x, None) for x in ids]\n return [v for v in visuals if v is not None]\n",
"role": "user"
},
{
"content": "visuals_at",
"role": "assistant"
}
] |
def x(self, **kwargs):
try:
self._scene.picking = True
img = self.render(bgcolor=(0, 0, 0, 0), **kwargs)
finally:
self._scene.picking = False
img = img.astype('int32') * [2 ** 0, 2 ** 8, 2 ** 16, 2 ** 24]
id_ = img.sum(axis=2).astype('int32')
return id_
|
render_picking
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n try:\n self._scene.picking = True\n img = self.render(bgcolor=(0, 0, 0, 0), **kwargs)\n finally:\n self._scene.picking = False\n img = img.astype('int32') * [2 ** 0, 2 ** 8, 2 ** 16, 2 ** 24]\n id_ = img.sum(axis=2).astype('int32')\n return id_\n",
"role": "user"
},
{
"content": "render_picking",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.