source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls_or_slf, node): if node is None: return '' return cls_or_slf.type_formatter.format(type=str(type(node).__name__))
component_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_or_slf, node):\n if node is None:\n return ''\n return cls_or_slf.type_formatter.format(type=str(type(node).__name__))\n", "role": "user" }, { "content": "component_type", "role": "assistant" } ]
def x(cls_or_slf, node, attrpath=None, attrpaths=[], siblings=[], level=0, value_dims=True): level, lines = cls_or_slf.node_info(node, attrpath, attrpaths, siblings, level, value_dims) attrpaths = ['.'.join(k) for k in node.keys()] if hasattr(node, 'children' ) else [] siblings = [node.get(child) for child in attrpaths] for attrpath in attrpaths: lines += cls_or_slf.recurse(node.get(attrpath), attrpath, attrpaths =attrpaths, siblings=siblings, level=level + 1, value_dims= value_dims) return lines
recurse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_or_slf, node, attrpath=None, attrpaths=[], siblings=[], level=0,\n value_dims=True):\n level, lines = cls_or_slf.node_info(node, attrpath, attrpaths, siblings,\n level, value_dims)\n attrpaths = ['.'.join(k) for k in node.keys()] if hasattr(node, 'children'\n ) else []\n siblings = [node.get(child) for child in attrpaths]\n for attrpath in attrpaths:\n lines += cls_or_slf.recurse(node.get(attrpath), attrpath, attrpaths\n =attrpaths, siblings=siblings, level=level + 1, value_dims=\n value_dims)\n return lines\n", "role": "user" }, { "content": "recurse", "role": "assistant" } ]
def x(cls_or_slf, node, attrpath, attrpaths, siblings, level, value_dims): opts = None if hasattr(node, 'children'): lvl, lines = level, [(level, cls_or_slf.component_type(node))] opts = cls_or_slf.option_info(node) elif hasattr(node, 'main'): lvl, lines = cls_or_slf.adjointlayout_info(node, siblings, level, value_dims) elif getattr(node, '_deep_indexable', False): lvl, lines = cls_or_slf.ndmapping_info(node, siblings, level, value_dims) elif hasattr(node, 'unit_format'): lvl, lines = level, [(level, repr(node))] else: lvl, lines = cls_or_slf.element_info(node, siblings, level, value_dims) opts = cls_or_slf.option_info(node) if attrpath is not None: padding = cls_or_slf.padding(attrpaths) fst_lvl, fst_line = lines[0] line = '.' + attrpath.ljust(padding) + ' ' + fst_line lines[0] = fst_lvl, line else: fst_lvl = level if cls_or_slf.show_options and opts and opts.kwargs: lines += [(fst_lvl, l) for l in cls_or_slf.format_options(opts)] return lvl, lines
node_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_or_slf, node, attrpath, attrpaths, siblings, level, value_dims):\n opts = None\n if hasattr(node, 'children'):\n lvl, lines = level, [(level, cls_or_slf.component_type(node))]\n opts = cls_or_slf.option_info(node)\n elif hasattr(node, 'main'):\n lvl, lines = cls_or_slf.adjointlayout_info(node, siblings, level,\n value_dims)\n elif getattr(node, '_deep_indexable', False):\n lvl, lines = cls_or_slf.ndmapping_info(node, siblings, level,\n value_dims)\n elif hasattr(node, 'unit_format'):\n lvl, lines = level, [(level, repr(node))]\n else:\n lvl, lines = cls_or_slf.element_info(node, siblings, level, value_dims)\n opts = cls_or_slf.option_info(node)\n if attrpath is not None:\n padding = cls_or_slf.padding(attrpaths)\n fst_lvl, fst_line = lines[0]\n line = '.' + attrpath.ljust(padding) + ' ' + fst_line\n lines[0] = fst_lvl, line\n else:\n fst_lvl = level\n if cls_or_slf.show_options and opts and opts.kwargs:\n lines += [(fst_lvl, l) for l in cls_or_slf.format_options(opts)]\n return lvl, lines\n", "role": "user" }, { "content": "node_info", "role": "assistant" } ]
def x(cls_or_slf, node, siblings, level, value_dims): info = cls_or_slf.component_type(node) if len(node.kdims) >= 1: info += cls_or_slf.tab + '[%s]' % ','.join(d.name for d in node.kdims) if value_dims and len(node.vdims) >= 1: info += cls_or_slf.tab + '(%s)' % ','.join(d.name for d in node.vdims) return level, [(level, info)]
element_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls_or_slf, node, siblings, level, value_dims):\n info = cls_or_slf.component_type(node)\n if len(node.kdims) >= 1:\n info += cls_or_slf.tab + '[%s]' % ','.join(d.name for d in node.kdims)\n if value_dims and len(node.vdims) >= 1:\n info += cls_or_slf.tab + '(%s)' % ','.join(d.name for d in node.vdims)\n return level, [(level, info)]\n", "role": "user" }, { "content": "element_info", "role": "assistant" } ]
def x(path): path = path.split(0, 1)[0] values = path.dimension_values(0) splits = np.concatenate([[0], np.where(np.isnan(values))[0] + 1, [None]]) subpaths = [] data = PandasInterface.as_dframe(path) if pd else path.array() for i in range(len(splits) - 1): end = splits[i + 1] slc = slice(splits[i], None if end is None else end - 1) subpath = data.iloc[slc] if pd else data[slc] if len(subpath): subpaths.append(subpath) return subpaths
split_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n path = path.split(0, 1)[0]\n values = path.dimension_values(0)\n splits = np.concatenate([[0], np.where(np.isnan(values))[0] + 1, [None]])\n subpaths = []\n data = PandasInterface.as_dframe(path) if pd else path.array()\n for i in range(len(splits) - 1):\n end = splits[i + 1]\n slc = slice(splits[i], None if end is None else end - 1)\n subpath = data.iloc[slc] if pd else data[slc]\n if len(subpath):\n subpaths.append(subpath)\n return subpaths\n", "role": "user" }, { "content": "split_path", "role": "assistant" } ]
def x(slices, scs, shape): xidx, yidx = slices ys, xs = shape l, b, r, t = scs.bounds.lbrt() xdensity, ydensity = scs.xdensity, scs.ydensity xunit = 1.0 / xdensity yunit = 1.0 / ydensity if isinstance(l, datetime_types): xunit = np.timedelta64(int(round(xunit)), scs._time_unit) if isinstance(b, datetime_types): yunit = np.timedelta64(int(round(yunit)), scs._time_unit) if isinstance(xidx, slice): l = l if xidx.start is None else max(l, xidx.start) r = r if xidx.stop is None else min(r, xidx.stop) if isinstance(yidx, slice): b = b if yidx.start is None else max(b, yidx.start) t = t if yidx.stop is None else min(t, yidx.stop) bounds = BoundingBox(points=((l, b), (r, t))) slc = Slice(bounds, scs) l, b, r, t = slc.compute_bounds(scs).lbrt() if not isinstance(xidx, slice): if not isinstance(xidx, (list, set)): xidx = [xidx] if len(xidx) > 1: xdensity = xdensity * (float(len(xidx)) / xs) ls, rs = [], [] for idx in xidx: xc, _ = scs.closest_cell_center(idx, b) ls.append(xc - xunit / 2) rs.append(xc + xunit / 2) l, r = np.min(ls), np.max(rs) elif not isinstance(yidx, slice): if not isinstance(yidx, (set, list)): yidx = [yidx] if len(yidx) > 1: ydensity = ydensity * (float(len(yidx)) / ys) bs, ts = [], [] for idx in yidx: _, yc = scs.closest_cell_center(l, idx) bs.append(yc - yunit / 2) ts.append(yc + yunit / 2) b, t = np.min(bs), np.max(ts) return BoundingBox(points=((l, b), (r, t)))
compute_slice_bounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(slices, scs, shape):\n xidx, yidx = slices\n ys, xs = shape\n l, b, r, t = scs.bounds.lbrt()\n xdensity, ydensity = scs.xdensity, scs.ydensity\n xunit = 1.0 / xdensity\n yunit = 1.0 / ydensity\n if isinstance(l, datetime_types):\n xunit = np.timedelta64(int(round(xunit)), scs._time_unit)\n if isinstance(b, datetime_types):\n yunit = np.timedelta64(int(round(yunit)), scs._time_unit)\n if isinstance(xidx, slice):\n l = l if xidx.start is None else max(l, xidx.start)\n r = r if xidx.stop is None else min(r, xidx.stop)\n if isinstance(yidx, slice):\n b = b if yidx.start is None else max(b, yidx.start)\n t = t if yidx.stop is None else min(t, yidx.stop)\n bounds = BoundingBox(points=((l, b), (r, t)))\n slc = Slice(bounds, scs)\n l, b, r, t = slc.compute_bounds(scs).lbrt()\n if not isinstance(xidx, slice):\n if not isinstance(xidx, (list, set)):\n xidx = [xidx]\n if len(xidx) > 1:\n xdensity = xdensity * (float(len(xidx)) / xs)\n ls, rs = [], []\n for idx in xidx:\n xc, _ = scs.closest_cell_center(idx, b)\n ls.append(xc - xunit / 2)\n rs.append(xc + xunit / 2)\n l, r = np.min(ls), np.max(rs)\n elif not isinstance(yidx, slice):\n if not isinstance(yidx, (set, list)):\n yidx = [yidx]\n if len(yidx) > 1:\n ydensity = ydensity * (float(len(yidx)) / ys)\n bs, ts = [], []\n for idx in yidx:\n _, yc = scs.closest_cell_center(l, idx)\n bs.append(yc - yunit / 2)\n ts.append(yc + yunit / 2)\n b, t = np.min(bs), np.max(ts)\n return BoundingBox(points=((l, b), (r, t)))\n", "role": "user" }, { "content": "compute_slice_bounds", "role": "assistant" } ]
def x(x): values = x.values if pd and isinstance(x, pd.Series) else x for v in values: if not is_nan(v): return v return np.NaN
reduce_fn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n values = x.values if pd and isinstance(x, pd.Series) else x\n for v in values:\n if not is_nan(v):\n return v\n return np.NaN\n", "role": "user" }, { "content": "reduce_fn", "role": "assistant" } ]
def x(nodes): N = len(nodes) if not N: return [], [], [] circ = np.pi / N * np.arange(N) * 2 x = np.cos(circ) y = np.sin(circ) return x, y, nodes
circular_layout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nodes):\n N = len(nodes)\n if not N:\n return [], [], []\n circ = np.pi / N * np.arange(N) * 2\n x = np.cos(circ)\n y = np.sin(circ)\n return x, y, nodes\n", "role": "user" }, { "content": "circular_layout", "role": "assistant" } ]
def x(start, end, c0=(0, 0), c1=(0, 0), steps=50): steps = np.linspace(0, 1, steps) sx, sy = start ex, ey = end cx0, cy0 = c0 cx1, cy1 = c1 xs = (1 - steps) ** 3 * sx + 3 * (1 - steps) ** 2 * steps * cx0 + 3 * ( 1 - steps) * steps ** 2 * cx1 + steps ** 3 * ex ys = (1 - steps) ** 3 * sy + 3 * (1 - steps) ** 2 * steps * cy0 + 3 * ( 1 - steps) * steps ** 2 * cy1 + steps ** 3 * ey return np.column_stack([xs, ys])
quadratic_bezier
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, c0=(0, 0), c1=(0, 0), steps=50):\n steps = np.linspace(0, 1, steps)\n sx, sy = start\n ex, ey = end\n cx0, cy0 = c0\n cx1, cy1 = c1\n xs = (1 - steps) ** 3 * sx + 3 * (1 - steps) ** 2 * steps * cx0 + 3 * (\n 1 - steps) * steps ** 2 * cx1 + steps ** 3 * ex\n ys = (1 - steps) ** 3 * sy + 3 * (1 - steps) ** 2 * steps * cy0 + 3 * (\n 1 - steps) * steps ** 2 * cy1 + steps ** 3 * ey\n return np.column_stack([xs, ys])\n", "role": "user" }, { "content": "quadratic_bezier", "role": "assistant" } ]
def x(graph): edges = graph.dframe() edges.index.name = 'graph_edge_index' edges = edges.reset_index() nodes = graph.nodes.dframe() src, tgt = graph.kdims x, y, idx = graph.nodes.kdims[:3] df = pd.merge(edges, nodes, left_on=[src.name], right_on=[idx.name]) df = df.rename(columns={x.name: 'src_x', y.name: 'src_y'}) df = pd.merge(df, nodes, left_on=[tgt.name], right_on=[idx.name]) df = df.rename(columns={x.name: 'dst_x', y.name: 'dst_y'}) df = df.sort_values('graph_edge_index').drop(['graph_edge_index'], axis=1) edge_segments = [] for i, edge in df.iterrows(): start = edge['src_x'], edge['src_y'] end = edge['dst_x'], edge['dst_y'] edge_segments.append(np.array([start, end])) return edge_segments
connect_edges_pd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n edges = graph.dframe()\n edges.index.name = 'graph_edge_index'\n edges = edges.reset_index()\n nodes = graph.nodes.dframe()\n src, tgt = graph.kdims\n x, y, idx = graph.nodes.kdims[:3]\n df = pd.merge(edges, nodes, left_on=[src.name], right_on=[idx.name])\n df = df.rename(columns={x.name: 'src_x', y.name: 'src_y'})\n df = pd.merge(df, nodes, left_on=[tgt.name], right_on=[idx.name])\n df = df.rename(columns={x.name: 'dst_x', y.name: 'dst_y'})\n df = df.sort_values('graph_edge_index').drop(['graph_edge_index'], axis=1)\n edge_segments = []\n for i, edge in df.iterrows():\n start = edge['src_x'], edge['src_y']\n end = edge['dst_x'], edge['dst_y']\n edge_segments.append(np.array([start, end]))\n return edge_segments\n", "role": "user" }, { "content": "connect_edges_pd", "role": "assistant" } ]
def x(graph): paths = [] for start, end in graph.array(graph.kdims): start_ds = graph.nodes[:, :, start] end_ds = graph.nodes[:, :, end] if not len(start_ds) or not len(end_ds): raise ValueError('Could not find node positions for all edges') start = start_ds.array(start_ds.kdims[:2]) end = end_ds.array(end_ds.kdims[:2]) paths.append(np.array([start[0], end[0]])) return paths
connect_edges
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n paths = []\n for start, end in graph.array(graph.kdims):\n start_ds = graph.nodes[:, :, start]\n end_ds = graph.nodes[:, :, end]\n if not len(start_ds) or not len(end_ds):\n raise ValueError('Could not find node positions for all edges')\n start = start_ds.array(start_ds.kdims[:2])\n end = end_ds.array(end_ds.kdims[:2])\n paths.append(np.array([start[0], end[0]]))\n return paths\n", "role": "user" }, { "content": "connect_edges", "role": "assistant" } ]
def x(self, obj): xdim, ydim = obj.dimensions(label=True)[:2] xcoords = obj.dimension_values(xdim, False) ycoords = obj.dimension_values(ydim, False) grouped = obj.groupby(xdim, container_type=OrderedDict, group_type=Dataset ).values() orderings = OrderedDict() sort = True for group in grouped: vals = group.dimension_values(ydim, False) if len(vals) == 1: orderings[vals[0]] = [vals[0]] else: for i in range(len(vals) - 1): p1, p2 = vals[i:i + 2] orderings[p1] = [p2] if sort: if vals.dtype.kind in ('i', 'f'): sort = (np.diff(vals) >= 0).all() else: sort = np.array_equal(np.sort(vals), vals) if sort or one_to_one(orderings, ycoords): ycoords = np.sort(ycoords) elif not is_cyclic(orderings): coords = list(itertools.chain(*sort_topologically(orderings))) ycoords = coords if len(coords) == len(ycoords) else np.sort(ycoords) return xcoords, ycoords
get_coords
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n xdim, ydim = obj.dimensions(label=True)[:2]\n xcoords = obj.dimension_values(xdim, False)\n ycoords = obj.dimension_values(ydim, False)\n grouped = obj.groupby(xdim, container_type=OrderedDict, group_type=Dataset\n ).values()\n orderings = OrderedDict()\n sort = True\n for group in grouped:\n vals = group.dimension_values(ydim, False)\n if len(vals) == 1:\n orderings[vals[0]] = [vals[0]]\n else:\n for i in range(len(vals) - 1):\n p1, p2 = vals[i:i + 2]\n orderings[p1] = [p2]\n if sort:\n if vals.dtype.kind in ('i', 'f'):\n sort = (np.diff(vals) >= 0).all()\n else:\n sort = np.array_equal(np.sort(vals), vals)\n if sort or one_to_one(orderings, ycoords):\n ycoords = np.sort(ycoords)\n elif not is_cyclic(orderings):\n coords = list(itertools.chain(*sort_topologically(orderings)))\n ycoords = coords if len(coords) == len(ycoords) else np.sort(ycoords)\n return xcoords, ycoords\n", "role": "user" }, { "content": "get_coords", "role": "assistant" } ]
def x(self, obj, xcoords, ycoords): dim_labels = obj.dimensions(label=True) vdims = obj.dimensions()[2:] xdim, ydim = dim_labels[:2] shape = len(ycoords), len(xcoords) nsamples = np.product(shape) grid_data = {xdim: xcoords, ydim: ycoords} ys, xs = cartesian_product([ycoords, xcoords], copy=True) data = {xdim: xs, ydim: ys} for vdim in vdims: values = np.empty(nsamples) values[:] = np.NaN data[vdim.name] = values dtype = default_datatype dense_data = Dataset(data, kdims=obj.kdims, vdims=obj.vdims, datatype=[ dtype]) concat_data = obj.interface.concatenate([dense_data, obj], datatype=dtype) reindexed = concat_data.reindex([xdim, ydim], vdims) if not reindexed: agg = reindexed elif pd: df = PandasInterface.as_dframe(reindexed) df = df.groupby([xdim, ydim], sort=False).first().reset_index() agg = reindexed.clone(df) else: agg = reindexed.aggregate([xdim, ydim], reduce_fn) for vdim in vdims: grid_data[vdim.name] = agg.dimension_values(vdim).reshape(shape) return agg.clone(grid_data, kdims=[xdim, ydim], vdims=vdims, datatype= self.p.datatype)
aggregate_dataset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, xcoords, ycoords):\n dim_labels = obj.dimensions(label=True)\n vdims = obj.dimensions()[2:]\n xdim, ydim = dim_labels[:2]\n shape = len(ycoords), len(xcoords)\n nsamples = np.product(shape)\n grid_data = {xdim: xcoords, ydim: ycoords}\n ys, xs = cartesian_product([ycoords, xcoords], copy=True)\n data = {xdim: xs, ydim: ys}\n for vdim in vdims:\n values = np.empty(nsamples)\n values[:] = np.NaN\n data[vdim.name] = values\n dtype = default_datatype\n dense_data = Dataset(data, kdims=obj.kdims, vdims=obj.vdims, datatype=[\n dtype])\n concat_data = obj.interface.concatenate([dense_data, obj], datatype=dtype)\n reindexed = concat_data.reindex([xdim, ydim], vdims)\n if not reindexed:\n agg = reindexed\n elif pd:\n df = PandasInterface.as_dframe(reindexed)\n df = df.groupby([xdim, ydim], sort=False).first().reset_index()\n agg = reindexed.clone(df)\n else:\n agg = reindexed.aggregate([xdim, ydim], reduce_fn)\n for vdim in vdims:\n grid_data[vdim.name] = agg.dimension_values(vdim).reshape(shape)\n return agg.clone(grid_data, kdims=[xdim, ydim], vdims=vdims, datatype=\n self.p.datatype)\n", "role": "user" }, { "content": "aggregate_dataset", "role": "assistant" } ]
def x(self, obj, key=None): if isinstance(obj, Dataset) and obj.interface.gridded: return obj elif obj.ndims > 2: raise ValueError('Cannot aggregate more than two dimensions') elif len(obj.dimensions()) < 3: raise ValueError( 'Must have at two dimensions to aggregate overand one value dimension to aggregate on.' ) dtype = 'dataframe' if pd else 'dictionary' obj = Dataset(obj, datatype=[dtype]) xcoords, ycoords = self._get_coords(obj) return self._aggregate_dataset(obj, xcoords, ycoords)
process
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, key=None):\n if isinstance(obj, Dataset) and obj.interface.gridded:\n return obj\n elif obj.ndims > 2:\n raise ValueError('Cannot aggregate more than two dimensions')\n elif len(obj.dimensions()) < 3:\n raise ValueError(\n 'Must have at two dimensions to aggregate overand one value dimension to aggregate on.'\n )\n dtype = 'dataframe' if pd else 'dictionary'\n obj = Dataset(obj, datatype=[dtype])\n xcoords, ycoords = self._get_coords(obj)\n return self._aggregate_dataset(obj, xcoords, ycoords)\n", "role": "user" }, { "content": "process", "role": "assistant" } ]
def x(self, ranges=None, plot=None, plots=None, source=None): element = self.hmap.last key = self.keys[-1] self.current_frame = element self.current_key = key style = self.lookup_options(element, 'style')[self.cyclic_index] data, _, style = self.get_data(element, ranges, style) if source is None: source = self._init_datasource(data) self.handles['source'] = self.handles['cds'] = source self.handles['selected'] = source.selected columns = self._get_columns(element, data) style['reorderable'] = False table = DataTable(source=source, columns=columns, height=self.height, width=self.width, **style) self.handles['table'] = table self.handles['glyph_renderer'] = table self._execute_hooks(element) self.drawn = True title = self._get_title_div(self.keys[-1], '10pt') if title: plot = Column(title, table) self.handles['title'] = title else: plot = table self.handles['plot'] = plot for cb in self.callbacks: cb.initialize() return plot
initialize_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ranges=None, plot=None, plots=None, source=None):\n element = self.hmap.last\n key = self.keys[-1]\n self.current_frame = element\n self.current_key = key\n style = self.lookup_options(element, 'style')[self.cyclic_index]\n data, _, style = self.get_data(element, ranges, style)\n if source is None:\n source = self._init_datasource(data)\n self.handles['source'] = self.handles['cds'] = source\n self.handles['selected'] = source.selected\n columns = self._get_columns(element, data)\n style['reorderable'] = False\n table = DataTable(source=source, columns=columns, height=self.height,\n width=self.width, **style)\n self.handles['table'] = table\n self.handles['glyph_renderer'] = table\n self._execute_hooks(element)\n self.drawn = True\n title = self._get_title_div(self.keys[-1], '10pt')\n if title:\n plot = Column(title, table)\n self.handles['title'] = title\n else:\n plot = table\n self.handles['plot'] = plot\n for cb in self.callbacks:\n cb.initialize()\n return plot\n", "role": "user" }, { "content": "initialize_plot", "role": "assistant" } ]
def x(self, key, ranges=None, plot=None): element = self._get_frame(key) self._get_title_div(key, '12pt') previous_id = self.handles.get('previous_id', None) current_id = element._plot_id self.handles['previous_id'] = current_id self.static_source = self.dynamic and current_id == previous_id if (element is None or not self.dynamic and self.static or self. streaming and self.streaming[0].data is self.current_frame.data and not self.streaming[0]._triggering or self.static_source): return source = self.handles['source'] style = self.lookup_options(element, 'style')[self.cyclic_index] data, _, style = self.get_data(element, ranges, style) columns = self._get_columns(element, data) self.handles['table'].columns = columns self._update_datasource(source, data)
update_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, ranges=None, plot=None):\n element = self._get_frame(key)\n self._get_title_div(key, '12pt')\n previous_id = self.handles.get('previous_id', None)\n current_id = element._plot_id\n self.handles['previous_id'] = current_id\n self.static_source = self.dynamic and current_id == previous_id\n if (element is None or not self.dynamic and self.static or self.\n streaming and self.streaming[0].data is self.current_frame.data and\n not self.streaming[0]._triggering or self.static_source):\n return\n source = self.handles['source']\n style = self.lookup_options(element, 'style')[self.cyclic_index]\n data, _, style = self.get_data(element, ranges, style)\n columns = self._get_columns(element, data)\n self.handles['table'].columns = columns\n self._update_datasource(source, data)\n", "role": "user" }, { "content": "update_frame", "role": "assistant" } ]
def x(self, dim, expanded=True, flat=True): dim_idx = self.get_dimension_index(dim) if not expanded and dim_idx == 0: return np.array(range(self.data.shape[1])) elif not expanded and dim_idx == 1: return np.array(range(self.data.shape[0])) elif dim_idx in [0, 1]: values = np.mgrid[0:self.data.shape[1], 0:self.data.shape[0]][dim_idx] return values.flatten() if flat else values elif dim_idx == 2: arr = self.data.T return arr.flatten() if flat else arr else: return super(Raster, self).dimension_values(dim)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dim, expanded=True, flat=True):\n dim_idx = self.get_dimension_index(dim)\n if not expanded and dim_idx == 0:\n return np.array(range(self.data.shape[1]))\n elif not expanded and dim_idx == 1:\n return np.array(range(self.data.shape[0]))\n elif dim_idx in [0, 1]:\n values = np.mgrid[0:self.data.shape[1], 0:self.data.shape[0]][dim_idx]\n return values.flatten() if flat else values\n elif dim_idx == 2:\n arr = self.data.T\n return arr.flatten() if flat else arr\n else:\n return super(Raster, self).dimension_values(dim)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, samples=[], **sample_values): if isinstance(samples, tuple): X, Y = samples samples = zip(X, Y) params = dict(self.get_param_values(onlychanged=True), vdims=self.vdims) params.pop('extents', None) params.pop('bounds', None) if len(sample_values) == self.ndims or len(samples): if not len(samples): samples = zip(*[(c if isinstance(c, list) else [c]) for _, c in sorted([(self.get_dimension_index(k), v) for k, v in sample_values.items()])]) table_data = [(c + (self._zdata[self._coord2matrix(c)],)) for c in samples] params['kdims'] = self.kdims return Table(table_data, **params) else: dimension, sample_coord = list(sample_values.items())[0] if isinstance(sample_coord, slice): raise ValueError( 'Raster sampling requires coordinates not slices,use regular slicing syntax.' ) sample_ind = self.get_dimension_index(dimension) if sample_ind is None: raise Exception('Dimension %s not found during sampling' % dimension) other_dimension = [d for i, d in enumerate(self.kdims) if i != sample_ind] sample = [slice(None) for i in range(self.ndims)] coord_fn = (lambda v: (v, 0)) if not sample_ind else lambda v: (0, v) sample[sample_ind] = self._coord2matrix(coord_fn(sample_coord))[abs (sample_ind - 1)] x_vals = self.dimension_values(other_dimension[0].name, False) ydata = self._zdata[tuple(sample[::-1])] if hasattr(self, 'bounds') and sample_ind == 0: ydata = ydata[::-1] data = list(zip(x_vals, ydata)) params['kdims'] = other_dimension return Curve(data, **params)
sample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, samples=[], **sample_values):\n if isinstance(samples, tuple):\n X, Y = samples\n samples = zip(X, Y)\n params = dict(self.get_param_values(onlychanged=True), vdims=self.vdims)\n params.pop('extents', None)\n params.pop('bounds', None)\n if len(sample_values) == self.ndims or len(samples):\n if not len(samples):\n samples = zip(*[(c if isinstance(c, list) else [c]) for _, c in\n sorted([(self.get_dimension_index(k), v) for k, v in\n sample_values.items()])])\n table_data = [(c + (self._zdata[self._coord2matrix(c)],)) for c in\n samples]\n params['kdims'] = self.kdims\n return Table(table_data, **params)\n else:\n dimension, sample_coord = list(sample_values.items())[0]\n if isinstance(sample_coord, slice):\n raise ValueError(\n 'Raster sampling requires coordinates not slices,use regular slicing syntax.'\n )\n sample_ind = self.get_dimension_index(dimension)\n if sample_ind is None:\n raise Exception('Dimension %s not found during sampling' %\n dimension)\n other_dimension = [d for i, d in enumerate(self.kdims) if i !=\n sample_ind]\n sample = [slice(None) for i in range(self.ndims)]\n coord_fn = (lambda v: (v, 0)) if not sample_ind else lambda v: (0, v)\n sample[sample_ind] = self._coord2matrix(coord_fn(sample_coord))[abs\n (sample_ind - 1)]\n x_vals = self.dimension_values(other_dimension[0].name, False)\n ydata = self._zdata[tuple(sample[::-1])]\n if hasattr(self, 'bounds') and sample_ind == 0:\n ydata = ydata[::-1]\n data = list(zip(x_vals, ydata))\n params['kdims'] = other_dimension\n return Curve(data, **params)\n", "role": "user" }, { "content": "sample", "role": "assistant" } ]
def x(self, dimensions=None, function=None, **reduce_map): function, dims = self._reduce_map(dimensions, function, reduce_map) if len(dims) == self.ndims: if isinstance(function, np.ufunc): return function.reduce(self.data, axis=None) else: return function(self.data) else: dimension = dims[0] other_dimension = [d for d in self.kdims if d.name != dimension] oidx = self.get_dimension_index(other_dimension[0]) x_vals = self.dimension_values(other_dimension[0].name, False) reduced = function(self._zdata, axis=oidx) if oidx and hasattr(self, 'bounds'): reduced = reduced[::-1] data = zip(x_vals, reduced) params = dict(dict(self.get_param_values(onlychanged=True)), kdims= other_dimension, vdims=self.vdims) params.pop('bounds', None) params.pop('extents', None) return Table(data, **params)
reduce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=None, function=None, **reduce_map):\n function, dims = self._reduce_map(dimensions, function, reduce_map)\n if len(dims) == self.ndims:\n if isinstance(function, np.ufunc):\n return function.reduce(self.data, axis=None)\n else:\n return function(self.data)\n else:\n dimension = dims[0]\n other_dimension = [d for d in self.kdims if d.name != dimension]\n oidx = self.get_dimension_index(other_dimension[0])\n x_vals = self.dimension_values(other_dimension[0].name, False)\n reduced = function(self._zdata, axis=oidx)\n if oidx and hasattr(self, 'bounds'):\n reduced = reduced[::-1]\n data = zip(x_vals, reduced)\n params = dict(dict(self.get_param_values(onlychanged=True)), kdims=\n other_dimension, vdims=self.vdims)\n params.pop('bounds', None)\n params.pop('extents', None)\n return Table(data, **params)\n", "role": "user" }, { "content": "reduce", "role": "assistant" } ]
def x(self, data=None, shared_data=True, new_type=None, link=True, *args, **overrides): if data is None and (new_type is None or issubclass(new_type, Image)): sheet_params = dict(bounds=self.bounds, xdensity=self.xdensity, ydensity=self.ydensity) overrides = dict(sheet_params, **overrides) return super(Image, self).clone(data, shared_data, new_type, link, * args, **overrides)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data=None, shared_data=True, new_type=None, link=True, *args,\n **overrides):\n if data is None and (new_type is None or issubclass(new_type, Image)):\n sheet_params = dict(bounds=self.bounds, xdensity=self.xdensity,\n ydensity=self.ydensity)\n overrides = dict(sheet_params, **overrides)\n return super(Image, self).clone(data, shared_data, new_type, link, *\n args, **overrides)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self, selection_specs=None, **selection): if selection_specs and not any(self.matches(sp) for sp in selection_specs): return self selection = {self.get_dimension(k).name: (slice(*sel) if isinstance(sel, tuple) else sel) for k, sel in selection.items() if k in self.kdims} coords = tuple(selection[kd.name] if kd.name in selection else slice( None) for kd in self.kdims) shape = self.interface.shape(self, gridded=True) if any([isinstance(el, slice) for el in coords]): bounds = compute_slice_bounds(coords, self, shape[:2]) xdim, ydim = self.kdims l, b, r, t = bounds.lbrt() y0, y1, x0, x1 = Slice(bounds, self) y0, y1 = shape[0] - y1, shape[0] - y0 selection = slice(y0, y1), slice(x0, x1) sliced = True else: y, x = self.sheet2matrixidx(coords[0], coords[1]) y = shape[0] - y - 1 selection = y, x sliced = False datatype = list(util.unique_iterator([self.interface.datatype] + self. datatype)) data = self.interface.ndloc(self, selection) if not sliced: if np.isscalar(data): return data elif isinstance(data, tuple): data = data[self.ndims:] return self.clone(data, kdims=[], new_type=Dataset, datatype=datatype) else: return self.clone(data, xdensity=self.xdensity, datatype=datatype, ydensity=self.ydensity, bounds=bounds)
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, selection_specs=None, **selection):\n if selection_specs and not any(self.matches(sp) for sp in selection_specs):\n return self\n selection = {self.get_dimension(k).name: (slice(*sel) if isinstance(sel,\n tuple) else sel) for k, sel in selection.items() if k in self.kdims}\n coords = tuple(selection[kd.name] if kd.name in selection else slice(\n None) for kd in self.kdims)\n shape = self.interface.shape(self, gridded=True)\n if any([isinstance(el, slice) for el in coords]):\n bounds = compute_slice_bounds(coords, self, shape[:2])\n xdim, ydim = self.kdims\n l, b, r, t = bounds.lbrt()\n y0, y1, x0, x1 = Slice(bounds, self)\n y0, y1 = shape[0] - y1, shape[0] - y0\n selection = slice(y0, y1), slice(x0, x1)\n sliced = True\n else:\n y, x = self.sheet2matrixidx(coords[0], coords[1])\n y = shape[0] - y - 1\n selection = y, x\n sliced = False\n datatype = list(util.unique_iterator([self.interface.datatype] + self.\n datatype))\n data = self.interface.ndloc(self, selection)\n if not sliced:\n if np.isscalar(data):\n return data\n elif isinstance(data, tuple):\n data = data[self.ndims:]\n return self.clone(data, kdims=[], new_type=Dataset, datatype=datatype)\n else:\n return self.clone(data, xdensity=self.xdensity, datatype=datatype,\n ydensity=self.ydensity, bounds=bounds)\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, samples=[], **kwargs): kwargs = {k: v for k, v in kwargs.items() if k != 'closest'} if kwargs and samples: raise Exception('Supply explicit list of samples or kwargs, not both.') elif kwargs: sample = [slice(None) for _ in range(self.ndims)] for dim, val in kwargs.items(): sample[self.get_dimension_index(dim)] = val samples = [tuple(sample)] shape = self.interface.shape(self, gridded=True) if len(samples) == 1: dims = [kd for kd, v in zip(self.kdims, samples[0]) if not (np. isscalar(v) or isinstance(v, util.datetime_types))] if len(dims) == 1: kdims = [self.get_dimension(kd) for kd in dims] sample = tuple(np.datetime64(s) if isinstance(s, util. datetime_types) else s for s in samples[0]) sel = {kd.name: s for kd, s in zip(self.kdims, sample)} dims = [kd for kd, v in sel.items() if not np.isscalar(v)] selection = self.select(**sel) selection = tuple(selection.columns(kdims + self.vdims).values()) datatype = list(util.unique_iterator(self.datatype + [ 'dataframe', 'dict'])) return self.clone(selection, kdims=kdims, new_type=Curve, datatype=datatype) else: kdims = self.kdims else: kdims = self.kdims xs, ys = zip(*samples) if isinstance(xs[0], util.datetime_types): xs = np.array(xs).astype(np.datetime64) if isinstance(ys[0], util.datetime_types): ys = np.array(ys).astype(np.datetime64) yidx, xidx = self.sheet2matrixidx(np.array(xs), np.array(ys)) yidx = shape[0] - yidx - 1 out_of_bounds = (yidx < 0) | (xidx < 0) | (yidx >= shape[0]) | (xidx >= shape[1]) if out_of_bounds.any(): coords = [samples[idx] for idx in np.where(out_of_bounds)[0]] raise IndexError( 'Coordinate(s) %s out of bounds for %s with bounds %s' % ( coords, type(self).__name__, self.bounds.lbrt())) data = self.interface.ndloc(self, (yidx, xidx)) return self.clone(data, new_type=Table, datatype=['dataframe', 'dictionary'])
sample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, samples=[], **kwargs):\n kwargs = {k: v for k, v in kwargs.items() if k != 'closest'}\n if kwargs and samples:\n raise Exception('Supply explicit list of samples or kwargs, not both.')\n elif kwargs:\n sample = [slice(None) for _ in range(self.ndims)]\n for dim, val in kwargs.items():\n sample[self.get_dimension_index(dim)] = val\n samples = [tuple(sample)]\n shape = self.interface.shape(self, gridded=True)\n if len(samples) == 1:\n dims = [kd for kd, v in zip(self.kdims, samples[0]) if not (np.\n isscalar(v) or isinstance(v, util.datetime_types))]\n if len(dims) == 1:\n kdims = [self.get_dimension(kd) for kd in dims]\n sample = tuple(np.datetime64(s) if isinstance(s, util.\n datetime_types) else s for s in samples[0])\n sel = {kd.name: s for kd, s in zip(self.kdims, sample)}\n dims = [kd for kd, v in sel.items() if not np.isscalar(v)]\n selection = self.select(**sel)\n selection = tuple(selection.columns(kdims + self.vdims).values())\n datatype = list(util.unique_iterator(self.datatype + [\n 'dataframe', 'dict']))\n return self.clone(selection, kdims=kdims, new_type=Curve,\n datatype=datatype)\n else:\n kdims = self.kdims\n else:\n kdims = self.kdims\n xs, ys = zip(*samples)\n if isinstance(xs[0], util.datetime_types):\n xs = np.array(xs).astype(np.datetime64)\n if isinstance(ys[0], util.datetime_types):\n ys = np.array(ys).astype(np.datetime64)\n yidx, xidx = self.sheet2matrixidx(np.array(xs), np.array(ys))\n yidx = shape[0] - yidx - 1\n out_of_bounds = (yidx < 0) | (xidx < 0) | (yidx >= shape[0]) | (xidx >=\n shape[1])\n if out_of_bounds.any():\n coords = [samples[idx] for idx in np.where(out_of_bounds)[0]]\n raise IndexError(\n 'Coordinate(s) %s out of bounds for %s with bounds %s' % (\n coords, type(self).__name__, self.bounds.lbrt()))\n data = self.interface.ndloc(self, (yidx, xidx))\n return self.clone(data, new_type=Table, datatype=['dataframe',\n 'dictionary'])\n", "role": "user" }, { "content": "sample", "role": "assistant" } ]
def x(self, coords=[], **kwargs): if kwargs and coords: raise ValueError( 'Specify coordinate using as either a list keyword arguments not both' ) if kwargs: coords = [] getter = [] for k, v in kwargs.items(): idx = self.get_dimension_index(k) if np.isscalar(v): coords.append((0, v) if idx else (v, 0)) else: if isinstance(v, list): coords = [((0, c) if idx else (c, 0)) for c in v] if len(coords) not in [0, len(v)]: raise ValueError('Length of samples must match') elif len(coords): coords = [((t[abs(idx - 1)], c) if idx else (c, t[abs( idx - 1)])) for c, t in zip(v, coords)] getter.append(idx) else: getter = [0, 1] getter = itemgetter(*sorted(getter)) if len(coords) == 1: coords = coords[0] if isinstance(coords, tuple): return getter(self.closest_cell_center(*coords)) else: return [getter(self.closest_cell_center(*el)) for el in coords]
closest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, coords=[], **kwargs):\n if kwargs and coords:\n raise ValueError(\n 'Specify coordinate using as either a list keyword arguments not both'\n )\n if kwargs:\n coords = []\n getter = []\n for k, v in kwargs.items():\n idx = self.get_dimension_index(k)\n if np.isscalar(v):\n coords.append((0, v) if idx else (v, 0))\n else:\n if isinstance(v, list):\n coords = [((0, c) if idx else (c, 0)) for c in v]\n if len(coords) not in [0, len(v)]:\n raise ValueError('Length of samples must match')\n elif len(coords):\n coords = [((t[abs(idx - 1)], c) if idx else (c, t[abs(\n idx - 1)])) for c, t in zip(v, coords)]\n getter.append(idx)\n else:\n getter = [0, 1]\n getter = itemgetter(*sorted(getter))\n if len(coords) == 1:\n coords = coords[0]\n if isinstance(coords, tuple):\n return getter(self.closest_cell_center(*coords))\n else:\n return [getter(self.closest_cell_center(*el)) for el in coords]\n", "role": "user" }, { "content": "closest", "role": "assistant" } ]
def x(cls, filename, height=1, array=False, bounds=None, bare=False, **kwargs): try: from matplotlib import pyplot as plt except: raise ImportError('RGB.load_image requires matplotlib.') data = plt.imread(filename) if array: return data h, w, _ = data.shape if bounds is None: f = float(height) / h xoffset, yoffset = w * f / 2, h * f / 2 bounds = -xoffset, -yoffset, xoffset, yoffset rgb = cls(data, bounds=bounds, **kwargs) if bare: rgb = rgb(plot=dict(xaxis=None, yaxis=None)) return rgb
load_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename, height=1, array=False, bounds=None, bare=False, **kwargs):\n try:\n from matplotlib import pyplot as plt\n except:\n raise ImportError('RGB.load_image requires matplotlib.')\n data = plt.imread(filename)\n if array:\n return data\n h, w, _ = data.shape\n if bounds is None:\n f = float(height) / h\n xoffset, yoffset = w * f / 2, h * f / 2\n bounds = -xoffset, -yoffset, xoffset, yoffset\n rgb = cls(data, bounds=bounds, **kwargs)\n if bare:\n rgb = rgb(plot=dict(xaxis=None, yaxis=None))\n return rgb\n", "role": "user" }, { "content": "load_image", "role": "assistant" } ]
def x(self): coords = tuple(self.dimension_values(d, expanded=False) for d in self.kdims ) data = [self.dimension_values(d, flat=False) for d in self.vdims] hsv = self.hsv_to_rgb(*data[:3]) if len(self.vdims) == 4: hsv += data[3], params = util.get_param_values(self) del params['vdims'] return RGB(coords + hsv, bounds=self.bounds, xdensity=self.xdensity, ydensity=self.ydensity, **params)
rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n coords = tuple(self.dimension_values(d, expanded=False) for d in self.kdims\n )\n data = [self.dimension_values(d, flat=False) for d in self.vdims]\n hsv = self.hsv_to_rgb(*data[:3])\n if len(self.vdims) == 4:\n hsv += data[3],\n params = util.get_param_values(self)\n del params['vdims']\n return RGB(coords + hsv, bounds=self.bounds, xdensity=self.xdensity,\n ydensity=self.ydensity, **params)\n", "role": "user" }, { "content": "rgb", "role": "assistant" } ]
def x(self): xs = self.interface.coords(self, 0, edges=True) ys = self.interface.coords(self, 1, edges=True) if xs.ndim == 1: if np.all(xs[1:] < xs[:-1]): xs = xs[::-1] if np.all(ys[1:] < ys[:-1]): ys = ys[::-1] xs, ys = np.tile(xs[:, np.newaxis], len(ys)).T, np.tile(ys[:, np. newaxis], len(xs)) vertices = xs.T.flatten(), ys.T.flatten() shape = self.dimension_values(2, flat=False).shape s0 = shape[0] t1 = np.arange(np.product(shape)) js = t1 // s0 t1s = js * (s0 + 1) + t1 % s0 t2s = t1s + 1 t3s = (js + 1) * (s0 + 1) + t1 % s0 t4s = t2s t5s = t3s t6s = t3s + 1 t1 = np.concatenate([t1s, t6s]) t2 = np.concatenate([t2s, t5s]) t3 = np.concatenate([t3s, t4s]) ts = t1, t2, t3 for vd in self.vdims: zs = self.dimension_values(vd) ts = ts + (np.concatenate([zs, zs]),) params = util.get_param_values(self) params['kdims'] = params['kdims'] + TriMesh.node_type.kdims[2:] nodes = TriMesh.node_type(vertices + (np.arange(len(vertices[0])),), ** {k: v for k, v in params.items() if k != 'vdims'}) return TriMesh(((ts,), nodes), **{k: v for k, v in params.items() if k != 'kdims'})
trimesh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n xs = self.interface.coords(self, 0, edges=True)\n ys = self.interface.coords(self, 1, edges=True)\n if xs.ndim == 1:\n if np.all(xs[1:] < xs[:-1]):\n xs = xs[::-1]\n if np.all(ys[1:] < ys[:-1]):\n ys = ys[::-1]\n xs, ys = np.tile(xs[:, np.newaxis], len(ys)).T, np.tile(ys[:, np.\n newaxis], len(xs))\n vertices = xs.T.flatten(), ys.T.flatten()\n shape = self.dimension_values(2, flat=False).shape\n s0 = shape[0]\n t1 = np.arange(np.product(shape))\n js = t1 // s0\n t1s = js * (s0 + 1) + t1 % s0\n t2s = t1s + 1\n t3s = (js + 1) * (s0 + 1) + t1 % s0\n t4s = t2s\n t5s = t3s\n t6s = t3s + 1\n t1 = np.concatenate([t1s, t6s])\n t2 = np.concatenate([t2s, t5s])\n t3 = np.concatenate([t3s, t4s])\n ts = t1, t2, t3\n for vd in self.vdims:\n zs = self.dimension_values(vd)\n ts = ts + (np.concatenate([zs, zs]),)\n params = util.get_param_values(self)\n params['kdims'] = params['kdims'] + TriMesh.node_type.kdims[2:]\n nodes = TriMesh.node_type(vertices + (np.arange(len(vertices[0])),), **\n {k: v for k, v in params.items() if k != 'vdims'})\n return TriMesh(((ts,), nodes), **{k: v for k, v in params.items() if k !=\n 'kdims'})\n", "role": "user" }, { "content": "trimesh", "role": "assistant" } ]
def x(cls, word): prio1, prio2 = 0, 0 if word.startswith('__'): prio1 = 2 elif word.startswith('_'): prio1 = 1 if word.endswith('='): prio1 = -1 if word.startswith('%%'): if not '%' in word[2:]: word = word[2:] prio2 = 2 elif word.startswith('%'): if not '%' in word[1:]: word = word[1:] prio2 = 1 return prio1, word, prio2
completions_sorting_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, word):\n prio1, prio2 = 0, 0\n if word.startswith('__'):\n prio1 = 2\n elif word.startswith('_'):\n prio1 = 1\n if word.endswith('='):\n prio1 = -1\n if word.startswith('%%'):\n if not '%' in word[2:]:\n word = word[2:]\n prio2 = 2\n elif word.startswith('%'):\n if not '%' in word[1:]:\n word = word[1:]\n prio2 = 1\n return prio1, word, prio2\n", "role": "user" }, { "content": "completions_sorting_key", "role": "assistant" } ]
def x(self, args, params): resources = [] disabled = [] for resource in (['holoviews'] + list(Store.renderers.keys())): if resource in args: resources.append(resource) if resource in params: setting = params.pop(resource) if setting is True and resource != 'matplotlib': if resource not in resources: resources.append(resource) if setting is False: disabled.append(resource) unmatched_args = set(args) - set(resources) if unmatched_args: display(HTML('<b>Warning:</b> Unrecognized resources %s' % ', '. join(unmatched_args))) resources = [r for r in resources if r not in disabled] if 'holoviews' not in disabled and 'holoviews' not in resources: resources = ['holoviews'] + resources return resources
get_resources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args, params):\n resources = []\n disabled = []\n for resource in (['holoviews'] + list(Store.renderers.keys())):\n if resource in args:\n resources.append(resource)\n if resource in params:\n setting = params.pop(resource)\n if setting is True and resource != 'matplotlib':\n if resource not in resources:\n resources.append(resource)\n if setting is False:\n disabled.append(resource)\n unmatched_args = set(args) - set(resources)\n if unmatched_args:\n display(HTML('<b>Warning:</b> Unrecognized resources %s' % ', '.\n join(unmatched_args)))\n resources = [r for r in resources if r not in disabled]\n if 'holoviews' not in disabled and 'holoviews' not in resources:\n resources = ['holoviews'] + resources\n return resources\n", "role": "user" }, { "content": "get_resources", "role": "assistant" } ]
def x(cls, logo=False, bokeh_logo=False, mpl_logo=False, plotly_logo=False, JS=True, message='HoloViewsJS successfully loaded.'): import jinja2 if JS: widgetjs, widgetcss = Renderer.html_assets(extras=False, backends=[ ], script=True) else: widgetjs, widgetcss = '', '' widgetjs += nb_mime_js templateLoader = jinja2.FileSystemLoader(os.path.dirname(os.path. abspath(__file__))) jinjaEnv = jinja2.Environment(loader=templateLoader) template = jinjaEnv.get_template('load_notebook.html') html = template.render({'widgetcss': widgetcss, 'logo': logo, 'bokeh_logo': bokeh_logo, 'mpl_logo': mpl_logo, 'plotly_logo': plotly_logo, 'message': message}) publish_display_data(data={'text/html': html}) if JS: mimebundle = {MIME_TYPES['js']: widgetjs, MIME_TYPES['jlab-hv-load' ]: widgetjs} if os.environ.get('HV_DOC_HTML', False): mimebundle = {'text/html': mimebundle_to_html(mimebundle)} publish_display_data(data=mimebundle)
load_hvjs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, logo=False, bokeh_logo=False, mpl_logo=False, plotly_logo=False,\n JS=True, message='HoloViewsJS successfully loaded.'):\n import jinja2\n if JS:\n widgetjs, widgetcss = Renderer.html_assets(extras=False, backends=[\n ], script=True)\n else:\n widgetjs, widgetcss = '', ''\n widgetjs += nb_mime_js\n templateLoader = jinja2.FileSystemLoader(os.path.dirname(os.path.\n abspath(__file__)))\n jinjaEnv = jinja2.Environment(loader=templateLoader)\n template = jinjaEnv.get_template('load_notebook.html')\n html = template.render({'widgetcss': widgetcss, 'logo': logo,\n 'bokeh_logo': bokeh_logo, 'mpl_logo': mpl_logo, 'plotly_logo':\n plotly_logo, 'message': message})\n publish_display_data(data={'text/html': html})\n if JS:\n mimebundle = {MIME_TYPES['js']: widgetjs, MIME_TYPES['jlab-hv-load'\n ]: widgetjs}\n if os.environ.get('HV_DOC_HTML', False):\n mimebundle = {'text/html': mimebundle_to_html(mimebundle)}\n publish_display_data(data=mimebundle)\n", "role": "user" }, { "content": "load_hvjs", "role": "assistant" } ]
def x(self_or_cls): elements = [('%s=Boolean' % k) for k in list(Store.renderers.keys())] for name, p in self_or_cls.params().items(): param_type = p.__class__.__name__ elements.append('%s=%s' % (name, param_type)) return 'params(%s)' % ', '.join(['holoviews=Boolean'] + elements)
tab_completion_docstring
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self_or_cls):\n elements = [('%s=Boolean' % k) for k in list(Store.renderers.keys())]\n for name, p in self_or_cls.params().items():\n param_type = p.__class__.__name__\n elements.append('%s=%s' % (name, param_type))\n return 'params(%s)' % ', '.join(['holoviews=Boolean'] + elements)\n", "role": "user" }, { "content": "tab_completion_docstring", "role": "assistant" } ]
def x(cls): try: for element in Store.options().keys(): options = Store.options()['.'.join(element)] plotkws = options['plot'].allowed_keywords stylekws = options['style'].allowed_keywords dotted = '.'.join(element) cls._completions[dotted] = plotkws, stylekws if stylekws else [] except KeyError: pass return cls._completions
setup_completer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n try:\n for element in Store.options().keys():\n options = Store.options()['.'.join(element)]\n plotkws = options['plot'].allowed_keywords\n stylekws = options['style'].allowed_keywords\n dotted = '.'.join(element)\n cls._completions[dotted] = plotkws, stylekws if stylekws else []\n except KeyError:\n pass\n return cls._completions\n", "role": "user" }, { "content": "setup_completer", "role": "assistant" } ]
def x(cls, line, sorted_keys, compositor_defs): completion_key, suggestions = None, [] tokens = [t for t in reversed(line.replace('.', ' ').split())] for i, token in enumerate(tokens): key_checks = [] if i >= 0: key_checks.append(tokens[i]) if i >= 1: key_checks.append('.'.join([key_checks[-1], tokens[i - 1]])) if i >= 2: key_checks.append('.'.join([key_checks[-1], tokens[i - 2]])) for key in reversed(key_checks): if key in sorted_keys: completion_key = key depth = completion_key.count('.') suggestions = [k.split('.')[depth + 1] for k in sorted_keys if k.startswith(completion_key + '.')] return completion_key, suggestions if token in compositor_defs: completion_key = compositor_defs[token] break return completion_key, suggestions
dotted_completion
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, line, sorted_keys, compositor_defs):\n completion_key, suggestions = None, []\n tokens = [t for t in reversed(line.replace('.', ' ').split())]\n for i, token in enumerate(tokens):\n key_checks = []\n if i >= 0:\n key_checks.append(tokens[i])\n if i >= 1:\n key_checks.append('.'.join([key_checks[-1], tokens[i - 1]]))\n if i >= 2:\n key_checks.append('.'.join([key_checks[-1], tokens[i - 2]]))\n for key in reversed(key_checks):\n if key in sorted_keys:\n completion_key = key\n depth = completion_key.count('.')\n suggestions = [k.split('.')[depth + 1] for k in sorted_keys if\n k.startswith(completion_key + '.')]\n return completion_key, suggestions\n if token in compositor_defs:\n completion_key = compositor_defs[token]\n break\n return completion_key, suggestions\n", "role": "user" }, { "content": "dotted_completion", "role": "assistant" } ]
def x(cls, k, v): line = v.text_until_cursor completions = cls.setup_completer() compositor_defs = {el.group: el.output_type.__name__ for el in Compositor.definitions if el.group} return cls.line_completer(line, completions, compositor_defs)
option_completer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, k, v):\n line = v.text_until_cursor\n completions = cls.setup_completer()\n compositor_defs = {el.group: el.output_type.__name__ for el in\n Compositor.definitions if el.group}\n return cls.line_completer(line, completions, compositor_defs)\n", "role": "user" }, { "content": "option_completer", "role": "assistant" } ]
def x(self): if self.source in self.registry: links = self.registry[self.source] params = {k: v for k, v in self.get_param_values() if k != 'name'} for link in links: link_params = {k: v for k, v in link.get_param_values() if k != 'name'} if (type(link) is type(self) and link.source is self.source and link.target is self.target and params == link_params): return self.registry[self.source].append(self) else: self.registry[self.source] = [self]
link
[ { "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.source in self.registry:\n links = self.registry[self.source]\n params = {k: v for k, v in self.get_param_values() if k != 'name'}\n for link in links:\n link_params = {k: v for k, v in link.get_param_values() if k !=\n 'name'}\n if (type(link) is type(self) and link.source is self.source and\n link.target is self.target and params == link_params):\n return\n self.registry[self.source].append(self)\n else:\n self.registry[self.source] = [self]\n", "role": "user" }, { "content": "link", "role": "assistant" } ]
def x(self): links = self.registry.get(self.source) if self in links: links.pop(links.index(self))
unlink
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n links = self.registry.get(self.source)\n if self in links:\n links.pop(links.index(self))\n", "role": "user" }, { "content": "unlink", "role": "assistant" } ]
def x(self, element): if not element.kdims: xfactors, yfactors = [element.label], [] else: factors = [key for key in element.groupby(element.kdims).data.keys()] if element.ndims > 1: factors = sorted(factors) factors = [tuple(d.pprint_value(k) for d, k in zip(element.kdims, key)) for key in factors] factors = [(f[0] if len(f) == 1 else f) for f in factors] xfactors, yfactors = factors, [] return (yfactors, xfactors) if self.invert_axes else (xfactors, yfactors)
get_factors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element):\n if not element.kdims:\n xfactors, yfactors = [element.label], []\n else:\n factors = [key for key in element.groupby(element.kdims).data.keys()]\n if element.ndims > 1:\n factors = sorted(factors)\n factors = [tuple(d.pprint_value(k) for d, k in zip(element.kdims,\n key)) for key in factors]\n factors = [(f[0] if len(f) == 1 else f) for f in factors]\n xfactors, yfactors = factors, []\n return (yfactors, xfactors) if self.invert_axes else (xfactors, yfactors)\n", "role": "user" }, { "content": "get_factors", "role": "assistant" } ]
def x(self, kind, order, reverse=False): if kind == 'radius': start = self.max_radius * self.radius_inner end = self.max_radius elif kind == 'angle': start = self.start_angle end = self.start_angle + 2 * np.pi bounds = np.linspace(start, end, len(order) + 1) bins = np.vstack([bounds[:-1], bounds[1:]]).T if reverse: bins = bins[::-1] return dict(zip(order, bins))
get_bins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kind, order, reverse=False):\n if kind == 'radius':\n start = self.max_radius * self.radius_inner\n end = self.max_radius\n elif kind == 'angle':\n start = self.start_angle\n end = self.start_angle + 2 * np.pi\n bounds = np.linspace(start, end, len(order) + 1)\n bins = np.vstack([bounds[:-1], bounds[1:]]).T\n if reverse:\n bins = bins[::-1]\n return dict(zip(order, bins))\n", "role": "user" }, { "content": "get_bins", "role": "assistant" } ]
def x(mapper, values): array = np.array([mapper.get(x) for x in values]) return array[:, 0], array[:, 1]
get_bounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(mapper, values):\n array = np.array([mapper.get(x) for x in values])\n return array[:, 0], array[:, 1]\n", "role": "user" }, { "content": "get_bounds", "role": "assistant" } ]
def x(self, renderer, source): if isinstance(renderer.glyph, AnnularWedge): super(RadialHeatMapPlot, self)._postprocess_hover(renderer, source)
postprocess_hover
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, renderer, source):\n if isinstance(renderer.glyph, AnnularWedge):\n super(RadialHeatMapPlot, self)._postprocess_hover(renderer, source)\n", "role": "user" }, { "content": "postprocess_hover", "role": "assistant" } ]
def x(self, view, ranges, range_type='combined'): if range_type not in ('data', 'combined'): return (None,) * 4 lower = -self.radius_outer upper = 2 * self.max_radius + self.radius_outer return lower, lower, upper, upper
get_extents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, view, ranges, range_type='combined'):\n if range_type not in ('data', 'combined'):\n return (None,) * 4\n lower = -self.radius_outer\n upper = 2 * self.max_radius + self.radius_outer\n return lower, lower, upper, upper\n", "role": "user" }, { "content": "get_extents", "role": "assistant" } ]
def x(self, z, cmapper): map_annular = dict(x=self.max_radius, y=self.max_radius, inner_radius= 'inner_radius', outer_radius='outer_radius', start_angle= 'start_angle', end_angle='end_angle', fill_color={'field': z, 'transform': cmapper}) map_seg_label = dict(x='x', y='y', text='text', angle='angle', text_align='center') map_ann_label = dict(x='x', y='y', text='text', angle='angle', text_align='center', text_baseline='bottom') map_xmarks = dict(xs='xs', ys='ys') map_ymarks = dict(x=self.max_radius, y=self.max_radius, start_angle=0, end_angle=2 * np.pi, radius='radius') return {'annular_wedge_1': map_annular, 'text_1': map_seg_label, 'text_2': map_ann_label, 'multi_line_1': map_xmarks, 'arc_1': map_ymarks}
get_default_mapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, z, cmapper):\n map_annular = dict(x=self.max_radius, y=self.max_radius, inner_radius=\n 'inner_radius', outer_radius='outer_radius', start_angle=\n 'start_angle', end_angle='end_angle', fill_color={'field': z,\n 'transform': cmapper})\n map_seg_label = dict(x='x', y='y', text='text', angle='angle',\n text_align='center')\n map_ann_label = dict(x='x', y='y', text='text', angle='angle',\n text_align='center', text_baseline='bottom')\n map_xmarks = dict(xs='xs', ys='ys')\n map_ymarks = dict(x=self.max_radius, y=self.max_radius, start_angle=0,\n end_angle=2 * np.pi, radius='radius')\n return {'annular_wedge_1': map_annular, 'text_1': map_seg_label,\n 'text_2': map_ann_label, 'multi_line_1': map_xmarks, 'arc_1':\n map_ymarks}\n", "role": "user" }, { "content": "get_default_mapping", "role": "assistant" } ]
def x(self, element, dim_label, vals): if vals.dtype.kind not in 'SU': dim = element.gridded.get_dimension(dim_label) return [dim.pprint_value(v) for v in vals] return vals
pprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element, dim_label, vals):\n if vals.dtype.kind not in 'SU':\n dim = element.gridded.get_dimension(dim_label)\n return [dim.pprint_value(v) for v in vals]\n return vals\n", "role": "user" }, { "content": "pprint", "role": "assistant" } ]
def x(self, kind, order, bins): if kind == 'angle': ticks = self.xticks reverse = True elif kind == 'radius': ticks = self.yticks reverse = False if callable(ticks): text_nth = [x for x in order if ticks(x)] elif isinstance(ticks, (tuple, list)): bins = self._get_bins(kind, ticks, reverse) text_nth = ticks elif ticks: nth_label = np.ceil(len(order) / float(ticks)).astype(int) text_nth = order[::nth_label] return {x: bins[x] for x in text_nth}
compute_tick_mapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kind, order, bins):\n if kind == 'angle':\n ticks = self.xticks\n reverse = True\n elif kind == 'radius':\n ticks = self.yticks\n reverse = False\n if callable(ticks):\n text_nth = [x for x in order if ticks(x)]\n elif isinstance(ticks, (tuple, list)):\n bins = self._get_bins(kind, ticks, reverse)\n text_nth = ticks\n elif ticks:\n nth_label = np.ceil(len(order) / float(ticks)).astype(int)\n text_nth = order[::nth_label]\n return {x: bins[x] for x in text_nth}\n", "role": "user" }, { "content": "compute_tick_mapping", "role": "assistant" } ]
def x(self, order_seg, bins_seg): if self.xticks is None: return dict(x=[], y=[], text=[], angle=[]) mapping = self._compute_tick_mapping('angle', order_seg, bins_seg) values = [(text, (end - start) / 2 + start) for text, (start, end) in mapping.items()] labels, radiant = zip(*values) radiant = np.array(radiant) y_coord = np.sin(radiant) * self.max_radius + self.max_radius x_coord = np.cos(radiant) * self.max_radius + self.max_radius return dict(x=x_coord, y=y_coord, text=labels, angle=1.5 * np.pi + radiant)
get_seg_labels_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_seg, bins_seg):\n if self.xticks is None:\n return dict(x=[], y=[], text=[], angle=[])\n mapping = self._compute_tick_mapping('angle', order_seg, bins_seg)\n values = [(text, (end - start) / 2 + start) for text, (start, end) in\n mapping.items()]\n labels, radiant = zip(*values)\n radiant = np.array(radiant)\n y_coord = np.sin(radiant) * self.max_radius + self.max_radius\n x_coord = np.cos(radiant) * self.max_radius + self.max_radius\n return dict(x=x_coord, y=y_coord, text=labels, angle=1.5 * np.pi + radiant)\n", "role": "user" }, { "content": "get_seg_labels_data", "role": "assistant" } ]
def x(self, order_ann, bins_ann): if self.yticks is None: return dict(x=[], y=[], text=[], angle=[]) mapping = self._compute_tick_mapping('radius', order_ann, bins_ann) values = [(label, radius[0]) for label, radius in mapping.items()] labels, radius = zip(*values) radius = np.array(radius) y_coord = np.sin(np.deg2rad(self.yrotation)) * radius + self.max_radius x_coord = np.cos(np.deg2rad(self.yrotation)) * radius + self.max_radius return dict(x=x_coord, y=y_coord, text=labels, angle=[0] * len(labels))
get_ann_labels_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_ann, bins_ann):\n if self.yticks is None:\n return dict(x=[], y=[], text=[], angle=[])\n mapping = self._compute_tick_mapping('radius', order_ann, bins_ann)\n values = [(label, radius[0]) for label, radius in mapping.items()]\n labels, radius = zip(*values)\n radius = np.array(radius)\n y_coord = np.sin(np.deg2rad(self.yrotation)) * radius + self.max_radius\n x_coord = np.cos(np.deg2rad(self.yrotation)) * radius + self.max_radius\n return dict(x=x_coord, y=y_coord, text=labels, angle=[0] * len(labels))\n", "role": "user" }, { "content": "get_ann_labels_data", "role": "assistant" } ]
def x(marks, order, bins): if callable(marks): markers = [x for x in order if marks(x)] elif isinstance(marks, list): markers = [order[x] for x in marks] elif isinstance(marks, tuple): markers = marks else: nth_mark = np.ceil(len(order) / marks).astype(int) markers = order[::nth_mark] return np.array([bins[x][1] for x in markers])
get_markers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(marks, order, bins):\n if callable(marks):\n markers = [x for x in order if marks(x)]\n elif isinstance(marks, list):\n markers = [order[x] for x in marks]\n elif isinstance(marks, tuple):\n markers = marks\n else:\n nth_mark = np.ceil(len(order) / marks).astype(int)\n markers = order[::nth_mark]\n return np.array([bins[x][1] for x in markers])\n", "role": "user" }, { "content": "get_markers", "role": "assistant" } ]
def x(self, order_seg, bins_seg): if not self.xmarks: return dict(xs=[], ys=[]) angles = self._get_markers(self.xmarks, order_seg, bins_seg) inner = self.max_radius * self.radius_inner outer = self.max_radius y_start = np.sin(angles) * inner + self.max_radius y_end = np.sin(angles) * outer + self.max_radius x_start = np.cos(angles) * inner + self.max_radius x_end = np.cos(angles) * outer + self.max_radius xs = zip(x_start, x_end) ys = zip(y_start, y_end) return dict(xs=list(xs), ys=list(ys))
get_xmarks_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_seg, bins_seg):\n if not self.xmarks:\n return dict(xs=[], ys=[])\n angles = self._get_markers(self.xmarks, order_seg, bins_seg)\n inner = self.max_radius * self.radius_inner\n outer = self.max_radius\n y_start = np.sin(angles) * inner + self.max_radius\n y_end = np.sin(angles) * outer + self.max_radius\n x_start = np.cos(angles) * inner + self.max_radius\n x_end = np.cos(angles) * outer + self.max_radius\n xs = zip(x_start, x_end)\n ys = zip(y_start, y_end)\n return dict(xs=list(xs), ys=list(ys))\n", "role": "user" }, { "content": "get_xmarks_data", "role": "assistant" } ]
def x(self, order_ann, bins_ann): if not self.ymarks: return dict(radius=[]) radius = self._get_markers(self.ymarks, order_ann, bins_ann) return dict(radius=radius)
get_ymarks_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order_ann, bins_ann):\n if not self.ymarks:\n return dict(radius=[])\n radius = self._get_markers(self.ymarks, order_ann, bins_ann)\n return dict(radius=radius)\n", "role": "user" }, { "content": "get_ymarks_data", "role": "assistant" } ]
def x(cls, trees): first = trees[0] for tree in trees: first.update(tree) return first
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, trees):\n first = trees[0]\n for tree in trees:\n first.update(tree)\n return first\n", "role": "user" }, { "content": "merge", "role": "assistant" } ]
def x(self): if self.parent: return '.'.join([self.parent.path, str(self.identifier)]) else: return self.identifier if self.identifier else self.__class__.__name__
path
[ { "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.parent:\n return '.'.join([self.parent.path, str(self.identifier)])\n else:\n return self.identifier if self.identifier else self.__class__.__name__\n", "role": "user" }, { "content": "path", "role": "assistant" } ]
def x(self, other): if not isinstance(other, AttrTree): raise Exception('Can only update with another AttrTree type.') fixed_status = self.fixed, other.fixed self.fixed, other.fixed = False, False for identifier, element in other.items(): if identifier not in self.data: self[identifier] = element else: self[identifier].update(element) self.fixed, other.fixed = fixed_status
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not isinstance(other, AttrTree):\n raise Exception('Can only update with another AttrTree type.')\n fixed_status = self.fixed, other.fixed\n self.fixed, other.fixed = False, False\n for identifier, element in other.items():\n if identifier not in self.data:\n self[identifier] = element\n else:\n self[identifier].update(element)\n self.fixed, other.fixed = fixed_status\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, path, val): path = tuple(path.split('.')) if isinstance(path, str) else tuple(path) disallowed = [p for p in path if not type(self)._sanitizer.allowable(p)] if any(disallowed): raise Exception( 'Attribute strings in path elements cannot be correctly escaped : %s' % ','.join(repr(el) for el in disallowed)) if len(path) > 1: attrtree = self.__getattr__(path[0]) attrtree.set_path(path[1:], val) else: self.__setattr__(path[0], val)
set_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, val):\n path = tuple(path.split('.')) if isinstance(path, str) else tuple(path)\n disallowed = [p for p in path if not type(self)._sanitizer.allowable(p)]\n if any(disallowed):\n raise Exception(\n 'Attribute strings in path elements cannot be correctly escaped : %s'\n % ','.join(repr(el) for el in disallowed))\n if len(path) > 1:\n attrtree = self.__getattr__(path[0])\n attrtree.set_path(path[1:], val)\n else:\n self.__setattr__(path[0], val)\n", "role": "user" }, { "content": "set_path", "role": "assistant" } ]
def x(self, path_filters): if not path_filters: return self path_filters = [(tuple(pf.split('.')) if not isinstance(pf, tuple) else pf) for pf in path_filters] new_attrtree = self.__class__() for path, item in self.data.items(): if any([all([(subpath in path) for subpath in pf]) for pf in path_filters]): new_attrtree.set_path(path, item) return new_attrtree
filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path_filters):\n if not path_filters:\n return self\n path_filters = [(tuple(pf.split('.')) if not isinstance(pf, tuple) else\n pf) for pf in path_filters]\n new_attrtree = self.__class__()\n for path, item in self.data.items():\n if any([all([(subpath in path) for subpath in pf]) for pf in\n path_filters]):\n new_attrtree.set_path(path, item)\n return new_attrtree\n", "role": "user" }, { "content": "filter", "role": "assistant" } ]
def x(self, path, val): if val == '_DELETE': if path in self.data: del self.data[path] else: items = [(key, v) for key, v in self.data.items() if not all(k == p for k, p in zip(key, path))] self.data = OrderedDict(items) else: self.data[path] = val if self.parent is not None: self.parent._propagate((self.identifier,) + path, val)
propagate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, val):\n if val == '_DELETE':\n if path in self.data:\n del self.data[path]\n else:\n items = [(key, v) for key, v in self.data.items() if not all(k ==\n p for k, p in zip(key, path))]\n self.data = OrderedDict(items)\n else:\n self.data[path] = val\n if self.parent is not None:\n self.parent._propagate((self.identifier,) + path, val)\n", "role": "user" }, { "content": "propagate", "role": "assistant" } ]
def x(self, identifier, default=None): split_label = tuple(identifier.split('.')) if isinstance(identifier, str ) else tuple(identifier) if len(split_label) == 1: identifier = split_label[0] return self.__dict__.get(identifier, default) path_item = self for identifier in split_label: if path_item == default or path_item is None: return default path_item = path_item.get(identifier, default) return path_item
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier, default=None):\n split_label = tuple(identifier.split('.')) if isinstance(identifier, str\n ) else tuple(identifier)\n if len(split_label) == 1:\n identifier = split_label[0]\n return self.__dict__.get(identifier, default)\n path_item = self\n for identifier in split_label:\n if path_item == default or path_item is None:\n return default\n path_item = path_item.get(identifier, default)\n return path_item\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, identifier, default=None): if identifier in self.children: item = self[identifier] self.__delitem__(identifier) return item else: return default
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier, default=None):\n if identifier in self.children:\n item = self[identifier]\n self.__delitem__(identifier)\n return item\n else:\n return default\n", "role": "user" }, { "content": "pop", "role": "assistant" } ]
def x(self, msg, ids): filtered_msg = {} for k, v in msg.items(): if isinstance(v, dict) and 'id' in v: if v['id'] in ids: filtered_msg[k] = v['value'] else: filtered_msg[k] = v return filtered_msg
filter_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, ids):\n filtered_msg = {}\n for k, v in msg.items():\n if isinstance(v, dict) and 'id' in v:\n if v['id'] in ids:\n filtered_msg[k] = v['value']\n else:\n filtered_msg[k] = v\n return filtered_msg\n", "role": "user" }, { "content": "filter_msg", "role": "assistant" } ]
def x(self): plots = [self.plot] if self.plot.subplots: plots += list(self.plot.subplots.values()) handles = {} for plot in plots: for k, v in plot.handles.items(): handles[k] = v self.plot_handles = handles requested = {} for h in (self.models + self.extra_models): if h in self.plot_handles: requested[h] = handles[h] elif h in self.extra_models: print( 'Warning %s could not find the %s model. The corresponding stream may not work.' % (type(self).__name__, h)) self.handle_ids.update(self._get_stream_handle_ids(requested)) return requested
init_plot_handles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n plots = [self.plot]\n if self.plot.subplots:\n plots += list(self.plot.subplots.values())\n handles = {}\n for plot in plots:\n for k, v in plot.handles.items():\n handles[k] = v\n self.plot_handles = handles\n requested = {}\n for h in (self.models + self.extra_models):\n if h in self.plot_handles:\n requested[h] = handles[h]\n elif h in self.extra_models:\n print(\n 'Warning %s could not find the %s model. The corresponding stream may not work.'\n % (type(self).__name__, h))\n self.handle_ids.update(self._get_stream_handle_ids(requested))\n return requested\n", "role": "user" }, { "content": "init_plot_handles", "role": "assistant" } ]
def x(self, handles): stream_handle_ids = defaultdict(dict) for stream in self.streams: for h in self.models: if h in handles: handle_id = handles[h].ref['id'] stream_handle_ids[stream][h] = handle_id return stream_handle_ids
get_stream_handle_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handles):\n stream_handle_ids = defaultdict(dict)\n for stream in self.streams:\n for h in self.models:\n if h in handles:\n handle_id = handles[h].ref['id']\n stream_handle_ids[stream][h] = handle_id\n return stream_handle_ids\n", "role": "user" }, { "content": "get_stream_handle_ids", "role": "assistant" } ]
def x(cls, attributes): assign_template = ( '{assign}{{id: {obj_name}["id"], value: {obj_name}{attr_getters}}};\n') conditional_template = 'if (({obj_name} != undefined)) {{ {assign} }}' code = '' for key, attr_path in sorted(attributes.items()): data_assign = 'data["{key}"] = '.format(key=key) attrs = attr_path.split('.') obj_name = attrs[0] attr_getters = ''.join(['["{attr}"]'.format(attr=attr) for attr in attrs[1:]]) if obj_name not in ['cb_obj', 'cb_data']: assign_str = assign_template.format(assign=data_assign, obj_name=obj_name, attr_getters=attr_getters) code += conditional_template.format(obj_name=obj_name, assign= assign_str) else: assign_str = ''.join([data_assign, obj_name, attr_getters, ';\n']) code += assign_str return code
attributes_js
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, attributes):\n assign_template = (\n '{assign}{{id: {obj_name}[\"id\"], value: {obj_name}{attr_getters}}};\\n')\n conditional_template = 'if (({obj_name} != undefined)) {{ {assign} }}'\n code = ''\n for key, attr_path in sorted(attributes.items()):\n data_assign = 'data[\"{key}\"] = '.format(key=key)\n attrs = attr_path.split('.')\n obj_name = attrs[0]\n attr_getters = ''.join(['[\"{attr}\"]'.format(attr=attr) for attr in\n attrs[1:]])\n if obj_name not in ['cb_obj', 'cb_data']:\n assign_str = assign_template.format(assign=data_assign,\n obj_name=obj_name, attr_getters=attr_getters)\n code += conditional_template.format(obj_name=obj_name, assign=\n assign_str)\n else:\n assign_str = ''.join([data_assign, obj_name, attr_getters, ';\\n'])\n code += assign_str\n return code\n", "role": "user" }, { "content": "attributes_js", "role": "assistant" } ]
def x(self, references, plot_id=None): if plot_id is None: plot_id = self.plot.id or 'PLACEHOLDER_PLOT_ID' self_callback = self.js_callback.format(comm_id=self.comm.id, timeout= self.timeout, debounce=self.debounce, plot_id=plot_id) attributes = self.attributes_js(self.attributes) conditions = [('%s' % cond) for cond in self.skip] conditional = '' if conditions: conditional = 'if (%s) { return };\n' % ' || '.join(conditions) data = 'var data = {};\n' code = conditional + data + attributes + self.code + self_callback return CustomJS(args=references, code=code)
get_customjs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, references, plot_id=None):\n if plot_id is None:\n plot_id = self.plot.id or 'PLACEHOLDER_PLOT_ID'\n self_callback = self.js_callback.format(comm_id=self.comm.id, timeout=\n self.timeout, debounce=self.debounce, plot_id=plot_id)\n attributes = self.attributes_js(self.attributes)\n conditions = [('%s' % cond) for cond in self.skip]\n conditional = ''\n if conditions:\n conditional = 'if (%s) { return };\\n' % ' || '.join(conditions)\n data = 'var data = {};\\n'\n code = conditional + data + attributes + self.code + self_callback\n return CustomJS(args=references, code=code)\n", "role": "user" }, { "content": "get_customjs", "role": "assistant" } ]
def x(self, js_callback, handle): if self.on_events: for event in self.on_events: handle.js_on_event(event, js_callback) if self.on_changes: for change in self.on_changes: handle.js_on_change(change, js_callback) elif hasattr(handle, 'callback'): handle.callback = js_callback
set_customjs_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, js_callback, handle):\n if self.on_events:\n for event in self.on_events:\n handle.js_on_event(event, js_callback)\n if self.on_changes:\n for change in self.on_changes:\n handle.js_on_change(change, js_callback)\n elif hasattr(handle, 'callback'):\n handle.callback = js_callback\n", "role": "user" }, { "content": "set_customjs_callback", "role": "assistant" } ]
def x(cls, spec, cb_obj, model=None): if not cb_obj: raise Exception('Bokeh plot attribute %s could not be found' % spec) if model is None: model = cb_obj spec = spec.split('.') resolved = cb_obj for p in spec[1:]: if p == 'attributes': continue if isinstance(resolved, dict): resolved = resolved.get(p) else: resolved = getattr(resolved, p, None) return {'id': model.ref['id'], 'value': resolved}
resolve_attr_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, spec, cb_obj, model=None):\n if not cb_obj:\n raise Exception('Bokeh plot attribute %s could not be found' % spec)\n if model is None:\n model = cb_obj\n spec = spec.split('.')\n resolved = cb_obj\n for p in spec[1:]:\n if p == 'attributes':\n continue\n if isinstance(resolved, dict):\n resolved = resolved.get(p)\n else:\n resolved = getattr(resolved, p, None)\n return {'id': model.ref['id'], 'value': resolved}\n", "role": "user" }, { "content": "resolve_attr_spec", "role": "assistant" } ]
def x(self, attr, old, new): self._queue.append((attr, old, new)) if not self._active and self.plot.document: self.plot.document.add_timeout_callback(self.process_on_change, 50) self._active = True
on_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attr, old, new):\n self._queue.append((attr, old, new))\n if not self._active and self.plot.document:\n self.plot.document.add_timeout_callback(self.process_on_change, 50)\n self._active = True\n", "role": "user" }, { "content": "on_change", "role": "assistant" } ]
def x(self, event): self._queue.append(event) if not self._active and self.plot.document: self.plot.document.add_timeout_callback(self.process_on_event, 50) self._active = True
on_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n self._queue.append(event)\n if not self._active and self.plot.document:\n self.plot.document.add_timeout_callback(self.process_on_event, 50)\n self._active = True\n", "role": "user" }, { "content": "on_event", "role": "assistant" } ]
def x(self): if not self._queue: self._active = False return events = list(OrderedDict([(event.event_name, event) for event in self. _queue]).values()) self._queue = [] for event in events: msg = {} for attr, path in self.attributes.items(): model_obj = self.plot_handles.get(self.models[0]) msg[attr] = self.resolve_attr_spec(path, event, model_obj) self.on_msg(msg) self.plot.document.add_timeout_callback(self.process_on_event, 50)
process_on_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self._queue:\n self._active = False\n return\n events = list(OrderedDict([(event.event_name, event) for event in self.\n _queue]).values())\n self._queue = []\n for event in events:\n msg = {}\n for attr, path in self.attributes.items():\n model_obj = self.plot_handles.get(self.models[0])\n msg[attr] = self.resolve_attr_spec(path, event, model_obj)\n self.on_msg(msg)\n self.plot.document.add_timeout_callback(self.process_on_event, 50)\n", "role": "user" }, { "content": "process_on_event", "role": "assistant" } ]
def x(self, handle): if self.on_events: for event in self.on_events: handle.on_event(event, self.on_event) if self.on_changes: for change in self.on_changes: if change in ['patching', 'streaming']: continue handle.on_change(change, self.on_change)
set_server_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, handle):\n if self.on_events:\n for event in self.on_events:\n handle.on_event(event, self.on_event)\n if self.on_changes:\n for change in self.on_changes:\n if change in ['patching', 'streaming']:\n continue\n handle.on_change(change, self.on_change)\n", "role": "user" }, { "content": "set_server_callback", "role": "assistant" } ]
def x(self, value, start, end): if isinstance(value, np.datetime64): v = dt64_to_dt(value) if isinstance(start, (int, float)): start = convert_timestamp(start) if isinstance(end, (int, float)): end = convert_timestamp(end) s, e = start, end if isinstance(s, np.datetime64): s = dt64_to_dt(s) if isinstance(e, np.datetime64): e = dt64_to_dt(e) else: v, s, e = value, start, end if v < s: value = start elif v > e: value = end return value
process_out_of_bounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, start, end):\n if isinstance(value, np.datetime64):\n v = dt64_to_dt(value)\n if isinstance(start, (int, float)):\n start = convert_timestamp(start)\n if isinstance(end, (int, float)):\n end = convert_timestamp(end)\n s, e = start, end\n if isinstance(s, np.datetime64):\n s = dt64_to_dt(s)\n if isinstance(e, np.datetime64):\n e = dt64_to_dt(e)\n else:\n v, s, e = value, start, end\n if v < s:\n value = start\n elif v > e:\n value = end\n return value\n", "role": "user" }, { "content": "process_out_of_bounds", "role": "assistant" } ]
def x(cls, root_plot): plot_fn = lambda x: isinstance(x, GenericElementPlot) and not isinstance(x, GenericOverlayPlot) plots = root_plot.traverse(lambda x: x, [plot_fn]) potentials = [cls.find_link(plot) for plot in plots] source_links = [p for p in potentials if p is not None] found = [] for plot, links in source_links: for link in links: if not link._requires_target: found.append((link, plot, None)) continue potentials = [cls.find_link(p, link) for p in plots] tgt_links = [p for p in potentials if p is not None] if tgt_links: found.append((link, plot, tgt_links[0][0])) return found
find_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, root_plot):\n plot_fn = lambda x: isinstance(x, GenericElementPlot) and not isinstance(x,\n GenericOverlayPlot)\n plots = root_plot.traverse(lambda x: x, [plot_fn])\n potentials = [cls.find_link(plot) for plot in plots]\n source_links = [p for p in potentials if p is not None]\n found = []\n for plot, links in source_links:\n for link in links:\n if not link._requires_target:\n found.append((link, plot, None))\n continue\n potentials = [cls.find_link(p, link) for p in plots]\n tgt_links = [p for p in potentials if p is not None]\n if tgt_links:\n found.append((link, plot, tgt_links[0][0]))\n return found\n", "role": "user" }, { "content": "find_links", "role": "assistant" } ]
def x(cls, plot, link=None): registry = Link.registry.items() for source in plot.link_sources: if link is None: links = [l for src, links in registry for l in links if src is source or src._plot_id is not None and src._plot_id == source._plot_id] if links: return plot, links elif link.target is source or link.target is not None and link.target._plot_id is not None and link.target._plot_id == source._plot_id: return plot, [link]
find_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, plot, link=None):\n registry = Link.registry.items()\n for source in plot.link_sources:\n if link is None:\n links = [l for src, links in registry for l in links if src is\n source or src._plot_id is not None and src._plot_id ==\n source._plot_id]\n if links:\n return plot, links\n elif link.target is source or link.target is not None and link.target._plot_id is not None and link.target._plot_id == source._plot_id:\n return plot, [link]\n", "role": "user" }, { "content": "find_link", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): index = self.get_dimension_index(dimension) if index == 0: return np.array([self.data if np.isscalar(self.data) else self.data [index]]) elif index == 1: return [] if np.isscalar(self.data) else np.array([self.data[1]]) else: return super(Annotation, self).dimension_values(dimension)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, expanded=True, flat=True):\n index = self.get_dimension_index(dimension)\n if index == 0:\n return np.array([self.data if np.isscalar(self.data) else self.data\n [index]])\n elif index == 1:\n return [] if np.isscalar(self.data) else np.array([self.data[1]])\n else:\n return super(Annotation, self).dimension_values(dimension)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, data=None, shared_data=True, new_type=None, *args, **overrides): return Element2D.clone(self, data, shared_data, new_type, *args, ** overrides)
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data=None, shared_data=True, new_type=None, *args, **overrides):\n return Element2D.clone(self, data, shared_data, new_type, *args, **\n overrides)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): index = self.get_dimension_index(dimension) if index in [0, 1]: return np.array([point[index] for point in self.data[0]]) else: return super(Spline, self).dimension_values(dimension)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, expanded=True, flat=True):\n index = self.get_dimension_index(dimension)\n if index in [0, 1]:\n return np.array([point[index] for point in self.data[0]])\n else:\n return super(Spline, self).dimension_values(dimension)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): index = self.get_dimension_index(dimension) if index == 0: return np.array([self.x]) elif index == 1: return np.array([self.y]) else: return super(Arrow, self).dimension_values(dimension)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, expanded=True, flat=True):\n index = self.get_dimension_index(dimension)\n if index == 0:\n return np.array([self.x])\n elif index == 1:\n return np.array([self.y])\n else:\n return super(Arrow, self).dimension_values(dimension)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, row, col): if col > 2: raise Exception('Only two columns available in a ItemTable.') elif row >= self.rows: raise Exception('Maximum row index is %d' % self.rows - 1) elif col == 0: return self.dimensions('value')[row].pprint_label else: dim = self.get_dimension(row) heading = self.vdims[row] return dim.pprint_value(self.data.get(heading.name, np.NaN))
pprint_cell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, col):\n if col > 2:\n raise Exception('Only two columns available in a ItemTable.')\n elif row >= self.rows:\n raise Exception('Maximum row index is %d' % self.rows - 1)\n elif col == 0:\n return self.dimensions('value')[row].pprint_label\n else:\n dim = self.get_dimension(row)\n heading = self.vdims[row]\n return dim.pprint_value(self.data.get(heading.name, np.NaN))\n", "role": "user" }, { "content": "pprint_cell", "role": "assistant" } ]
def x(self): self.param.warning('ItemTable values method is deprecated.') return tuple(self.data.get(d.name, np.NaN) for d in self.vdims)
values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.param.warning('ItemTable values method is deprecated.')\n return tuple(self.data.get(d.name, np.NaN) for d in self.vdims)\n", "role": "user" }, { "content": "values", "role": "assistant" } ]
def x(obj): invalid_options = OptsMagic.process_element(obj) if invalid_options: return invalid_options OutputMagic.info(obj)
process_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n invalid_options = OptsMagic.process_element(obj)\n if invalid_options:\n return invalid_options\n OutputMagic.info(obj)\n", "role": "user" }, { "content": "process_object", "role": "assistant" } ]
def x(obj): obj = Layout.from_values(obj) if isinstance(obj, AdjointLayout) else obj backend = Store.current_backend renderer = Store.renderers[backend] plot_cls = renderer.plotting_class(obj) plot = plot_cls(obj, **renderer.plot_options(obj, renderer.size)) fmt = renderer.params('fig').objects[0 ] if renderer.fig == 'auto' else renderer.fig return plot, renderer, fmt
single_frame_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n obj = Layout.from_values(obj) if isinstance(obj, AdjointLayout) else obj\n backend = Store.current_backend\n renderer = Store.renderers[backend]\n plot_cls = renderer.plotting_class(obj)\n plot = plot_cls(obj, **renderer.plot_options(obj, renderer.size))\n fmt = renderer.params('fig').objects[0\n ] if renderer.fig == 'auto' else renderer.fig\n return plot, renderer, fmt\n", "role": "user" }, { "content": "single_frame_plot", "role": "assistant" } ]
def x(obj): plot, renderer, fmt = single_frame_plot(obj) plot.update(0) return {'text/html': renderer.html(plot, fmt)}
first_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n plot, renderer, fmt = single_frame_plot(obj)\n plot.update(0)\n return {'text/html': renderer.html(plot, fmt)}\n", "role": "user" }, { "content": "first_frame", "role": "assistant" } ]
def x(obj): plot, renderer, fmt = single_frame_plot(obj) middle_frame = int(len(plot) / 2) plot.update(middle_frame) return {'text/html': renderer.html(plot, fmt)}
middle_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n plot, renderer, fmt = single_frame_plot(obj)\n middle_frame = int(len(plot) / 2)\n plot.update(middle_frame)\n return {'text/html': renderer.html(plot, fmt)}\n", "role": "user" }, { "content": "middle_frame", "role": "assistant" } ]
def x(obj): plot, renderer, fmt = single_frame_plot(obj) plot.update(len(plot)) return {'text/html': renderer.html(plot, fmt)}
last_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n plot, renderer, fmt = single_frame_plot(obj)\n plot.update(len(plot))\n return {'text/html': renderer.html(plot, fmt)}\n", "role": "user" }, { "content": "last_frame", "role": "assistant" } ]
def x(fn): @wraps(fn) def x(element): global FULL_TRACEBACK if Store.current_backend is None: return {}, {} try: max_frames = OutputSettings.options['max_frames'] mimebundle = fn(element, max_frames=max_frames) if mimebundle is None: return {}, {} mime_data, mime_metadata = mimebundle if 'text/javascript' in mime_data: mime_data['text/html'] = mimebundle_to_html(mime_data) del mime_data['text/javascript'] disabled_suffixes = ['png_display', 'svg_display'] if not any(fn.__name__.endswith(suffix) for suffix in disabled_suffixes): if type(holoviews.archive) is not FileArchive: holoviews.archive.add(element, html=mime_data['text/html']) filename = OutputSettings.options['filename'] if filename: Store.renderers[Store.current_backend].save(element, filename) return mime_data, mime_metadata except SkipRendering as e: if e.warn: sys.stderr.write(str(e)) return {}, {} except AbbreviatedException as e: FULL_TRACEBACK = '\n'.join(traceback.format_exception(e.etype, e.value, e.traceback)) info = dict(name=e.etype.__name__, message=str(e.value).replace ('\n', '<br>')) msg = ( '<i> [Call holoviews.ipython.show_traceback() for details]</i>' ) return {'text/html': '<b>{name}</b>{msg}<br>{message}'.format( msg=msg, **info)}, {} except Exception: raise return wrapped
display_hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n\n @wraps(fn)\n def x(element):\n global FULL_TRACEBACK\n if Store.current_backend is None:\n return {}, {}\n try:\n max_frames = OutputSettings.options['max_frames']\n mimebundle = fn(element, max_frames=max_frames)\n if mimebundle is None:\n return {}, {}\n mime_data, mime_metadata = mimebundle\n if 'text/javascript' in mime_data:\n mime_data['text/html'] = mimebundle_to_html(mime_data)\n del mime_data['text/javascript']\n disabled_suffixes = ['png_display', 'svg_display']\n if not any(fn.__name__.endswith(suffix) for suffix in\n disabled_suffixes):\n if type(holoviews.archive) is not FileArchive:\n holoviews.archive.add(element, html=mime_data['text/html'])\n filename = OutputSettings.options['filename']\n if filename:\n Store.renderers[Store.current_backend].save(element, filename)\n return mime_data, mime_metadata\n except SkipRendering as e:\n if e.warn:\n sys.stderr.write(str(e))\n return {}, {}\n except AbbreviatedException as e:\n FULL_TRACEBACK = '\\n'.join(traceback.format_exception(e.etype,\n e.value, e.traceback))\n info = dict(name=e.etype.__name__, message=str(e.value).replace\n ('\\n', '<br>'))\n msg = (\n '<i> [Call holoviews.ipython.show_traceback() for details]</i>'\n )\n return {'text/html': '<b>{name}</b>{msg}<br>{message}'.format(\n msg=msg, **info)}, {}\n except Exception:\n raise\n return wrapped\n", "role": "user" }, { "content": "display_hook", "role": "assistant" } ]
def x(obj, raw_output=False, **kwargs): if not Store.loaded_backends() and isinstance(obj, Dimensioned): raise RuntimeError( 'To use display on a HoloViews object ensure a backend is loaded using the holoviews extension.' ) raw = True if isinstance(obj, GridSpace): with option_state(obj): output = grid_display(obj) elif isinstance(obj, (CompositeOverlay, ViewableElement)): with option_state(obj): output = element_display(obj) elif isinstance(obj, (Layout, NdLayout, AdjointLayout)): with option_state(obj): output = layout_display(obj) elif isinstance(obj, (HoloMap, DynamicMap)): with option_state(obj): output = map_display(obj) elif isinstance(obj, Plot): output = render(obj) else: output = obj raw = kwargs.pop('raw', False) if raw_output: return output elif isinstance(output, tuple): data, metadata = output else: data, metadata = output, {} return IPython.display.display(data, raw=raw, metadata=metadata, **kwargs)
display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, raw_output=False, **kwargs):\n if not Store.loaded_backends() and isinstance(obj, Dimensioned):\n raise RuntimeError(\n 'To use display on a HoloViews object ensure a backend is loaded using the holoviews extension.'\n )\n raw = True\n if isinstance(obj, GridSpace):\n with option_state(obj):\n output = grid_display(obj)\n elif isinstance(obj, (CompositeOverlay, ViewableElement)):\n with option_state(obj):\n output = element_display(obj)\n elif isinstance(obj, (Layout, NdLayout, AdjointLayout)):\n with option_state(obj):\n output = layout_display(obj)\n elif isinstance(obj, (HoloMap, DynamicMap)):\n with option_state(obj):\n output = map_display(obj)\n elif isinstance(obj, Plot):\n output = render(obj)\n else:\n output = obj\n raw = kwargs.pop('raw', False)\n if raw_output:\n return output\n elif isinstance(output, tuple):\n data, metadata = output\n else:\n data, metadata = output, {}\n return IPython.display.display(data, raw=raw, metadata=metadata, **kwargs)\n", "role": "user" }, { "content": "display", "role": "assistant" } ]
def x(element, max_frames, fmt): if fmt not in Store.display_formats: return None info = process_object(element) if info: display(HTML(info)) return backend = Store.current_backend if type(element) not in Store.registry[backend]: return None renderer = Store.renderers[backend] plot = renderer.get_plot(element) if fmt not in renderer.params('fig').objects: return None data, info = renderer(plot, fmt=fmt) return {info['mime_type']: data}, {}
image_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, max_frames, fmt):\n if fmt not in Store.display_formats:\n return None\n info = process_object(element)\n if info:\n display(HTML(info))\n return\n backend = Store.current_backend\n if type(element) not in Store.registry[backend]:\n return None\n renderer = Store.renderers[backend]\n plot = renderer.get_plot(element)\n if fmt not in renderer.params('fig').objects:\n return None\n data, info = renderer(plot, fmt=fmt)\n return {info['mime_type']: data}, {}\n", "role": "user" }, { "content": "image_display", "role": "assistant" } ]
def x(start, end, order, reverse=False): size = len(order) bounds = np.linspace(start, end, size + 1) if reverse: bounds = bounds[::-1] mapping = list(zip(bounds[:-1] % (np.pi * 2), order)) return mapping
map_order_to_ticks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start, end, order, reverse=False):\n size = len(order)\n bounds = np.linspace(start, end, size + 1)\n if reverse:\n bounds = bounds[::-1]\n mapping = list(zip(bounds[:-1] % (np.pi * 2), order))\n return mapping\n", "role": "user" }, { "content": "map_order_to_ticks", "role": "assistant" } ]
def x(inner, outer, angles): return [np.array([[a, inner], [a, outer]]) for a in angles]
compute_separations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inner, outer, angles):\n return [np.array([[a, inner], [a, outer]]) for a in angles]\n", "role": "user" }, { "content": "compute_separations", "role": "assistant" } ]
def x(self, dim, data_range=True, dimension_range=True): iskdim = self.get_dimension(dim) not in self.vdims return super(StatisticsElement, self).range(dim, iskdim, dimension_range)
range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dim, data_range=True, dimension_range=True):\n iskdim = self.get_dimension(dim) not in self.vdims\n return super(StatisticsElement, self).range(dim, iskdim, dimension_range)\n", "role": "user" }, { "content": "range", "role": "assistant" } ]
def x(self, dim, expanded=True, flat=True): dim = self.get_dimension(dim, strict=True) if dim in self.vdims: return np.full(len(self), np.NaN) return self.interface.values(self, dim, expanded, flat)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dim, expanded=True, flat=True):\n dim = self.get_dimension(dim, strict=True)\n if dim in self.vdims:\n return np.full(len(self), np.NaN)\n return self.interface.values(self, dim, expanded, flat)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, dim): dim = self.get_dimension(dim) if dim is None: return None elif dim.type is not None: return dim.type elif dim in self.vdims: return np.float64 return self.interface.dimension_type(self, dim)
get_dimension_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dim):\n dim = self.get_dimension(dim)\n if dim is None:\n return None\n elif dim.type is not None:\n return dim.type\n elif dim in self.vdims:\n return np.float64\n return self.interface.dimension_type(self, dim)\n", "role": "user" }, { "content": "get_dimension_type", "role": "assistant" } ]
def x(self, dimensions=None, multi_index=False): if dimensions: dimensions = [self.get_dimension(d, strict=True) for d in dimensions] else: dimensions = self.kdims vdims = [d for d in dimensions if d in self.vdims] if vdims: raise ValueError( '%s element does not hold data for value dimensions. Could not return data for %s dimension(s).' % (type(self).__name__, ', '.join([d.name for d in vdims]))) return super(StatisticsElement, self).dframe(dimensions, False)
dframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=None, multi_index=False):\n if dimensions:\n dimensions = [self.get_dimension(d, strict=True) for d in dimensions]\n else:\n dimensions = self.kdims\n vdims = [d for d in dimensions if d in self.vdims]\n if vdims:\n raise ValueError(\n '%s element does not hold data for value dimensions. Could not return data for %s dimension(s).'\n % (type(self).__name__, ', '.join([d.name for d in vdims])))\n return super(StatisticsElement, self).dframe(dimensions, False)\n", "role": "user" }, { "content": "dframe", "role": "assistant" } ]
def x(self, dimensions=None): if dimensions is None: dimensions = self.kdims else: dimensions = [self.get_dimension(d, strict=True) for d in dimensions] vdims = [d for d in dimensions if d in self.vdims] if vdims: raise ValueError( '%s element does not hold data for value dimensions. Could not return data for %s dimension(s).' % (type(self).__name__, ', '.join([d.name for d in vdims]))) return OrderedDict([(d.name, self.dimension_values(d)) for d in dimensions] )
columns
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=None):\n if dimensions is None:\n dimensions = self.kdims\n else:\n dimensions = [self.get_dimension(d, strict=True) for d in dimensions]\n vdims = [d for d in dimensions if d in self.vdims]\n if vdims:\n raise ValueError(\n '%s element does not hold data for value dimensions. Could not return data for %s dimension(s).'\n % (type(self).__name__, ', '.join([d.name for d in vdims])))\n return OrderedDict([(d.name, self.dimension_values(d)) for d in dimensions]\n )\n", "role": "user" }, { "content": "columns", "role": "assistant" } ]
def x(self): self.pre_message() s = self.recv() if len(s) > 0: if self.first_byte: self.auto_mavlink_version(s) m = self.mav.parse_char(s) if m is not None: self.post_message(m) return m
recv_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.pre_message()\n s = self.recv()\n if len(s) > 0:\n if self.first_byte:\n self.auto_mavlink_version(s)\n m = self.mav.parse_char(s)\n if m is not None:\n self.post_message(m)\n return m\n", "role": "user" }, { "content": "recv_msg", "role": "assistant" } ]
def x(heading, relative=False): if relative: is_relative = 1 else: is_relative = 0 msg = vehicle.message_factory.command_long_encode(0, 0, mavutil.mavlink .MAV_CMD_CONDITION_YAW, 0, heading, 0, 1, is_relative, 0, 0, 0) vehicle.send_mavlink(msg)
condition_yaw
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(heading, relative=False):\n if relative:\n is_relative = 1\n else:\n is_relative = 0\n msg = vehicle.message_factory.command_long_encode(0, 0, mavutil.mavlink\n .MAV_CMD_CONDITION_YAW, 0, heading, 0, 1, is_relative, 0, 0, 0)\n vehicle.send_mavlink(msg)\n", "role": "user" }, { "content": "condition_yaw", "role": "assistant" } ]
def x(location): msg = vehicle.message_factory.command_long_encode(0, 0, mavutil.mavlink .MAV_CMD_DO_SET_ROI, 0, 0, 0, 0, 0, location.lat, location.lon, location.alt) vehicle.send_mavlink(msg)
set_roi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(location):\n msg = vehicle.message_factory.command_long_encode(0, 0, mavutil.mavlink\n .MAV_CMD_DO_SET_ROI, 0, 0, 0, 0, 0, location.lat, location.lon,\n location.alt)\n vehicle.send_mavlink(msg)\n", "role": "user" }, { "content": "set_roi", "role": "assistant" } ]
def x(original_location, dNorth, dEast): earth_radius = 6378137.0 dLat = dNorth / earth_radius dLon = dEast / (earth_radius * math.cos(math.pi * original_location.lat / 180)) newlat = original_location.lat + dLat * 180 / math.pi newlon = original_location.lon + dLon * 180 / math.pi if type(original_location) is LocationGlobal: targetlocation = LocationGlobal(newlat, newlon, original_location.alt) elif type(original_location) is LocationGlobalRelative: targetlocation = LocationGlobalRelative(newlat, newlon, original_location.alt) else: raise Exception('Invalid Location object passed') return targetlocation
get_location_metres
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(original_location, dNorth, dEast):\n earth_radius = 6378137.0\n dLat = dNorth / earth_radius\n dLon = dEast / (earth_radius * math.cos(math.pi * original_location.lat /\n 180))\n newlat = original_location.lat + dLat * 180 / math.pi\n newlon = original_location.lon + dLon * 180 / math.pi\n if type(original_location) is LocationGlobal:\n targetlocation = LocationGlobal(newlat, newlon, original_location.alt)\n elif type(original_location) is LocationGlobalRelative:\n targetlocation = LocationGlobalRelative(newlat, newlon,\n original_location.alt)\n else:\n raise Exception('Invalid Location object passed')\n return targetlocation\n", "role": "user" }, { "content": "get_location_metres", "role": "assistant" } ]
def x(aLocation1, aLocation2): dlat = aLocation2.lat - aLocation1.lat dlong = aLocation2.lon - aLocation1.lon return math.sqrt(dlat * dlat + dlong * dlong) * 111319.5
get_distance_metres
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aLocation1, aLocation2):\n dlat = aLocation2.lat - aLocation1.lat\n dlong = aLocation2.lon - aLocation1.lon\n return math.sqrt(dlat * dlat + dlong * dlong) * 111319.5\n", "role": "user" }, { "content": "get_distance_metres", "role": "assistant" } ]
def x(aLocation1, aLocation2): off_x = aLocation2.lon - aLocation1.lon off_y = aLocation2.lat - aLocation1.lat bearing = 90.0 + math.atan2(-off_y, off_x) * 57.2957795 if bearing < 0: bearing += 360.0 return bearing
get_bearing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aLocation1, aLocation2):\n off_x = aLocation2.lon - aLocation1.lon\n off_y = aLocation2.lat - aLocation1.lat\n bearing = 90.0 + math.atan2(-off_y, off_x) * 57.2957795\n if bearing < 0:\n bearing += 360.0\n return bearing\n", "role": "user" }, { "content": "get_bearing", "role": "assistant" } ]
def x(aLocation): msg = vehicle.message_factory.set_position_target_global_int_encode(0, 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT_INT, 4088, aLocation.lat * 10000000.0, aLocation.lon * 10000000.0, aLocation. alt, 0, 0, 0, 0, 0, 0, 0, 0) vehicle.send_mavlink(msg)
goto_position_target_global_int
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(aLocation):\n msg = vehicle.message_factory.set_position_target_global_int_encode(0, \n 0, 0, mavutil.mavlink.MAV_FRAME_GLOBAL_RELATIVE_ALT_INT, 4088, \n aLocation.lat * 10000000.0, aLocation.lon * 10000000.0, aLocation.\n alt, 0, 0, 0, 0, 0, 0, 0, 0)\n vehicle.send_mavlink(msg)\n", "role": "user" }, { "content": "goto_position_target_global_int", "role": "assistant" } ]
def x(north, east, down): msg = vehicle.message_factory.set_position_target_local_ned_encode(0, 0, 0, mavutil.mavlink.MAV_FRAME_LOCAL_NED, 4088, north, east, down, 0, 0, 0, 0, 0, 0, 0, 0) vehicle.send_mavlink(msg)
goto_position_target_local_ned
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(north, east, down):\n msg = vehicle.message_factory.set_position_target_local_ned_encode(0, 0,\n 0, mavutil.mavlink.MAV_FRAME_LOCAL_NED, 4088, north, east, down, 0,\n 0, 0, 0, 0, 0, 0, 0)\n vehicle.send_mavlink(msg)\n", "role": "user" }, { "content": "goto_position_target_local_ned", "role": "assistant" } ]
def x(dNorth, dEast, gotoFunction=vehicle.simple_goto): currentLocation = vehicle.location.global_relative_frame targetLocation = get_location_metres(currentLocation, dNorth, dEast) targetDistance = get_distance_metres(currentLocation, targetLocation) gotoFunction(targetLocation) while vehicle.mode.name == 'GUIDED': remainingDistance = get_distance_metres(vehicle.location. global_relative_frame, targetLocation) print('Distance to target: ', remainingDistance) if remainingDistance <= targetDistance * 0.01: print('Reached target') break time.sleep(2)
goto
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dNorth, dEast, gotoFunction=vehicle.simple_goto):\n currentLocation = vehicle.location.global_relative_frame\n targetLocation = get_location_metres(currentLocation, dNorth, dEast)\n targetDistance = get_distance_metres(currentLocation, targetLocation)\n gotoFunction(targetLocation)\n while vehicle.mode.name == 'GUIDED':\n remainingDistance = get_distance_metres(vehicle.location.\n global_relative_frame, targetLocation)\n print('Distance to target: ', remainingDistance)\n if remainingDistance <= targetDistance * 0.01:\n print('Reached target')\n break\n time.sleep(2)\n", "role": "user" }, { "content": "goto", "role": "assistant" } ]