source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, dimension, dim_pos, dim_val, vdim=False, **kwargs): if isinstance(dimension, (util.basestring, tuple)): dimension = Dimension(dimension) if dimension.name in self.kdims: raise Exception('{dim} dimension already defined'.format(dim= dimension.name)) if vdim: dims = self.vdims[:] dims.insert(dim_pos, dimension) dimensions = dict(vdims=dims) dim_pos += self.ndims else: dims = self.kdims[:] dims.insert(dim_pos, dimension) dimensions = dict(kdims=dims) if issubclass(self.interface, ArrayInterface) and np.asarray(dim_val ).dtype != self.data.dtype: element = self.clone(datatype=[default_datatype]) data = element.interface.add_dimension(element, dimension, dim_pos, dim_val, vdim) else: data = self.interface.add_dimension(self, dimension, dim_pos, dim_val, vdim) return self.clone(data, **dimensions)
add_dimension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, dim_pos, dim_val, vdim=False, **kwargs):\n if isinstance(dimension, (util.basestring, tuple)):\n dimension = Dimension(dimension)\n if dimension.name in self.kdims:\n raise Exception('{dim} dimension already defined'.format(dim=\n dimension.name))\n if vdim:\n dims = self.vdims[:]\n dims.insert(dim_pos, dimension)\n dimensions = dict(vdims=dims)\n dim_pos += self.ndims\n else:\n dims = self.kdims[:]\n dims.insert(dim_pos, dimension)\n dimensions = dict(kdims=dims)\n if issubclass(self.interface, ArrayInterface) and np.asarray(dim_val\n ).dtype != self.data.dtype:\n element = self.clone(datatype=[default_datatype])\n data = element.interface.add_dimension(element, dimension, dim_pos,\n dim_val, vdim)\n else:\n data = self.interface.add_dimension(self, dimension, dim_pos,\n dim_val, vdim)\n return self.clone(data, **dimensions)\n", "role": "user" }, { "content": "add_dimension", "role": "assistant" } ]
def x(self, selection_specs=None, **selection): if selection_specs is not None and not isinstance(selection_specs, ( list, tuple)): selection_specs = [selection_specs] selection = {dim: sel for dim, sel in selection.items() if dim in self. dimensions() + ['selection_mask']} if selection_specs and not any(self.matches(sp) for sp in selection_specs ) or not selection: return self data = self.interface.select(self, **selection) if np.isscalar(data): return data else: return self.clone(data)
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 is not None and not isinstance(selection_specs, (\n list, tuple)):\n selection_specs = [selection_specs]\n selection = {dim: sel for dim, sel in selection.items() if dim in self.\n dimensions() + ['selection_mask']}\n if selection_specs and not any(self.matches(sp) for sp in selection_specs\n ) or not selection:\n return self\n data = self.interface.select(self, **selection)\n if np.isscalar(data):\n return data\n else:\n return self.clone(data)\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, kdims=None, vdims=None): gridded = self.interface.gridded scalars = [] if gridded: coords = [(d, self.interface.coords(self, d.name)) for d in self.kdims] scalars = [d for d, vs in coords if len(vs) == 1] if kdims is None: key_dims = [d for d in self.kdims if (not vdims or d not in vdims) and not d in scalars] elif not isinstance(kdims, list): key_dims = [self.get_dimension(kdims, strict=True)] else: key_dims = [self.get_dimension(k, strict=True) for k in kdims] dropped = [d for d in self.kdims if not d in key_dims and not d in scalars] new_type = None if vdims is None: val_dims = [d for d in self.vdims if not kdims or d not in kdims] else: val_dims = [self.get_dimension(v, strict=True) for v in vdims] new_type = self._vdim_reductions.get(len(val_dims), type(self)) data = self.interface.reindex(self, key_dims, val_dims) datatype = self.datatype if gridded and dropped: interfaces = self.interface.interfaces datatype = [dt for dt in datatype if not getattr(interfaces.get(dt, None), 'gridded', True)] return self.clone(data, kdims=key_dims, vdims=val_dims, new_type= new_type, datatype=datatype)
reindex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kdims=None, vdims=None):\n gridded = self.interface.gridded\n scalars = []\n if gridded:\n coords = [(d, self.interface.coords(self, d.name)) for d in self.kdims]\n scalars = [d for d, vs in coords if len(vs) == 1]\n if kdims is None:\n key_dims = [d for d in self.kdims if (not vdims or d not in vdims) and\n not d in scalars]\n elif not isinstance(kdims, list):\n key_dims = [self.get_dimension(kdims, strict=True)]\n else:\n key_dims = [self.get_dimension(k, strict=True) for k in kdims]\n dropped = [d for d in self.kdims if not d in key_dims and not d in scalars]\n new_type = None\n if vdims is None:\n val_dims = [d for d in self.vdims if not kdims or d not in kdims]\n else:\n val_dims = [self.get_dimension(v, strict=True) for v in vdims]\n new_type = self._vdim_reductions.get(len(val_dims), type(self))\n data = self.interface.reindex(self, key_dims, val_dims)\n datatype = self.datatype\n if gridded and dropped:\n interfaces = self.interface.interfaces\n datatype = [dt for dt in datatype if not getattr(interfaces.get(dt,\n None), 'gridded', True)]\n return self.clone(data, kdims=key_dims, vdims=val_dims, new_type=\n new_type, datatype=datatype)\n", "role": "user" }, { "content": "reindex", "role": "assistant" } ]
def x(self, samples=[], bounds=None, closest=True, **kwargs): 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)] elif isinstance(samples, tuple) or util.isscalar(samples): if self.ndims == 1: xlim = self.range(0) lower, upper = (xlim[0], xlim[1]) if bounds is None else bounds edges = np.linspace(lower, upper, samples + 1) linsamples = [((l + u) / 2.0) for l, u in zip(edges[:-1], edges [1:])] elif self.ndims == 2: rows, cols = samples if bounds: l, b, r, t = bounds else: l, r = self.range(0) b, t = self.range(1) xedges = np.linspace(l, r, cols + 1) yedges = np.linspace(b, t, rows + 1) xsamples = [((lx + ux) / 2.0) for lx, ux in zip(xedges[:-1], xedges[1:])] ysamples = [((ly + uy) / 2.0) for ly, uy in zip(yedges[:-1], yedges[1:])] Y, X = np.meshgrid(ysamples, xsamples) linsamples = list(zip(X.flat, Y.flat)) else: raise NotImplementedError( 'Regular sampling not implemented for elements with more than two dimensions.' ) samples = list(util.unique_iterator(self.closest(linsamples))) from ...element import Table, Curve if len(samples) == 1: sel = {kd.name: s for kd, s in zip(self.kdims, samples[0])} dims = [kd for kd, v in sel.items() if not np.isscalar(v)] selection = self.select(**sel) if self.interface.gridded and self.ndims == 2 and len(dims) == 1: new_type = Curve kdims = [self.get_dimension(kd) for kd in dims] else: new_type = Table kdims = self.kdims if np.isscalar(selection): selection = [samples[0] + (selection,)] else: reindexed = selection.clone(new_type=Dataset).reindex(kdims) selection = tuple(reindexed.columns(kdims + self.vdims).values()) datatype = list(util.unique_iterator(self.datatype + ['dataframe', 'dict'])) return self.clone(selection, kdims=kdims, new_type=new_type, datatype=datatype) lens = set(len(util.wrap_tuple(s)) for s in samples) if len(lens) > 1: raise IndexError('Sample coordinates must all be of the same length.') if closest: try: samples = self.closest(samples) except NotImplementedError: pass samples = [util.wrap_tuple(s) for s in samples] return self.clone(self.interface.sample(self, samples), new_type=Table)
sample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, samples=[], bounds=None, closest=True, **kwargs):\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 elif isinstance(samples, tuple) or util.isscalar(samples):\n if self.ndims == 1:\n xlim = self.range(0)\n lower, upper = (xlim[0], xlim[1]) if bounds is None else bounds\n edges = np.linspace(lower, upper, samples + 1)\n linsamples = [((l + u) / 2.0) for l, u in zip(edges[:-1], edges\n [1:])]\n elif self.ndims == 2:\n rows, cols = samples\n if bounds:\n l, b, r, t = bounds\n else:\n l, r = self.range(0)\n b, t = self.range(1)\n xedges = np.linspace(l, r, cols + 1)\n yedges = np.linspace(b, t, rows + 1)\n xsamples = [((lx + ux) / 2.0) for lx, ux in zip(xedges[:-1],\n xedges[1:])]\n ysamples = [((ly + uy) / 2.0) for ly, uy in zip(yedges[:-1],\n yedges[1:])]\n Y, X = np.meshgrid(ysamples, xsamples)\n linsamples = list(zip(X.flat, Y.flat))\n else:\n raise NotImplementedError(\n 'Regular sampling not implemented for elements with more than two dimensions.'\n )\n samples = list(util.unique_iterator(self.closest(linsamples)))\n from ...element import Table, Curve\n if len(samples) == 1:\n sel = {kd.name: s for kd, s in zip(self.kdims, samples[0])}\n dims = [kd for kd, v in sel.items() if not np.isscalar(v)]\n selection = self.select(**sel)\n if self.interface.gridded and self.ndims == 2 and len(dims) == 1:\n new_type = Curve\n kdims = [self.get_dimension(kd) for kd in dims]\n else:\n new_type = Table\n kdims = self.kdims\n if np.isscalar(selection):\n selection = [samples[0] + (selection,)]\n else:\n reindexed = selection.clone(new_type=Dataset).reindex(kdims)\n selection = tuple(reindexed.columns(kdims + self.vdims).values())\n datatype = list(util.unique_iterator(self.datatype + ['dataframe',\n 'dict']))\n return self.clone(selection, kdims=kdims, new_type=new_type,\n datatype=datatype)\n lens = set(len(util.wrap_tuple(s)) for s in samples)\n if len(lens) > 1:\n raise IndexError('Sample coordinates must all be of the same length.')\n if closest:\n try:\n samples = self.closest(samples)\n except NotImplementedError:\n pass\n samples = [util.wrap_tuple(s) for s in samples]\n return self.clone(self.interface.sample(self, samples), new_type=Table)\n", "role": "user" }, { "content": "sample", "role": "assistant" } ]
def x(self, dimensions=[], function=None, spreadfn=None, **reductions): if any(dim in self.vdims for dim in dimensions): raise Exception('Reduce cannot be applied to value dimensions') function, dims = self._reduce_map(dimensions, function, reductions) dims = [d for d in self.kdims if d not in dims] return self.aggregate(dims, function, spreadfn)
reduce
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=[], function=None, spreadfn=None, **reductions):\n if any(dim in self.vdims for dim in dimensions):\n raise Exception('Reduce cannot be applied to value dimensions')\n function, dims = self._reduce_map(dimensions, function, reductions)\n dims = [d for d in self.kdims if d not in dims]\n return self.aggregate(dims, function, spreadfn)\n", "role": "user" }, { "content": "reduce", "role": "assistant" } ]
def x(self, dimensions=None, function=None, spreadfn=None, **kwargs): if function is None: raise ValueError( 'The aggregate method requires a function to be specified') if dimensions is None: dimensions = self.kdims elif not isinstance(dimensions, list): dimensions = [dimensions] kdims = [self.get_dimension(d, strict=True) for d in dimensions] if not len(self): if spreadfn: spread_name = spreadfn.__name__ vdims = [d for vd in self.vdims for d in [vd, vd('_'.join([vd. name, spread_name]))]] else: vdims = self.vdims return self.clone([], kdims=kdims, vdims=vdims) vdims = self.vdims aggregated, dropped = self.interface.aggregate(self, kdims, function, **kwargs) aggregated = self.interface.unpack_scalar(self, aggregated) vdims = [vd for vd in vdims if vd not in dropped] ndims = len(dimensions) min_d, max_d = self.params('kdims').bounds generic_type = (min_d is not None and ndims < min_d or max_d is not None and ndims > max_d) if spreadfn: error, _ = self.interface.aggregate(self, dimensions, spreadfn) spread_name = spreadfn.__name__ ndims = len(vdims) error = self.clone(error, kdims=kdims, new_type=Dataset) combined = self.clone(aggregated, kdims=kdims, new_type=Dataset) for i, d in enumerate(vdims): dim = d('_'.join([d.name, spread_name])) dvals = error.dimension_values(d, flat=False) combined = combined.add_dimension(dim, ndims + i, dvals, True) return combined.clone(new_type=Dataset if generic_type else type(self)) if np.isscalar(aggregated): return aggregated else: try: return self.clone(aggregated, kdims=kdims, vdims=vdims) except: datatype = self.params('datatype').default return self.clone(aggregated, kdims=kdims, vdims=vdims, new_type=Dataset if generic_type else None, datatype=datatype)
aggregate
[ { "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, spreadfn=None, **kwargs):\n if function is None:\n raise ValueError(\n 'The aggregate method requires a function to be specified')\n if dimensions is None:\n dimensions = self.kdims\n elif not isinstance(dimensions, list):\n dimensions = [dimensions]\n kdims = [self.get_dimension(d, strict=True) for d in dimensions]\n if not len(self):\n if spreadfn:\n spread_name = spreadfn.__name__\n vdims = [d for vd in self.vdims for d in [vd, vd('_'.join([vd.\n name, spread_name]))]]\n else:\n vdims = self.vdims\n return self.clone([], kdims=kdims, vdims=vdims)\n vdims = self.vdims\n aggregated, dropped = self.interface.aggregate(self, kdims, function,\n **kwargs)\n aggregated = self.interface.unpack_scalar(self, aggregated)\n vdims = [vd for vd in vdims if vd not in dropped]\n ndims = len(dimensions)\n min_d, max_d = self.params('kdims').bounds\n generic_type = (min_d is not None and ndims < min_d or max_d is not\n None and ndims > max_d)\n if spreadfn:\n error, _ = self.interface.aggregate(self, dimensions, spreadfn)\n spread_name = spreadfn.__name__\n ndims = len(vdims)\n error = self.clone(error, kdims=kdims, new_type=Dataset)\n combined = self.clone(aggregated, kdims=kdims, new_type=Dataset)\n for i, d in enumerate(vdims):\n dim = d('_'.join([d.name, spread_name]))\n dvals = error.dimension_values(d, flat=False)\n combined = combined.add_dimension(dim, ndims + i, dvals, True)\n return combined.clone(new_type=Dataset if generic_type else type(self))\n if np.isscalar(aggregated):\n return aggregated\n else:\n try:\n return self.clone(aggregated, kdims=kdims, vdims=vdims)\n except:\n datatype = self.params('datatype').default\n return self.clone(aggregated, kdims=kdims, vdims=vdims,\n new_type=Dataset if generic_type else None, datatype=datatype)\n", "role": "user" }, { "content": "aggregate", "role": "assistant" } ]
def x(self, dimensions=[], container_type=HoloMap, group_type=None, dynamic =False, **kwargs): if not isinstance(dimensions, list): dimensions = [dimensions] if not len(dimensions): dimensions = self.dimensions('key', True) if group_type is None: group_type = type(self) dimensions = [self.get_dimension(d, strict=True) for d in dimensions] dim_names = [d.name for d in dimensions] if dynamic: group_dims = [kd for kd in self.kdims if kd not in dimensions] kdims = [self.get_dimension(d) for d in kwargs.pop('kdims', group_dims) ] drop_dim = len(group_dims) != len(kdims) group_kwargs = dict(util.get_param_values(self), kdims=kdims) group_kwargs.update(kwargs) def x(*args): constraint = dict(zip(dim_names, args)) group = self.select(**constraint) if np.isscalar(group): return group_type(([group],), group=self.group, label=self. label, vdims=self.vdims) data = group.reindex(kdims) if drop_dim and self.interface.gridded: data = data.columns() return group_type(data, **group_kwargs) dynamic_dims = [d(values=list(self.interface.values(self, d.name, False))) for d in dimensions] return DynamicMap(load_subset, kdims=dynamic_dims) return self.interface.groupby(self, dim_names, container_type, group_type, **kwargs)
groupby
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=[], container_type=HoloMap, group_type=None, dynamic\n =False, **kwargs):\n if not isinstance(dimensions, list):\n dimensions = [dimensions]\n if not len(dimensions):\n dimensions = self.dimensions('key', True)\n if group_type is None:\n group_type = type(self)\n dimensions = [self.get_dimension(d, strict=True) for d in dimensions]\n dim_names = [d.name for d in dimensions]\n if dynamic:\n group_dims = [kd for kd in self.kdims if kd not in dimensions]\n kdims = [self.get_dimension(d) for d in kwargs.pop('kdims', group_dims)\n ]\n drop_dim = len(group_dims) != len(kdims)\n group_kwargs = dict(util.get_param_values(self), kdims=kdims)\n group_kwargs.update(kwargs)\n\n def x(*args):\n constraint = dict(zip(dim_names, args))\n group = self.select(**constraint)\n if np.isscalar(group):\n return group_type(([group],), group=self.group, label=self.\n label, vdims=self.vdims)\n data = group.reindex(kdims)\n if drop_dim and self.interface.gridded:\n data = data.columns()\n return group_type(data, **group_kwargs)\n dynamic_dims = [d(values=list(self.interface.values(self, d.name, \n False))) for d in dimensions]\n return DynamicMap(load_subset, kdims=dynamic_dims)\n return self.interface.groupby(self, dim_names, container_type,\n group_type, **kwargs)\n", "role": "user" }, { "content": "groupby", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): dim = self.get_dimension(dimension, strict=True) 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, dimension, expanded=True, flat=True):\n dim = self.get_dimension(dimension, strict=True)\n return self.interface.values(self, dim, expanded, flat)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, dim): dim_obj = self.get_dimension(dim) if dim_obj and dim_obj.type is not None: return dim_obj.type return self.interface.dimension_type(self, dim_obj)
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_obj = self.get_dimension(dim)\n if dim_obj and dim_obj.type is not None:\n return dim_obj.type\n return self.interface.dimension_type(self, dim_obj)\n", "role": "user" }, { "content": "get_dimension_type", "role": "assistant" } ]
def x(self, dimensions=None, multi_index=False): if dimensions is None: dimensions = [d.name for d in self.dimensions()] else: dimensions = [self.get_dimension(d, strict=True).name for d in dimensions] df = self.interface.dframe(self, dimensions) if multi_index: df = df.set_index([d for d in dimensions if d in self.kdims]) return df
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 is None:\n dimensions = [d.name for d in self.dimensions()]\n else:\n dimensions = [self.get_dimension(d, strict=True).name for d in\n dimensions]\n df = self.interface.dframe(self, dimensions)\n if multi_index:\n df = df.set_index([d for d in dimensions if d in self.kdims])\n return df\n", "role": "user" }, { "content": "dframe", "role": "assistant" } ]
def x(self, dimensions=None): if dimensions is None: dimensions = self.dimensions() else: dimensions = [self.get_dimension(d, strict=True) for d in dimensions] 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.dimensions()\n else:\n dimensions = [self.get_dimension(d, strict=True) for d in dimensions]\n return OrderedDict([(d.name, self.dimension_values(d)) for d in dimensions]\n )\n", "role": "user" }, { "content": "columns", "role": "assistant" } ]
def x(self, data=None, shared_data=True, new_type=None, *args, **overrides): if 'datatype' not in overrides: datatypes = [self.interface.datatype] + self.datatype overrides['datatype'] = list(util.unique_iterator(datatypes)) return super(Dataset, self).clone(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 if 'datatype' not in overrides:\n datatypes = [self.interface.datatype] + self.datatype\n overrides['datatype'] = list(util.unique_iterator(datatypes))\n return super(Dataset, self).clone(data, shared_data, new_type, *args,\n **overrides)\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(rcparams): deprecated = ['text.latex.unicode', 'examples.directory'] old_rcparams = {k: mpl.rcParams[k] for k in mpl.rcParams.keys() if mpl_version < '3.0' or k not in deprecated} mpl.rcParams.clear() mpl.rcParams.update(dict(old_rcparams, **rcparams)) try: yield finally: mpl.rcParams.clear() mpl.rcParams.update(old_rcparams)
rc_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rcparams):\n deprecated = ['text.latex.unicode', 'examples.directory']\n old_rcparams = {k: mpl.rcParams[k] for k in mpl.rcParams.keys() if \n mpl_version < '3.0' or k not in deprecated}\n mpl.rcParams.clear()\n mpl.rcParams.update(dict(old_rcparams, **rcparams))\n try:\n yield\n finally:\n mpl.rcParams.clear()\n mpl.rcParams.update(old_rcparams)\n", "role": "user" }, { "content": "rc_context", "role": "assistant" } ]
def x(f): def x(self, *args, **kwargs): with _rc_context(self.fig_rcparams): return f(self, *args, **kwargs) return wrapper
mpl_rc_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n def x(self, *args, **kwargs):\n with _rc_context(self.fig_rcparams):\n return f(self, *args, **kwargs)\n return wrapper\n", "role": "user" }, { "content": "mpl_rc_context", "role": "assistant" } ]
def x(self, fig, axis): if not fig and self._create_fig: fig = plt.figure() l, b, r, t = self.fig_bounds inches = self.fig_inches fig.subplots_adjust(left=l, bottom=b, right=r, top=t) fig.patch.set_alpha(self.fig_alpha) if isinstance(inches, (tuple, list)): inches = list(inches) if inches[0] is None: inches[0] = inches[1] elif inches[1] is None: inches[1] = inches[0] fig.set_size_inches(list(inches)) else: fig.set_size_inches([inches, inches]) axis = fig.add_subplot(111, projection=self.projection) axis.set_aspect('auto') return fig, axis
init_axis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fig, axis):\n if not fig and self._create_fig:\n fig = plt.figure()\n l, b, r, t = self.fig_bounds\n inches = self.fig_inches\n fig.subplots_adjust(left=l, bottom=b, right=r, top=t)\n fig.patch.set_alpha(self.fig_alpha)\n if isinstance(inches, (tuple, list)):\n inches = list(inches)\n if inches[0] is None:\n inches[0] = inches[1]\n elif inches[1] is None:\n inches[1] = inches[0]\n fig.set_size_inches(list(inches))\n else:\n fig.set_size_inches([inches, inches])\n axis = fig.add_subplot(111, projection=self.projection)\n axis.set_aspect('auto')\n return fig, axis\n", "role": "user" }, { "content": "init_axis", "role": "assistant" } ]
def x(self, key): if 'title' in self.handles: self.handles['title'].set_visible(self.show_title) self.drawn = True if self.subplot: return self.handles['axis'] else: fig = self.handles['fig'] if not getattr(self, 'overlaid', False) and self._close_figures: plt.close(fig) return fig
finalize_axis
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if 'title' in self.handles:\n self.handles['title'].set_visible(self.show_title)\n self.drawn = True\n if self.subplot:\n return self.handles['axis']\n else:\n fig = self.handles['fig']\n if not getattr(self, 'overlaid', False) and self._close_figures:\n plt.close(fig)\n return fig\n", "role": "user" }, { "content": "finalize_axis", "role": "assistant" } ]
def x(self, start=0, stop=None, fps=30): figure = self.state or self.initialize_plot() anim = animation.FuncAnimation(figure, self.update_frame, frames=self. keys, interval=1000.0 / fps) if self._close_figures: plt.close(figure) return anim
anim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=0, stop=None, fps=30):\n figure = self.state or self.initialize_plot()\n anim = animation.FuncAnimation(figure, self.update_frame, frames=self.\n keys, interval=1000.0 / fps)\n if self._close_figures:\n plt.close(figure)\n return anim\n", "role": "user" }, { "content": "anim", "role": "assistant" } ]
def x(self, ranges=None): for pos in self.view_positions: view = self.layout.get(pos, None) subplot = self.subplots.get(pos, None) ax = self.subaxes.get(pos, None) if None in [view, pos, subplot]: ax.set_axis_off() continue subplot.initialize_plot(ranges=ranges) self.adjust_positions() self.drawn = True
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):\n for pos in self.view_positions:\n view = self.layout.get(pos, None)\n subplot = self.subplots.get(pos, None)\n ax = self.subaxes.get(pos, None)\n if None in [view, pos, subplot]:\n ax.set_axis_off()\n continue\n subplot.initialize_plot(ranges=ranges)\n self.adjust_positions()\n self.drawn = True\n", "role": "user" }, { "content": "initialize_plot", "role": "assistant" } ]
def x(self, redraw=True): checks = [self.view_positions, self.subaxes, self.subplots] right = all('right' in check for check in checks) top = all('top' in check for check in checks) if not 'main' in self.subplots or not (top or right): return if redraw: self.handles['fig'].canvas.draw() main_ax = self.subplots['main'].handles['axis'] bbox = main_ax.get_position() if right: ax = self.subaxes['right'] subplot = self.subplots['right'] if isinstance(subplot, AdjoinedPlot): subplot_size = subplot.subplot_size border_size = subplot.border_size else: subplot_size = 0.25 border_size = 0.25 ax.set_position([bbox.x1 + bbox.width * border_size, bbox.y0, bbox. width * subplot_size, bbox.height]) if isinstance(subplot, GridPlot): ax.set_aspect('equal') if top: ax = self.subaxes['top'] subplot = self.subplots['top'] if isinstance(subplot, AdjoinedPlot): subplot_size = subplot.subplot_size border_size = subplot.border_size else: subplot_size = 0.25 border_size = 0.25 ax.set_position([bbox.x0, bbox.y1 + bbox.height * border_size, bbox .width, bbox.height * subplot_size]) if isinstance(subplot, GridPlot): ax.set_aspect('equal')
adjust_positions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redraw=True):\n checks = [self.view_positions, self.subaxes, self.subplots]\n right = all('right' in check for check in checks)\n top = all('top' in check for check in checks)\n if not 'main' in self.subplots or not (top or right):\n return\n if redraw:\n self.handles['fig'].canvas.draw()\n main_ax = self.subplots['main'].handles['axis']\n bbox = main_ax.get_position()\n if right:\n ax = self.subaxes['right']\n subplot = self.subplots['right']\n if isinstance(subplot, AdjoinedPlot):\n subplot_size = subplot.subplot_size\n border_size = subplot.border_size\n else:\n subplot_size = 0.25\n border_size = 0.25\n ax.set_position([bbox.x1 + bbox.width * border_size, bbox.y0, bbox.\n width * subplot_size, bbox.height])\n if isinstance(subplot, GridPlot):\n ax.set_aspect('equal')\n if top:\n ax = self.subaxes['top']\n subplot = self.subplots['top']\n if isinstance(subplot, AdjoinedPlot):\n subplot_size = subplot.subplot_size\n border_size = subplot.border_size\n else:\n subplot_size = 0.25\n border_size = 0.25\n ax.set_position([bbox.x0, bbox.y1 + bbox.height * border_size, bbox\n .width, bbox.height * subplot_size])\n if isinstance(subplot, GridPlot):\n ax.set_aspect('equal')\n", "role": "user" }, { "content": "adjust_positions", "role": "assistant" } ]
def x(self, current_idx, layout_type, subgrid_width): if layout_type == 'Single': start, inds = current_idx + 1, [current_idx] elif layout_type == 'Dual': start, inds = current_idx + 2, [current_idx, current_idx + 1] bottom_idx = current_idx + subgrid_width if layout_type == 'Embedded Dual': bottom = (current_idx + 1) % subgrid_width == 0 grid_idx = (bottom_idx if bottom else current_idx) + 1 start, inds = grid_idx, [current_idx, bottom_idx] elif layout_type == 'Triple': bottom = (current_idx + 2) % subgrid_width == 0 grid_idx = (bottom_idx if bottom else current_idx) + 2 start, inds = grid_idx, [current_idx, current_idx + 1, bottom_idx, bottom_idx + 1] return start, inds
grid_situate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_idx, layout_type, subgrid_width):\n if layout_type == 'Single':\n start, inds = current_idx + 1, [current_idx]\n elif layout_type == 'Dual':\n start, inds = current_idx + 2, [current_idx, current_idx + 1]\n bottom_idx = current_idx + subgrid_width\n if layout_type == 'Embedded Dual':\n bottom = (current_idx + 1) % subgrid_width == 0\n grid_idx = (bottom_idx if bottom else current_idx) + 1\n start, inds = grid_idx, [current_idx, bottom_idx]\n elif layout_type == 'Triple':\n bottom = (current_idx + 2) % subgrid_width == 0\n grid_idx = (bottom_idx if bottom else current_idx) + 2\n start, inds = grid_idx, [current_idx, current_idx + 1, bottom_idx, \n bottom_idx + 1]\n return start, inds\n", "role": "user" }, { "content": "grid_situate", "role": "assistant" } ]
def x(self, layout, positions, layout_dimensions, ranges, axes={}, num=1, create=True): subplots = {} projections = [] adjoint_clone = layout.clone(shared_data=False, id=layout.id) subplot_opts = dict(show_title=False, adjoined=layout) for pos in positions: view = layout.get(pos, None) if not displayable(view): view = collate(view) ax = axes.get(pos, None) if view is None or not view.traverse(lambda x: x, [Element]): projections.append(None) continue projections.append(self._get_projection(view)) if not create: continue plotopts = self.lookup_options(view, 'plot').options override_opts = {} sublabel_opts = {} if pos == 'main': own_params = self.get_param_values(onlychanged=True) sublabel_opts = {k: v for k, v in own_params if 'sublabel_' in k} elif pos == 'right': right_opts = dict(invert_axes=True, xaxis=None) override_opts = dict(subplot_opts, **right_opts) elif pos == 'top': top_opts = dict(yaxis=None) override_opts = dict(subplot_opts, **top_opts) plotopts = dict(sublabel_opts, **plotopts) plotopts.update(override_opts, fig=self.handles['fig']) vtype = view.type if isinstance(view, HoloMap) else view.__class__ if isinstance(view, GridSpace): plotopts['create_axes'] = ax is not None plot_type = Store.registry['matplotlib'][vtype] if pos != 'main' and vtype in MPLPlot.sideplots: plot_type = MPLPlot.sideplots[vtype] num = num if len(self.coords) > 1 else 0 subplots[pos] = plot_type(view, axis=ax, keys=self.keys, dimensions =self.dimensions, layout_dimensions=layout_dimensions, ranges= ranges, subplot=True, uniform=self.uniform, layout_num=num, renderer=self.renderer, **plotopts) if isinstance(view, (Element, HoloMap, Collator, CompositeOverlay)): adjoint_clone[pos] = subplots[pos].hmap else: adjoint_clone[pos] = subplots[pos].layout return subplots, adjoint_clone, projections
create_subplots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, layout, positions, layout_dimensions, ranges, axes={}, num=1,\n create=True):\n subplots = {}\n projections = []\n adjoint_clone = layout.clone(shared_data=False, id=layout.id)\n subplot_opts = dict(show_title=False, adjoined=layout)\n for pos in positions:\n view = layout.get(pos, None)\n if not displayable(view):\n view = collate(view)\n ax = axes.get(pos, None)\n if view is None or not view.traverse(lambda x: x, [Element]):\n projections.append(None)\n continue\n projections.append(self._get_projection(view))\n if not create:\n continue\n plotopts = self.lookup_options(view, 'plot').options\n override_opts = {}\n sublabel_opts = {}\n if pos == 'main':\n own_params = self.get_param_values(onlychanged=True)\n sublabel_opts = {k: v for k, v in own_params if 'sublabel_' in k}\n elif pos == 'right':\n right_opts = dict(invert_axes=True, xaxis=None)\n override_opts = dict(subplot_opts, **right_opts)\n elif pos == 'top':\n top_opts = dict(yaxis=None)\n override_opts = dict(subplot_opts, **top_opts)\n plotopts = dict(sublabel_opts, **plotopts)\n plotopts.update(override_opts, fig=self.handles['fig'])\n vtype = view.type if isinstance(view, HoloMap) else view.__class__\n if isinstance(view, GridSpace):\n plotopts['create_axes'] = ax is not None\n plot_type = Store.registry['matplotlib'][vtype]\n if pos != 'main' and vtype in MPLPlot.sideplots:\n plot_type = MPLPlot.sideplots[vtype]\n num = num if len(self.coords) > 1 else 0\n subplots[pos] = plot_type(view, axis=ax, keys=self.keys, dimensions\n =self.dimensions, layout_dimensions=layout_dimensions, ranges=\n ranges, subplot=True, uniform=self.uniform, layout_num=num,\n renderer=self.renderer, **plotopts)\n if isinstance(view, (Element, HoloMap, Collator, CompositeOverlay)):\n adjoint_clone[pos] = subplots[pos].hmap\n else:\n adjoint_clone[pos] = subplots[pos].layout\n return subplots, adjoint_clone, projections\n", "role": "user" }, { "content": "create_subplots", "role": "assistant" } ]
def x(streams): for stream in streams: stream._triggering = True try: yield except: raise finally: for stream in streams: stream._triggering = False
triggering_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(streams):\n for stream in streams:\n stream._triggering = True\n try:\n yield\n except:\n raise\n finally:\n for stream in streams:\n stream._triggering = False\n", "role": "user" }, { "content": "triggering_streams", "role": "assistant" } ]
def x(cls, name, **kwargs): params = {'name': param.String(default=name)} for k, v in kwargs.items(): kws = dict(default=v, constant=True) if isinstance(v, param.Parameter): params[k] = v elif isinstance(v, bool): params[k] = param.Boolean(**kws) elif isinstance(v, int): params[k] = param.Integer(**kws) elif isinstance(v, float): params[k] = param.Number(**kws) elif isinstance(v, str): params[k] = param.String(**kws) elif isinstance(v, dict): params[k] = param.Dict(**kws) elif isinstance(v, tuple): params[k] = param.Tuple(**kws) elif isinstance(v, list): params[k] = param.List(**kws) elif isinstance(v, np.ndarray): params[k] = param.Array(**kws) else: params[k] = param.Parameter(**kws) return type(name, (Stream,), params)
define
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, **kwargs):\n params = {'name': param.String(default=name)}\n for k, v in kwargs.items():\n kws = dict(default=v, constant=True)\n if isinstance(v, param.Parameter):\n params[k] = v\n elif isinstance(v, bool):\n params[k] = param.Boolean(**kws)\n elif isinstance(v, int):\n params[k] = param.Integer(**kws)\n elif isinstance(v, float):\n params[k] = param.Number(**kws)\n elif isinstance(v, str):\n params[k] = param.String(**kws)\n elif isinstance(v, dict):\n params[k] = param.Dict(**kws)\n elif isinstance(v, tuple):\n params[k] = param.Tuple(**kws)\n elif isinstance(v, list):\n params[k] = param.List(**kws)\n elif isinstance(v, np.ndarray):\n params[k] = param.Array(**kws)\n else:\n params[k] = param.Parameter(**kws)\n return type(name, (Stream,), params)\n", "role": "user" }, { "content": "define", "role": "assistant" } ]
def x(cls, streams): items = [stream.contents.items() for stream in set(streams)] union = [kv for kvs in items for kv in kvs] klist = [k for k, _ in union] key_clashes = set([k for k in klist if klist.count(k) > 1]) if key_clashes: clashes = [] dicts = [dict(kvs) for kvs in items] for clash in key_clashes: values = set(d[clash] for d in dicts if clash in d) if len(values) > 1: clashes.append((clash, values)) if clashes: msg = ', '.join([('%r has values %r' % (k, v)) for k, v in clashes] ) print('Parameter value clashes where %s' % msg) subscriber_precedence = defaultdict(list) for stream in streams: stream._on_trigger() for precedence, subscriber in stream._subscribers: subscriber_precedence[precedence].append(subscriber) sorted_subscribers = sorted(subscriber_precedence.items(), key=lambda x: x[0]) subscribers = util.unique_iterator([s for _, subscribers in sorted_subscribers for s in subscribers]) with triggering_streams(streams): for subscriber in subscribers: subscriber(**dict(union)) for stream in streams: with util.disable_constant(stream): if stream.transient: stream.reset()
trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, streams):\n items = [stream.contents.items() for stream in set(streams)]\n union = [kv for kvs in items for kv in kvs]\n klist = [k for k, _ in union]\n key_clashes = set([k for k in klist if klist.count(k) > 1])\n if key_clashes:\n clashes = []\n dicts = [dict(kvs) for kvs in items]\n for clash in key_clashes:\n values = set(d[clash] for d in dicts if clash in d)\n if len(values) > 1:\n clashes.append((clash, values))\n if clashes:\n msg = ', '.join([('%r has values %r' % (k, v)) for k, v in clashes]\n )\n print('Parameter value clashes where %s' % msg)\n subscriber_precedence = defaultdict(list)\n for stream in streams:\n stream._on_trigger()\n for precedence, subscriber in stream._subscribers:\n subscriber_precedence[precedence].append(subscriber)\n sorted_subscribers = sorted(subscriber_precedence.items(), key=lambda x:\n x[0])\n subscribers = util.unique_iterator([s for _, subscribers in\n sorted_subscribers for s in subscribers])\n with triggering_streams(streams):\n for subscriber in subscribers:\n subscriber(**dict(union))\n for stream in streams:\n with util.disable_constant(stream):\n if stream.transient:\n stream.reset()\n", "role": "user" }, { "content": "trigger", "role": "assistant" } ]
def x(cls, streams): parameterizeds = defaultdict(set) valid, invalid = [], [] for s in streams: if isinstance(s, Stream): pass elif isinstance(s, param.Parameter): s = Params(s.owner, [s.name]) elif isinstance(s, param.Parameterized): s = Params(s) elif util.is_param_method(s): if not hasattr(s, '_dinfo'): continue s = ParamMethod(s) else: invalid.append(s) continue if isinstance(s, Params): pid = id(s.parameterized) overlap = set(s.parameters) & parameterizeds[pid] if overlap: pname = type(s.parameterized).__name__ param.main.param.warning( 'The %s parameter(s) on the %s object have already been supplied in another stream. Ensure that the supplied streams only specify each parameter once, otherwise multiple events will be triggered when the parameter changes.' % (sorted(overlap), pname)) parameterizeds[pid] |= set(s.parameters) valid.append(s) return valid, invalid
process_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, streams):\n parameterizeds = defaultdict(set)\n valid, invalid = [], []\n for s in streams:\n if isinstance(s, Stream):\n pass\n elif isinstance(s, param.Parameter):\n s = Params(s.owner, [s.name])\n elif isinstance(s, param.Parameterized):\n s = Params(s)\n elif util.is_param_method(s):\n if not hasattr(s, '_dinfo'):\n continue\n s = ParamMethod(s)\n else:\n invalid.append(s)\n continue\n if isinstance(s, Params):\n pid = id(s.parameterized)\n overlap = set(s.parameters) & parameterizeds[pid]\n if overlap:\n pname = type(s.parameterized).__name__\n param.main.param.warning(\n 'The %s parameter(s) on the %s object have already been supplied in another stream. Ensure that the supplied streams only specify each parameter once, otherwise multiple events will be triggered when the parameter changes.'\n % (sorted(overlap), pname))\n parameterizeds[pid] |= set(s.parameters)\n valid.append(s)\n return valid, invalid\n", "role": "user" }, { "content": "process_streams", "role": "assistant" } ]
def x(self): return [s for p, s in sorted(self._subscribers, key=lambda x: x[0])]
subscribers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [s for p, s in sorted(self._subscribers, key=lambda x: x[0])]\n", "role": "user" }, { "content": "subscribers", "role": "assistant" } ]
def x(self, policy='all'): policies = ['all', 'user', 'internal'] if policy not in policies: raise ValueError( 'Policy for clearing subscribers must be one of %s' % policies) if policy == 'all': remaining = [] elif policy == 'user': remaining = [(p, s) for p, s in self._subscribers if p > 1] else: remaining = [(p, s) for p, s in self._subscribers if p <= 1] self._subscribers = remaining
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, policy='all'):\n policies = ['all', 'user', 'internal']\n if policy not in policies:\n raise ValueError(\n 'Policy for clearing subscribers must be one of %s' % policies)\n if policy == 'all':\n remaining = []\n elif policy == 'user':\n remaining = [(p, s) for p, s in self._subscribers if p > 1]\n else:\n remaining = [(p, s) for p, s in self._subscribers if p <= 1]\n self._subscribers = remaining\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self): with util.disable_constant(self): for k, p in self.params().items(): if k != 'name': setattr(self, k, p.default)
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with util.disable_constant(self):\n for k, p in self.params().items():\n if k != 'name':\n setattr(self, k, p.default)\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(self, subscriber, precedence=0): if not callable(subscriber): raise TypeError('Subscriber must be a callable.') self._subscribers.append((precedence, subscriber))
add_subscriber
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subscriber, precedence=0):\n if not callable(subscriber):\n raise TypeError('Subscriber must be a callable.')\n self._subscribers.append((precedence, subscriber))\n", "role": "user" }, { "content": "add_subscriber", "role": "assistant" } ]
def x(self, **mapping): params = {k: v for k, v in self.get_param_values() if k != 'name'} return self.__class__(rename=mapping, source=self._source() if self. _source else None, linked=self.linked, **params)
rename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **mapping):\n params = {k: v for k, v in self.get_param_values() if k != 'name'}\n return self.__class__(rename=mapping, source=self._source() if self.\n _source else None, linked=self.linked, **params)\n", "role": "user" }, { "content": "rename", "role": "assistant" } ]
def x(self, **kwargs): with util.disable_constant(self): self.param.set_param(**kwargs)
set_stream_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n with util.disable_constant(self):\n self.param.set_param(**kwargs)\n", "role": "user" }, { "content": "set_stream_parameters", "role": "assistant" } ]
def x(self, **kwargs): self._set_stream_parameters(**kwargs) transformed = self.transform() if transformed: self._set_stream_parameters(**transformed)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n self._set_stream_parameters(**kwargs)\n transformed = self.transform()\n if transformed:\n self._set_stream_parameters(**transformed)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(self, x): if type(x) != type(self.data): raise TypeError('Input expected to be of type %s, got %s.' % (type( self.data).__name__, type(x).__name__)) elif isinstance(x, np.ndarray): if x.ndim != 2: raise ValueError('Streamed array data must be two-dimensional') elif x.shape[1] != self.data.shape[1]: raise ValueError( 'Streamed array data expeced to have %d columns, got %d.' % (self.data.shape[1], x.shape[1])) elif util.pd and isinstance(x, util.pd.DataFrame) and list(x.columns ) != list(self.data.columns): raise IndexError('Input expected to have columns %s, got %s' % ( list(self.data.columns), list(x.columns))) elif isinstance(x, dict): if any(c not in x for c in self.data): raise IndexError('Input expected to have columns %s, got %s' % (sorted(self.data.keys()), sorted(x.keys()))) elif len(set(len(v) for v in x.values())) > 1: raise ValueError( 'Input columns expected to have the same number of rows.')
verify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n if type(x) != type(self.data):\n raise TypeError('Input expected to be of type %s, got %s.' % (type(\n self.data).__name__, type(x).__name__))\n elif isinstance(x, np.ndarray):\n if x.ndim != 2:\n raise ValueError('Streamed array data must be two-dimensional')\n elif x.shape[1] != self.data.shape[1]:\n raise ValueError(\n 'Streamed array data expeced to have %d columns, got %d.' %\n (self.data.shape[1], x.shape[1]))\n elif util.pd and isinstance(x, util.pd.DataFrame) and list(x.columns\n ) != list(self.data.columns):\n raise IndexError('Input expected to have columns %s, got %s' % (\n list(self.data.columns), list(x.columns)))\n elif isinstance(x, dict):\n if any(c not in x for c in self.data):\n raise IndexError('Input expected to have columns %s, got %s' %\n (sorted(self.data.keys()), sorted(x.keys())))\n elif len(set(len(v) for v in x.values())) > 1:\n raise ValueError(\n 'Input columns expected to have the same number of rows.')\n", "role": "user" }, { "content": "verify", "role": "assistant" } ]
def x(self): if isinstance(self.data, np.ndarray): data = self.data[:, :0] elif util.pd and isinstance(self.data, util.pd.DataFrame): data = self.data.iloc[:0] elif isinstance(self.data, dict): data = {k: v[:0] for k, v in self.data.items()} with util.disable_constant(self): self.data = data self.send(data)
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self.data, np.ndarray):\n data = self.data[:, :0]\n elif util.pd and isinstance(self.data, util.pd.DataFrame):\n data = self.data.iloc[:0]\n elif isinstance(self.data, dict):\n data = {k: v[:0] for k, v in self.data.items()}\n with util.disable_constant(self):\n self.data = data\n self.send(data)\n", "role": "user" }, { "content": "clear", "role": "assistant" } ]
def x(self, data): if isinstance(data, np.ndarray): data_length = len(data) if data_length < self.length: prev_chunk = self.data[-(self.length - data_length):] data = np.concatenate([prev_chunk, data]) elif data_length > self.length: data = data[-self.length:] elif util.pd and isinstance(data, util.pd.DataFrame): data_length = len(data) if data_length < self.length: prev_chunk = self.data.iloc[-(self.length - data_length):] data = util.pd.concat([prev_chunk, data]) elif data_length > self.length: data = data.iloc[-self.length:] elif isinstance(data, dict) and data: data_length = len(list(data.values())[0]) new_data = {} for k, v in data.items(): if data_length < self.length: prev_chunk = self.data[k][-(self.length - data_length):] new_data[k] = np.concatenate([prev_chunk, v]) elif data_length > self.length: new_data[k] = v[-self.length:] else: new_data[k] = v data = new_data self._chunk_length = data_length return data
concat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n if isinstance(data, np.ndarray):\n data_length = len(data)\n if data_length < self.length:\n prev_chunk = self.data[-(self.length - data_length):]\n data = np.concatenate([prev_chunk, data])\n elif data_length > self.length:\n data = data[-self.length:]\n elif util.pd and isinstance(data, util.pd.DataFrame):\n data_length = len(data)\n if data_length < self.length:\n prev_chunk = self.data.iloc[-(self.length - data_length):]\n data = util.pd.concat([prev_chunk, data])\n elif data_length > self.length:\n data = data.iloc[-self.length:]\n elif isinstance(data, dict) and data:\n data_length = len(list(data.values())[0])\n new_data = {}\n for k, v in data.items():\n if data_length < self.length:\n prev_chunk = self.data[k][-(self.length - data_length):]\n new_data[k] = np.concatenate([prev_chunk, v])\n elif data_length > self.length:\n new_data[k] = v[-self.length:]\n else:\n new_data[k] = v\n data = new_data\n self._chunk_length = data_length\n return data\n", "role": "user" }, { "content": "concat", "role": "assistant" } ]
def x(self, **kwargs): data = kwargs.get('data') if data is not None: if util.pd and isinstance(data, util.pd.DataFrame) and list(data. columns) != list(self.data.columns) and self._index: data = data.reset_index() self.verify(data) kwargs['data'] = self._concat(data) self._count += 1 super(Buffer, self).update(**kwargs)
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n data = kwargs.get('data')\n if data is not None:\n if util.pd and isinstance(data, util.pd.DataFrame) and list(data.\n columns) != list(self.data.columns) and self._index:\n data = data.reset_index()\n self.verify(data)\n kwargs['data'] = self._concat(data)\n self._count += 1\n super(Buffer, self).update(**kwargs)\n", "role": "user" }, { "content": "update", "role": "assistant" } ]
def x(cls, params): key_fn = lambda x: id(x[1].owner) streams = [] for _, group in groupby(sorted(params.items(), key=key_fn), key_fn): group = list(group) inst = [p.owner for _, p in group][0] if not isinstance(inst, param.Parameterized): continue names = [p.name for _, p in group] rename = {p.name: n for n, p in group} streams.append(cls(inst, names, rename=rename)) return streams
from_params
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, params):\n key_fn = lambda x: id(x[1].owner)\n streams = []\n for _, group in groupby(sorted(params.items(), key=key_fn), key_fn):\n group = list(group)\n inst = [p.owner for _, p in group][0]\n if not isinstance(inst, param.Parameterized):\n continue\n names = [p.name for _, p in group]\n rename = {p.name: n for n, p in group}\n streams.append(cls(inst, names, rename=rename))\n return streams\n", "role": "user" }, { "content": "from_params", "role": "assistant" } ]
def x(self, selection_specs=None, **kwargs): return super(Element2D, self).select(selection_specs, **kwargs)
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, **kwargs):\n return super(Element2D, self).select(selection_specs, **kwargs)\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, start=None, end=None, datatype=None, **kwargs): if not self.interface.multi: if datatype == 'array': obj = self.array(**kwargs) elif datatype == 'dataframe': obj = self.dframe(**kwargs) elif datatype == 'columns': obj = self.columns(**kwargs) elif datatype is None: obj = self else: raise ValueError('%s datatype not support' % datatype) return [obj] return self.interface.split(self, start, end, datatype, **kwargs)
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start=None, end=None, datatype=None, **kwargs):\n if not self.interface.multi:\n if datatype == 'array':\n obj = self.array(**kwargs)\n elif datatype == 'dataframe':\n obj = self.dframe(**kwargs)\n elif datatype == 'columns':\n obj = self.columns(**kwargs)\n elif datatype is None:\n obj = self\n else:\n raise ValueError('%s datatype not support' % datatype)\n return [obj]\n return self.interface.split(self, start, end, datatype, **kwargs)\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, *args, **overrides): link = overrides.pop('link', True) settings = dict(self.get_param_values(), **overrides) if 'id' not in settings: settings['id'] = self.id if not args and link: settings['plot_id'] = self._plot_id pos_args = getattr(self, '_' + type(self).__name__ + '__pos_params', []) return self.__class__(*(settings[n] for n in pos_args), **{k: v for k, v in settings.items() if k not in pos_args})
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **overrides):\n link = overrides.pop('link', True)\n settings = dict(self.get_param_values(), **overrides)\n if 'id' not in settings:\n settings['id'] = self.id\n if not args and link:\n settings['plot_id'] = self._plot_id\n pos_args = getattr(self, '_' + type(self).__name__ + '__pos_params', [])\n return self.__class__(*(settings[n] for n in pos_args), **{k: v for k,\n v in settings.items() if k not in pos_args})\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(timestamp): datetime = dt.datetime.utcfromtimestamp(timestamp / 1000.0) return np.datetime64(datetime.replace(tzinfo=None))
convert_timestamp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestamp):\n datetime = dt.datetime.utcfromtimestamp(timestamp / 1000.0)\n return np.datetime64(datetime.replace(tzinfo=None))\n", "role": "user" }, { "content": "convert_timestamp", "role": "assistant" } ]
def x(array): if sys.version_info.major == 2 or not len(array) or isinstance(array, np.ndarray) and array.dtype.kind != 'O': return array decoded = [(v.decode('utf-8') if isinstance(v, bytes) else v) for v in array] if isinstance(array, np.ndarray): return np.asarray(decoded) elif isinstance(array, tuple): return tuple(decoded) return decoded
decode_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array):\n if sys.version_info.major == 2 or not len(array) or isinstance(array,\n np.ndarray) and array.dtype.kind != 'O':\n return array\n decoded = [(v.decode('utf-8') if isinstance(v, bytes) else v) for v in\n array]\n if isinstance(array, np.ndarray):\n return np.asarray(decoded)\n elif isinstance(array, tuple):\n return tuple(decoded)\n return decoded\n", "role": "user" }, { "content": "decode_bytes", "role": "assistant" } ]
def x(plots, renderer): widths, heights = defaultdict(int), defaultdict(int) for r, row in enumerate(plots): for c, p in enumerate(row): if p is not None: width, height = renderer.get_size(p) widths[c] = max(widths[c], width) heights[r] = max(heights[r], height) expanded_plots = [] for r, row in enumerate(plots): expanded_plots.append([]) for c, p in enumerate(row): if p is None: p = empty_plot(widths[c], heights[r]) elif hasattr(p, 'plot_width' ) and p.plot_width == 0 and p.plot_height == 0: p.plot_width = widths[c] p.plot_height = heights[r] expanded_plots[r].append(p) return expanded_plots
layout_padding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plots, renderer):\n widths, heights = defaultdict(int), defaultdict(int)\n for r, row in enumerate(plots):\n for c, p in enumerate(row):\n if p is not None:\n width, height = renderer.get_size(p)\n widths[c] = max(widths[c], width)\n heights[r] = max(heights[r], height)\n expanded_plots = []\n for r, row in enumerate(plots):\n expanded_plots.append([])\n for c, p in enumerate(row):\n if p is None:\n p = empty_plot(widths[c], heights[r])\n elif hasattr(p, 'plot_width'\n ) and p.plot_width == 0 and p.plot_height == 0:\n p.plot_width = widths[c]\n p.plot_height = heights[r]\n expanded_plots[r].append(p)\n return expanded_plots\n", "role": "user" }, { "content": "layout_padding", "role": "assistant" } ]
def x(plot): if isinstance(plot, GridBox): ndmapping = NdMapping({(x, y): fig for fig, y, x in plot.children}, kdims=['x', 'y']) cols = ndmapping.groupby('x') rows = ndmapping.groupby('y') width = sum([max([compute_plot_size(f)[0] for f in col]) for col in cols]) height = sum([max([compute_plot_size(f)[1] for f in row]) for row in rows]) return width, height elif isinstance(plot, (Div, ToolbarBox)): return 0, 0 elif isinstance(plot, (Row, Column, WidgetBox, Tabs)): if not plot.children: return 0, 0 if isinstance(plot, Row) or isinstance(plot, ToolbarBox ) and plot.toolbar_location not in ['right', 'left']: w_agg, h_agg = np.sum, np.max elif isinstance(plot, Tabs): w_agg, h_agg = np.max, np.max else: w_agg, h_agg = np.max, np.sum widths, heights = zip(*[compute_plot_size(child) for child in plot. children]) return w_agg(widths), h_agg(heights) elif isinstance(plot, (Figure, Chart)): if plot.plot_width: width = plot.plot_width else: width = (plot.frame_width + plot.min_border_right + plot. min_border_left) if plot.plot_height: height = plot.plot_height else: height = (plot.frame_height + plot.min_border_bottom + plot. min_border_top) return width, height elif isinstance(plot, (Plot, DataTable, Spacer)): return plot.width, plot.height else: return 0, 0
compute_plot_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plot):\n if isinstance(plot, GridBox):\n ndmapping = NdMapping({(x, y): fig for fig, y, x in plot.children},\n kdims=['x', 'y'])\n cols = ndmapping.groupby('x')\n rows = ndmapping.groupby('y')\n width = sum([max([compute_plot_size(f)[0] for f in col]) for col in\n cols])\n height = sum([max([compute_plot_size(f)[1] for f in row]) for row in\n rows])\n return width, height\n elif isinstance(plot, (Div, ToolbarBox)):\n return 0, 0\n elif isinstance(plot, (Row, Column, WidgetBox, Tabs)):\n if not plot.children:\n return 0, 0\n if isinstance(plot, Row) or isinstance(plot, ToolbarBox\n ) and plot.toolbar_location not in ['right', 'left']:\n w_agg, h_agg = np.sum, np.max\n elif isinstance(plot, Tabs):\n w_agg, h_agg = np.max, np.max\n else:\n w_agg, h_agg = np.max, np.sum\n widths, heights = zip(*[compute_plot_size(child) for child in plot.\n children])\n return w_agg(widths), h_agg(heights)\n elif isinstance(plot, (Figure, Chart)):\n if plot.plot_width:\n width = plot.plot_width\n else:\n width = (plot.frame_width + plot.min_border_right + plot.\n min_border_left)\n if plot.plot_height:\n height = plot.plot_height\n else:\n height = (plot.frame_height + plot.min_border_bottom + plot.\n min_border_top)\n return width, height\n elif isinstance(plot, (Plot, DataTable, Spacer)):\n return plot.width, plot.height\n else:\n return 0, 0\n", "role": "user" }, { "content": "compute_plot_size", "role": "assistant" } ]
def x(width, height, frame_width, frame_height, explicit_width, explicit_height, aspect, data_aspect, responsive, size_multiplier, logger=None): fixed_width = explicit_width or frame_width fixed_height = explicit_height or frame_height fixed_aspect = aspect or data_aspect aspect = 1 if aspect == 'square' else aspect height = None if height is None else int(height * size_multiplier) width = None if width is None else int(width * size_multiplier) frame_height = None if frame_height is None else int(frame_height * size_multiplier) frame_width = None if frame_width is None else int(frame_width * size_multiplier) actual_width = frame_width or width actual_height = frame_height or height if frame_width is not None: width = None if frame_height is not None: height = None sizing_mode = 'fixed' if responsive: if fixed_height and fixed_width: responsive = False if logger: logger.warning( 'responsive mode could not be enabled because fixed width and height were specified.' ) elif fixed_width: height = None sizing_mode = 'fixed' if fixed_aspect else 'stretch_height' elif fixed_height: width = None sizing_mode = 'fixed' if fixed_aspect else 'stretch_width' else: width, height = None, None if fixed_aspect: if responsive == 'width': sizing_mode = 'scale_width' elif responsive == 'height': sizing_mode = 'scale_height' else: sizing_mode = 'scale_both' elif responsive == 'width': sizing_mode = 'stretch_both' elif responsive == 'height': sizing_mode = 'stretch_height' else: sizing_mode = 'stretch_both' if fixed_aspect: aspect_type = 'data_aspect' if data_aspect else 'aspect' if fixed_width and fixed_height: if not data_aspect: aspect = None if logger: logger.warning( '%s value was ignored because absolute width and height values were provided. Either supply explicit frame_width and frame_height to achieve desired aspect OR supply a combination of width or height and an aspect value.' % aspect_type) elif fixed_width and responsive: height = None responsive = False if logger: logger.warning( 'responsive mode could not be enabled because fixed width and aspect were specified.' ) elif fixed_height and responsive: width = None responsive = False if logger: logger.warning( 'responsive mode could not be enabled because fixed height and aspect were specified.' ) elif responsive == 'width': sizing_mode = 'scale_width' elif responsive == 'height': sizing_mode = 'scale_height' if responsive == 'width' and fixed_width: responsive = False if logger: logger.warning( 'responsive width mode could not be enabled because a fixed width was defined.' ) if responsive == 'height' and fixed_height: responsive = False if logger: logger.warning( 'responsive height mode could not be enabled because a fixed height was defined.' ) match_aspect = False aspect_scale = 1 aspect_ratio = None if fixed_width and fixed_height: pass elif data_aspect or aspect == 'equal': match_aspect = True if fixed_width or not fixed_height: height = None if fixed_height or not fixed_width: width = None aspect_scale = data_aspect if aspect == 'equal': aspect_scale = 1 elif responsive: aspect_ratio = aspect elif isnumeric(aspect): if responsive: aspect_ratio = aspect elif fixed_width: frame_width = actual_width frame_height = int(actual_width / aspect) width, height = None, None else: frame_width = int(actual_height * aspect) frame_height = actual_height width, height = None, None elif aspect is not None and logger: logger.warning( "aspect value of type %s not recognized, provide a numeric value, 'equal' or 'square'." ) return {'aspect_ratio': aspect_ratio, 'aspect_scale': aspect_scale, 'match_aspect': match_aspect, 'sizing_mode': sizing_mode}, { 'frame_width': frame_width, 'frame_height': frame_height, 'plot_height': height, 'plot_width': width}
compute_layout_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height, frame_width, frame_height, explicit_width,\n explicit_height, aspect, data_aspect, responsive, size_multiplier,\n logger=None):\n fixed_width = explicit_width or frame_width\n fixed_height = explicit_height or frame_height\n fixed_aspect = aspect or data_aspect\n aspect = 1 if aspect == 'square' else aspect\n height = None if height is None else int(height * size_multiplier)\n width = None if width is None else int(width * size_multiplier)\n frame_height = None if frame_height is None else int(frame_height *\n size_multiplier)\n frame_width = None if frame_width is None else int(frame_width *\n size_multiplier)\n actual_width = frame_width or width\n actual_height = frame_height or height\n if frame_width is not None:\n width = None\n if frame_height is not None:\n height = None\n sizing_mode = 'fixed'\n if responsive:\n if fixed_height and fixed_width:\n responsive = False\n if logger:\n logger.warning(\n 'responsive mode could not be enabled because fixed width and height were specified.'\n )\n elif fixed_width:\n height = None\n sizing_mode = 'fixed' if fixed_aspect else 'stretch_height'\n elif fixed_height:\n width = None\n sizing_mode = 'fixed' if fixed_aspect else 'stretch_width'\n else:\n width, height = None, None\n if fixed_aspect:\n if responsive == 'width':\n sizing_mode = 'scale_width'\n elif responsive == 'height':\n sizing_mode = 'scale_height'\n else:\n sizing_mode = 'scale_both'\n elif responsive == 'width':\n sizing_mode = 'stretch_both'\n elif responsive == 'height':\n sizing_mode = 'stretch_height'\n else:\n sizing_mode = 'stretch_both'\n if fixed_aspect:\n aspect_type = 'data_aspect' if data_aspect else 'aspect'\n if fixed_width and fixed_height:\n if not data_aspect:\n aspect = None\n if logger:\n logger.warning(\n '%s value was ignored because absolute width and height values were provided. Either supply explicit frame_width and frame_height to achieve desired aspect OR supply a combination of width or height and an aspect value.'\n % aspect_type)\n elif fixed_width and responsive:\n height = None\n responsive = False\n if logger:\n logger.warning(\n 'responsive mode could not be enabled because fixed width and aspect were specified.'\n )\n elif fixed_height and responsive:\n width = None\n responsive = False\n if logger:\n logger.warning(\n 'responsive mode could not be enabled because fixed height and aspect were specified.'\n )\n elif responsive == 'width':\n sizing_mode = 'scale_width'\n elif responsive == 'height':\n sizing_mode = 'scale_height'\n if responsive == 'width' and fixed_width:\n responsive = False\n if logger:\n logger.warning(\n 'responsive width mode could not be enabled because a fixed width was defined.'\n )\n if responsive == 'height' and fixed_height:\n responsive = False\n if logger:\n logger.warning(\n 'responsive height mode could not be enabled because a fixed height was defined.'\n )\n match_aspect = False\n aspect_scale = 1\n aspect_ratio = None\n if fixed_width and fixed_height:\n pass\n elif data_aspect or aspect == 'equal':\n match_aspect = True\n if fixed_width or not fixed_height:\n height = None\n if fixed_height or not fixed_width:\n width = None\n aspect_scale = data_aspect\n if aspect == 'equal':\n aspect_scale = 1\n elif responsive:\n aspect_ratio = aspect\n elif isnumeric(aspect):\n if responsive:\n aspect_ratio = aspect\n elif fixed_width:\n frame_width = actual_width\n frame_height = int(actual_width / aspect)\n width, height = None, None\n else:\n frame_width = int(actual_height * aspect)\n frame_height = actual_height\n width, height = None, None\n elif aspect is not None and logger:\n logger.warning(\n \"aspect value of type %s not recognized, provide a numeric value, 'equal' or 'square'.\"\n )\n return {'aspect_ratio': aspect_ratio, 'aspect_scale': aspect_scale,\n 'match_aspect': match_aspect, 'sizing_mode': sizing_mode}, {\n 'frame_width': frame_width, 'frame_height': frame_height,\n 'plot_height': height, 'plot_width': width}\n", "role": "user" }, { "content": "compute_layout_properties", "role": "assistant" } ]
def x(*warnings): for warning in warnings: silence(warning) try: yield finally: for warning in warnings: silence(warning, False)
silence_warnings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*warnings):\n for warning in warnings:\n silence(warning)\n try:\n yield\n finally:\n for warning in warnings:\n silence(warning, False)\n", "role": "user" }, { "content": "silence_warnings", "role": "assistant" } ]
def x(size): if size is None or not isinstance(size, basestring): return conversions = {'em': 16, 'pt': 16 / 12.0} val = re.findall('\\d+', size) unit = re.findall('[a-z]+', size) if val and not unit or val and unit[0] == 'px': return int(val[0]) elif val and unit[0] in conversions: return int(int(val[0]) * conversions[unit[0]])
font_size_to_pixels
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(size):\n if size is None or not isinstance(size, basestring):\n return\n conversions = {'em': 16, 'pt': 16 / 12.0}\n val = re.findall('\\\\d+', size)\n unit = re.findall('[a-z]+', size)\n if val and not unit or val and unit[0] == 'px':\n return int(val[0])\n elif val and unit[0] in conversions:\n return int(int(val[0]) * conversions[unit[0]])\n", "role": "user" }, { "content": "font_size_to_pixels", "role": "assistant" } ]
def x(hsv): h, s, v = (hsv[..., i] for i in range(3)) shape = h.shape i = np.int_(h * 6.0) f = h * 6.0 - i q = f t = 1.0 - f i = np.ravel(i) f = np.ravel(f) i %= 6 t = np.ravel(t) q = np.ravel(q) s = np.ravel(s) v = np.ravel(v) clist = (1 - s * np.vstack([np.zeros_like(f), np.ones_like(f), q, t])) * v order = np.array([[0, 3, 1], [2, 0, 1], [1, 0, 3], [1, 2, 0], [3, 1, 0], [0, 1, 2]]) rgb = clist[order[i], np.arange(np.prod(shape))[:, None]] return rgb.reshape(shape + (3,))
hsv_to_rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hsv):\n h, s, v = (hsv[..., i] for i in range(3))\n shape = h.shape\n i = np.int_(h * 6.0)\n f = h * 6.0 - i\n q = f\n t = 1.0 - f\n i = np.ravel(i)\n f = np.ravel(f)\n i %= 6\n t = np.ravel(t)\n q = np.ravel(q)\n s = np.ravel(s)\n v = np.ravel(v)\n clist = (1 - s * np.vstack([np.zeros_like(f), np.ones_like(f), q, t])) * v\n order = np.array([[0, 3, 1], [2, 0, 1], [1, 0, 3], [1, 2, 0], [3, 1, 0],\n [0, 1, 2]])\n rgb = clist[order[i], np.arange(np.prod(shape))[:, None]]\n return rgb.reshape(shape + (3,))\n", "role": "user" }, { "content": "hsv_to_rgb", "role": "assistant" } ]
def x(model, table_padding=0.85, tabs_padding=1.2): if isinstance(model, Row): vals = [pad_width(child) for child in model.children] width = np.max([v for v in vals if v is not None]) elif isinstance(model, Column): vals = [pad_width(child) for child in model.children] width = np.sum([v for v in vals if v is not None]) elif isinstance(model, Tabs): vals = [pad_width(t) for t in model.tabs] width = np.max([v for v in vals if v is not None]) for model in model.tabs: model.width = width width = int(tabs_padding * width) elif isinstance(model, DataTable): width = model.width model.width = int(table_padding * width) elif isinstance(model, (WidgetBox, Div)): width = model.width elif model: width = model.plot_width else: width = 0 return width
pad_width
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, table_padding=0.85, tabs_padding=1.2):\n if isinstance(model, Row):\n vals = [pad_width(child) for child in model.children]\n width = np.max([v for v in vals if v is not None])\n elif isinstance(model, Column):\n vals = [pad_width(child) for child in model.children]\n width = np.sum([v for v in vals if v is not None])\n elif isinstance(model, Tabs):\n vals = [pad_width(t) for t in model.tabs]\n width = np.max([v for v in vals if v is not None])\n for model in model.tabs:\n model.width = width\n width = int(tabs_padding * width)\n elif isinstance(model, DataTable):\n width = model.width\n model.width = int(table_padding * width)\n elif isinstance(model, (WidgetBox, Div)):\n width = model.width\n elif model:\n width = model.plot_width\n else:\n width = 0\n return width\n", "role": "user" }, { "content": "pad_width", "role": "assistant" } ]
def x(plots): widths = [] for row in plots: row_widths = [] for p in row: width = pad_width(p) row_widths.append(width) widths.append(row_widths) plots = [[(WidgetBox(p, width=w) if isinstance(p, (DataTable, Tabs)) else p) for p, w in zip(row, ws)] for row, ws in zip(plots, widths)] return plots
pad_plots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plots):\n widths = []\n for row in plots:\n row_widths = []\n for p in row:\n width = pad_width(p)\n row_widths.append(width)\n widths.append(row_widths)\n plots = [[(WidgetBox(p, width=w) if isinstance(p, (DataTable, Tabs)) else\n p) for p, w in zip(row, ws)] for row, ws in zip(plots, widths)]\n return plots\n", "role": "user" }, { "content": "pad_plots", "role": "assistant" } ]
def x(plots): if isinstance(plots, list): plots = [filter_toolboxes(plot) for plot in plots] elif hasattr(plots, 'children'): plots.children = [filter_toolboxes(child) for child in plots. children if not isinstance(child, ToolbarBox)] return plots
filter_toolboxes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plots):\n if isinstance(plots, list):\n plots = [filter_toolboxes(plot) for plot in plots]\n elif hasattr(plots, 'children'):\n plots.children = [filter_toolboxes(child) for child in plots.\n children if not isinstance(child, ToolbarBox)]\n return plots\n", "role": "user" }, { "content": "filter_toolboxes", "role": "assistant" } ]
def x(formatter, msg=''): try: from flexx.pyscript import py2js except ImportError: param.main.param.warning(msg + 'Ensure Flexx is installed ("conda install -c bokeh flexx" or "pip install flexx")' ) return try: jscode = py2js(formatter, 'formatter') except Exception as e: error = 'Pyscript raised an error: {0}'.format(e) error = error.replace('%', '%%') param.main.param.warning(msg + error) return args = _getargspec(formatter).args arg_define = 'var %s = tick;' % args[0] if args else '' return_js = 'return formatter();\n' jsfunc = '\n'.join([arg_define, jscode, return_js]) match = re.search('(formatter \\= function \\(.*\\))', jsfunc) return jsfunc[:match.start()] + 'formatter = function ()' + jsfunc[match .end():]
py2js_tickformatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(formatter, msg=''):\n try:\n from flexx.pyscript import py2js\n except ImportError:\n param.main.param.warning(msg +\n 'Ensure Flexx is installed (\"conda install -c bokeh flexx\" or \"pip install flexx\")'\n )\n return\n try:\n jscode = py2js(formatter, 'formatter')\n except Exception as e:\n error = 'Pyscript raised an error: {0}'.format(e)\n error = error.replace('%', '%%')\n param.main.param.warning(msg + error)\n return\n args = _getargspec(formatter).args\n arg_define = 'var %s = tick;' % args[0] if args else ''\n return_js = 'return formatter();\\n'\n jsfunc = '\\n'.join([arg_define, jscode, return_js])\n match = re.search('(formatter \\\\= function \\\\(.*\\\\))', jsfunc)\n return jsfunc[:match.start()] + 'formatter = function ()' + jsfunc[match\n .end():]\n", "role": "user" }, { "content": "py2js_tickformatter", "role": "assistant" } ]
def x(key, frame, overlay): if isinstance(overlay, Overlay): if frame is not None: title = [] if frame.label: title.append(frame.label) if frame.group != frame.params('group').default: title.append(frame.group) else: title.append(frame.group) else: title = key title = ' '.join(title) else: title = ' | '.join([d.pprint_value_string(k) for d, k in zip( overlay.kdims, key)]) return title
get_tab_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key, frame, overlay):\n if isinstance(overlay, Overlay):\n if frame is not None:\n title = []\n if frame.label:\n title.append(frame.label)\n if frame.group != frame.params('group').default:\n title.append(frame.group)\n else:\n title.append(frame.group)\n else:\n title = key\n title = ' '.join(title)\n else:\n title = ' | '.join([d.pprint_value_string(k) for d, k in zip(\n overlay.kdims, key)])\n return title\n", "role": "user" }, { "content": "get_tab_title", "role": "assistant" } ]
def x(data, mapping): for k, v in list(mapping.items()): if isinstance(v, dict) and 'field' in v: if 'transform' in v: continue v = v['field'] elif not isinstance(v, basestring): continue values = data[v] try: if len(unique_array(values)) == 1: mapping[k] = values[0] del data[v] except: pass
filter_batched_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, mapping):\n for k, v in list(mapping.items()):\n if isinstance(v, dict) and 'field' in v:\n if 'transform' in v:\n continue\n v = v['field']\n elif not isinstance(v, basestring):\n continue\n values = data[v]\n try:\n if len(unique_array(values)) == 1:\n mapping[k] = values[0]\n del data[v]\n except:\n pass\n", "role": "user" }, { "content": "filter_batched_data", "role": "assistant" } ]
def x(source, data): current_length = [len(v) for v in source.data.values() if isinstance(v, (list, np.ndarray))] new_length = [len(v) for v in data.values() if isinstance(v, (list, np. ndarray))] untouched = [k for k in source.data if k not in data] return bool(untouched and current_length and new_length and current_length[0] != new_length[0])
cds_column_replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, data):\n current_length = [len(v) for v in source.data.values() if isinstance(v,\n (list, np.ndarray))]\n new_length = [len(v) for v in data.values() if isinstance(v, (list, np.\n ndarray))]\n untouched = [k for k in source.data if k not in data]\n return bool(untouched and current_length and new_length and \n current_length[0] != new_length[0])\n", "role": "user" }, { "content": "cds_column_replace", "role": "assistant" } ]
def x(document, policy, server=False): old_policy = document._hold document._hold = policy try: yield finally: if server and not old_policy: document.unhold() else: document._hold = old_policy
hold_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(document, policy, server=False):\n old_policy = document._hold\n document._hold = policy\n try:\n yield\n finally:\n if server and not old_policy:\n document.unhold()\n else:\n document._hold = old_policy\n", "role": "user" }, { "content": "hold_policy", "role": "assistant" } ]
def x(model, props): updates = {} valid_properties = model.properties_with_values() for k, v in props.items(): if isinstance(v, Model): nested_model = getattr(model, k) if type(v) is type(nested_model): nested_props = v.properties_with_values(include_defaults=False) recursive_model_update(nested_model, nested_props) else: setattr(model, k, v) elif k in valid_properties and v != valid_properties[k]: updates[k] = v model.update(**updates)
recursive_model_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model, props):\n updates = {}\n valid_properties = model.properties_with_values()\n for k, v in props.items():\n if isinstance(v, Model):\n nested_model = getattr(model, k)\n if type(v) is type(nested_model):\n nested_props = v.properties_with_values(include_defaults=False)\n recursive_model_update(nested_model, nested_props)\n else:\n setattr(model, k, v)\n elif k in valid_properties and v != valid_properties[k]:\n updates[k] = v\n model.update(**updates)\n", "role": "user" }, { "content": "recursive_model_update", "role": "assistant" } ]
def x(f): def x(self, *args, **kwargs): source_cols = self.handles.get('source_cols', {}) shared_sources = self.handles.get('shared_sources', []) for source in shared_sources: source.data.clear() if self.document and self.document._held_events: self.document._held_events = self.document._held_events[:-1] ret = f(self, *args, **kwargs) for source in shared_sources: expected = source_cols[id(source)] found = [c for c in expected if c in source.data] empty = np.full_like(source.data[found[0]], np.NaN) if found else [ ] patch = {c: empty for c in expected if c not in source.data} source.data.update(patch) return ret return wrapper
update_shared_sources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n def x(self, *args, **kwargs):\n source_cols = self.handles.get('source_cols', {})\n shared_sources = self.handles.get('shared_sources', [])\n for source in shared_sources:\n source.data.clear()\n if self.document and self.document._held_events:\n self.document._held_events = self.document._held_events[:-1]\n ret = f(self, *args, **kwargs)\n for source in shared_sources:\n expected = source_cols[id(source)]\n found = [c for c in expected if c in source.data]\n empty = np.full_like(source.data[found[0]], np.NaN) if found else [\n ]\n patch = {c: empty for c in expected if c not in source.data}\n source.data.update(patch)\n return ret\n return wrapper\n", "role": "user" }, { "content": "update_shared_sources", "role": "assistant" } ]
def x(array, dim): return np.array([dim.pprint_value(x) for x in array])
categorize_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array, dim):\n return np.array([dim.pprint_value(x) for x in array])\n", "role": "user" }, { "content": "categorize_array", "role": "assistant" } ]
def x(plot): def x(dmap): for dmap in get_nested_dmaps(dmap): dmap.periodic._periodic_util = periodic(plot.document) return plot.hmap.traverse(append_refresh, [DynamicMap])
attach_periodic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(plot):\n\n def x(dmap):\n for dmap in get_nested_dmaps(dmap):\n dmap.periodic._periodic_util = periodic(plot.document)\n return plot.hmap.traverse(append_refresh, [DynamicMap])\n", "role": "user" }, { "content": "attach_periodic", "role": "assistant" } ]
def x(date): if pd and isinstance(date, pd.Timestamp): try: date = date.to_datetime64() except: date = date.to_datetime() if isinstance(date, np.datetime64): return date.astype('datetime64[ms]').astype(float) elif isinstance(date, cftime_types): return cftime_to_timestamp(date, 'ms') if hasattr(date, 'timetuple'): dt_int = calendar.timegm(date.timetuple()) * 1000 else: raise ValueError('Datetime type not recognized') return dt_int
date_to_integer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n if pd and isinstance(date, pd.Timestamp):\n try:\n date = date.to_datetime64()\n except:\n date = date.to_datetime()\n if isinstance(date, np.datetime64):\n return date.astype('datetime64[ms]').astype(float)\n elif isinstance(date, cftime_types):\n return cftime_to_timestamp(date, 'ms')\n if hasattr(date, 'timetuple'):\n dt_int = calendar.timegm(date.timetuple()) * 1000\n else:\n raise ValueError('Datetime type not recognized')\n return dt_int\n", "role": "user" }, { "content": "date_to_integer", "role": "assistant" } ]
def x(keys, draw_order=[]): keys = sorted(keys) def x(glyph): matches = [item for item in draw_order if glyph.startswith(item)] return (draw_order.index(matches[0]), glyph) if matches else ( 1000000000.0 + keys.index(glyph), glyph) return sorted(keys, key=order_fn)
glyph_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keys, draw_order=[]):\n keys = sorted(keys)\n\n def x(glyph):\n matches = [item for item in draw_order if glyph.startswith(item)]\n return (draw_order.index(matches[0]), glyph) if matches else (\n 1000000000.0 + keys.index(glyph), glyph)\n return sorted(keys, key=order_fn)\n", "role": "user" }, { "content": "glyph_order", "role": "assistant" } ]
def x(X, Y): X1 = X[0:-1, 0:-1].ravel() Y1 = Y[0:-1, 0:-1].ravel() X2 = X[1:, 0:-1].ravel() Y2 = Y[1:, 0:-1].ravel() X3 = X[1:, 1:].ravel() Y3 = Y[1:, 1:].ravel() X4 = X[0:-1, 1:].ravel() Y4 = Y[0:-1, 1:].ravel() X = np.column_stack([X1, X2, X3, X4, X1]) Y = np.column_stack([Y1, Y2, Y3, Y4, Y1]) return X, Y
colormesh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, Y):\n X1 = X[0:-1, 0:-1].ravel()\n Y1 = Y[0:-1, 0:-1].ravel()\n X2 = X[1:, 0:-1].ravel()\n Y2 = Y[1:, 0:-1].ravel()\n X3 = X[1:, 1:].ravel()\n Y3 = Y[1:, 1:].ravel()\n X4 = X[0:-1, 1:].ravel()\n Y4 = Y[0:-1, 1:].ravel()\n X = np.column_stack([X1, X2, X3, X4, X1])\n Y = np.column_stack([Y1, Y2, Y3, Y4, Y1])\n return X, Y\n", "role": "user" }, { "content": "colormesh", "role": "assistant" } ]
def x(element): paths = element.split(datatype='array', dimensions=element.kdims) xs, ys = ([path[:, idx] for path in paths] for idx in (0, 1)) holes = element.holes() xsh, ysh = [], [] for x, y, multi_hole in zip(xs, ys, holes): xhs = [[h[:, 0] for h in hole] for hole in multi_hole] yhs = [[h[:, 1] for h in hole] for hole in multi_hole] array = np.column_stack([x, y]) splits = np.where(np.isnan(array[:, :2].astype('float')).sum(axis=1))[0 ] arrays = np.split(array, splits + 1) if len(splits) else [array] multi_xs, multi_ys = [], [] for i, (path, hx, hy) in enumerate(zip(arrays, xhs, yhs)): if i != len(arrays) - 1: path = path[:-1] multi_xs.append([path[:, 0]] + hx) multi_ys.append([path[:, 1]] + hy) xsh.append(multi_xs) ysh.append(multi_ys) return xsh, ysh
multi_polygons_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element):\n paths = element.split(datatype='array', dimensions=element.kdims)\n xs, ys = ([path[:, idx] for path in paths] for idx in (0, 1))\n holes = element.holes()\n xsh, ysh = [], []\n for x, y, multi_hole in zip(xs, ys, holes):\n xhs = [[h[:, 0] for h in hole] for hole in multi_hole]\n yhs = [[h[:, 1] for h in hole] for hole in multi_hole]\n array = np.column_stack([x, y])\n splits = np.where(np.isnan(array[:, :2].astype('float')).sum(axis=1))[0\n ]\n arrays = np.split(array, splits + 1) if len(splits) else [array]\n multi_xs, multi_ys = [], []\n for i, (path, hx, hy) in enumerate(zip(arrays, xhs, yhs)):\n if i != len(arrays) - 1:\n path = path[:-1]\n multi_xs.append([path[:, 0]] + hx)\n multi_ys.append([path[:, 1]] + hy)\n xsh.append(multi_xs)\n ysh.append(multi_ys)\n return xsh, ysh\n", "role": "user" }, { "content": "multi_polygons_data", "role": "assistant" } ]
def x(specs1, specs2): if (specs1 is None or specs2 is None) or len(specs1) != len(specs2): return False for spec1, spec2 in zip(specs1, specs2): for s1, s2 in zip(spec1, spec2): if s1 is None or s2 is None: continue if s1 != s2: return False return True
match_dim_specs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(specs1, specs2):\n if (specs1 is None or specs2 is None) or len(specs1) != len(specs2):\n return False\n for spec1, spec2 in zip(specs1, specs2):\n for s1, s2 in zip(spec1, spec2):\n if s1 is None or s2 is None:\n continue\n if s1 != s2:\n return False\n return True\n", "role": "user" }, { "content": "match_dim_specs", "role": "assistant" } ]
def x(self, plot, mapping, properties): ret = super(SideHistogramPlot, self)._init_glyph(plot, mapping, properties) if not 'field' in mapping.get('fill_color', {}): return ret dim = mapping['fill_color']['field'] sources = self.adjoined.traverse(lambda x: (x.handles.get('color_dim'), x.handles.get('source'))) sources = [src for cdim, src in sources if cdim == dim] tools = [t for t in self.handles['plot'].tools if isinstance(t, BoxSelectTool)] if not tools or not sources: return box_select, main_source = tools[0], sources[0] handles = {'color_mapper': self.handles['color_mapper'], 'source': self .handles['source'], 'cds': self.handles['source'], 'main_source': main_source} axis = 'y' if self.invert_axes else 'x' callback = self._callback.format(axis=axis) if box_select.callback: box_select.callback.code += callback box_select.callback.args.update(handles) else: box_select.callback = CustomJS(args=handles, code=callback) return ret
init_glyph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot, mapping, properties):\n ret = super(SideHistogramPlot, self)._init_glyph(plot, mapping, properties)\n if not 'field' in mapping.get('fill_color', {}):\n return ret\n dim = mapping['fill_color']['field']\n sources = self.adjoined.traverse(lambda x: (x.handles.get('color_dim'),\n x.handles.get('source')))\n sources = [src for cdim, src in sources if cdim == dim]\n tools = [t for t in self.handles['plot'].tools if isinstance(t,\n BoxSelectTool)]\n if not tools or not sources:\n return\n box_select, main_source = tools[0], sources[0]\n handles = {'color_mapper': self.handles['color_mapper'], 'source': self\n .handles['source'], 'cds': self.handles['source'], 'main_source':\n main_source}\n axis = 'y' if self.invert_axes else 'x'\n callback = self._callback.format(axis=axis)\n if box_select.callback:\n box_select.callback.code += callback\n box_select.callback.args.update(handles)\n else:\n box_select.callback = CustomJS(args=handles, code=callback)\n return ret\n", "role": "user" }, { "content": "init_glyph", "role": "assistant" } ]
def x(self, plot, mapping, properties): properties.pop('legend', None) for prop in ['color', 'alpha']: if prop not in properties: continue pval = properties.pop(prop) line_prop = 'line_%s' % prop fill_prop = 'fill_%s' % prop if line_prop not in properties: properties[line_prop] = pval if fill_prop not in properties and fill_prop in self.style_opts: properties[fill_prop] = pval properties = mpl_to_bokeh(properties) plot_method = self._plot_methods['single'] glyph = plot_method(**dict(properties, **mapping)) plot.add_layout(glyph) return None, glyph
init_glyph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot, mapping, properties):\n properties.pop('legend', None)\n for prop in ['color', 'alpha']:\n if prop not in properties:\n continue\n pval = properties.pop(prop)\n line_prop = 'line_%s' % prop\n fill_prop = 'fill_%s' % prop\n if line_prop not in properties:\n properties[line_prop] = pval\n if fill_prop not in properties and fill_prop in self.style_opts:\n properties[fill_prop] = pval\n properties = mpl_to_bokeh(properties)\n plot_method = self._plot_methods['single']\n glyph = plot_method(**dict(properties, **mapping))\n plot.add_layout(glyph)\n return None, glyph\n", "role": "user" }, { "content": "init_glyph", "role": "assistant" } ]
def x(self, xs, lower, upper): xnan = np.array([np.datetime64('nat') if xs.dtype.kind == 'M' else np.nan]) ynan = np.array([np.datetime64('nat') if lower.dtype.kind == 'M' else np.nan]) split = np.where(~isfinite(xs) | ~isfinite(lower) | ~isfinite(upper))[0] xvals = np.split(xs, split) lower = np.split(lower, split) upper = np.split(upper, split) band_x, band_y = [], [] for i, (x, l, u) in enumerate(zip(xvals, lower, upper)): if i: x, l, u = x[1:], l[1:], u[1:] if not len(x): continue band_x += [np.append(x, x[::-1]), xnan] band_y += [np.append(l, u[::-1]), ynan] if len(band_x): xs = np.concatenate(band_x[:-1]) ys = np.concatenate(band_y[:-1]) return xs, ys return [], []
split_area
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xs, lower, upper):\n xnan = np.array([np.datetime64('nat') if xs.dtype.kind == 'M' else np.nan])\n ynan = np.array([np.datetime64('nat') if lower.dtype.kind == 'M' else\n np.nan])\n split = np.where(~isfinite(xs) | ~isfinite(lower) | ~isfinite(upper))[0]\n xvals = np.split(xs, split)\n lower = np.split(lower, split)\n upper = np.split(upper, split)\n band_x, band_y = [], []\n for i, (x, l, u) in enumerate(zip(xvals, lower, upper)):\n if i:\n x, l, u = x[1:], l[1:], u[1:]\n if not len(x):\n continue\n band_x += [np.append(x, x[::-1]), xnan]\n band_y += [np.append(l, u[::-1]), ynan]\n if len(band_x):\n xs = np.concatenate(band_x[:-1])\n ys = np.concatenate(band_y[:-1])\n return xs, ys\n return [], []\n", "role": "user" }, { "content": "split_area", "role": "assistant" } ]
def x(self, element, ranges, range_type='combined'): if self.batched: overlay = self.current_frame element = Bars(overlay.table(), kdims=element.kdims + overlay.kdims, vdims=element.vdims) for kd in overlay.kdims: ranges[kd.name]['combined'] = overlay.range(kd) extents = super(BarPlot, self).get_extents(element, ranges, range_type) xdim = element.kdims[0] ydim = element.vdims[0] if self.stacked or self.stack_index: ds = Dataset(element) pos_range = ds.select(**{ydim.name: (0, None)}).aggregate(xdim, function=np.sum).range(ydim) neg_range = ds.select(**{ydim.name: (None, 0)}).aggregate(xdim, function=np.sum).range(ydim) y0, y1 = max_range([pos_range, neg_range]) else: y0, y1 = ranges[ydim.name]['combined'] padding = 0 if self.overlaid else self.padding _, ypad, _ = get_axis_padding(padding) y0, y1 = range_pad(y0, y1, ypad, self.logy) if y0 < 0: y1 = max([y1, 0]) elif self.logy: y0 = ydim.range[0] or 10 ** (np.log10(y1) - 2) if y1 else 0.01 else: y0 = 0 x0 = xdim.pprint_value(extents[0]) x1 = xdim.pprint_value(extents[2]) return x0, y0, x1, y1
get_extents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element, ranges, range_type='combined'):\n if self.batched:\n overlay = self.current_frame\n element = Bars(overlay.table(), kdims=element.kdims + overlay.kdims,\n vdims=element.vdims)\n for kd in overlay.kdims:\n ranges[kd.name]['combined'] = overlay.range(kd)\n extents = super(BarPlot, self).get_extents(element, ranges, range_type)\n xdim = element.kdims[0]\n ydim = element.vdims[0]\n if self.stacked or self.stack_index:\n ds = Dataset(element)\n pos_range = ds.select(**{ydim.name: (0, None)}).aggregate(xdim,\n function=np.sum).range(ydim)\n neg_range = ds.select(**{ydim.name: (None, 0)}).aggregate(xdim,\n function=np.sum).range(ydim)\n y0, y1 = max_range([pos_range, neg_range])\n else:\n y0, y1 = ranges[ydim.name]['combined']\n padding = 0 if self.overlaid else self.padding\n _, ypad, _ = get_axis_padding(padding)\n y0, y1 = range_pad(y0, y1, ypad, self.logy)\n if y0 < 0:\n y1 = max([y1, 0])\n elif self.logy:\n y0 = ydim.range[0] or 10 ** (np.log10(y1) - 2) if y1 else 0.01\n else:\n y0 = 0\n x0 = xdim.pprint_value(extents[0])\n x1 = xdim.pprint_value(extents[2])\n return x0, y0, x1, y1\n", "role": "user" }, { "content": "get_extents", "role": "assistant" } ]
def x(self, element): gdim = None sdim = None if element.ndims == 1: pass elif not (self.stacked or self.stack_index): gdim = element.get_dimension(1) else: sdim = element.get_dimension(1) xdim, ydim = element.dimensions()[:2] xvals = element.dimension_values(0, False) xvals = [(x if xvals.dtype.kind in 'SU' else xdim.pprint_value(x)) for x in xvals] if gdim and not sdim: gvals = element.dimension_values(gdim, False) xvals = sorted([(x, g) for x in xvals for g in gvals]) is_str = gvals.dtype.kind in 'SU' xvals = [(x, g if is_str else gdim.pprint_value(g)) for x, g in xvals] coords = xvals, [] if self.invert_axes: coords = coords[::-1] return coords
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 gdim = None\n sdim = None\n if element.ndims == 1:\n pass\n elif not (self.stacked or self.stack_index):\n gdim = element.get_dimension(1)\n else:\n sdim = element.get_dimension(1)\n xdim, ydim = element.dimensions()[:2]\n xvals = element.dimension_values(0, False)\n xvals = [(x if xvals.dtype.kind in 'SU' else xdim.pprint_value(x)) for\n x in xvals]\n if gdim and not sdim:\n gvals = element.dimension_values(gdim, False)\n xvals = sorted([(x, g) for x in xvals for g in gvals])\n is_str = gvals.dtype.kind in 'SU'\n xvals = [(x, g if is_str else gdim.pprint_value(g)) for x, g in xvals]\n coords = xvals, []\n if self.invert_axes:\n coords = coords[::-1]\n return coords\n", "role": "user" }, { "content": "get_factors", "role": "assistant" } ]
def x(self, xvals, yvals, baselines, sign='positive'): bottoms, tops = [], [] for x, y in zip(xvals, yvals): baseline = baselines[x][sign] if sign == 'positive': bottom = baseline top = bottom + y baseline = top else: top = baseline bottom = top + y baseline = bottom baselines[x][sign] = baseline bottoms.append(bottom) tops.append(top) return bottoms, tops
get_stack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, xvals, yvals, baselines, sign='positive'):\n bottoms, tops = [], []\n for x, y in zip(xvals, yvals):\n baseline = baselines[x][sign]\n if sign == 'positive':\n bottom = baseline\n top = bottom + y\n baseline = top\n else:\n top = baseline\n bottom = top + y\n baseline = bottom\n baselines[x][sign] = baseline\n bottoms.append(bottom)\n tops.append(top)\n return bottoms, tops\n", "role": "user" }, { "content": "get_stack", "role": "assistant" } ]
def x(d): for old, new in ALIASES.items(): old_param = '_%s_param_value' % old new_param = '_%s_param_value' % new if old_param in d: d[new_param] = d.pop(old_param) return d
param_aliases
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d):\n for old, new in ALIASES.items():\n old_param = '_%s_param_value' % old\n new_param = '_%s_param_value' % new\n if old_param in d:\n d[new_param] = d.pop(old_param)\n return d\n", "role": "user" }, { "content": "param_aliases", "role": "assistant" } ]
def x(dimension): if isinstance(dimension, Dimension): return dimension elif isinstance(dimension, (tuple, dict, basestring)): return Dimension(dimension) else: raise ValueError( '%s type could not be interpreted as Dimension. Dimensions must be declared as a string, tuple, dictionary or Dimension type.' )
asdim
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimension):\n if isinstance(dimension, Dimension):\n return dimension\n elif isinstance(dimension, (tuple, dict, basestring)):\n return Dimension(dimension)\n else:\n raise ValueError(\n '%s type could not be interpreted as Dimension. Dimensions must be declared as a string, tuple, dictionary or Dimension type.'\n )\n", "role": "user" }, { "content": "asdim", "role": "assistant" } ]
def x(dimension): if isinstance(dimension, Dimension): return dimension.name elif isinstance(dimension, basestring): return dimension elif isinstance(dimension, tuple): return dimension[0] elif isinstance(dimension, dict): return dimension['name'] elif dimension is None: return None else: raise ValueError( '%s type could not be interpreted as Dimension. Dimensions must be declared as a string, tuple, dictionary or Dimension type.' % type(dimension).__name__)
dimension_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimension):\n if isinstance(dimension, Dimension):\n return dimension.name\n elif isinstance(dimension, basestring):\n return dimension\n elif isinstance(dimension, tuple):\n return dimension[0]\n elif isinstance(dimension, dict):\n return dimension['name']\n elif dimension is None:\n return None\n else:\n raise ValueError(\n '%s type could not be interpreted as Dimension. Dimensions must be declared as a string, tuple, dictionary or Dimension type.'\n % type(dimension).__name__)\n", "role": "user" }, { "content": "dimension_name", "role": "assistant" } ]
def x(kdims, vdims): dimensions = {} for group, dims in [('kdims', kdims), ('vdims', vdims)]: if dims is None: continue elif isinstance(dims, (tuple, basestring, Dimension, dict)): dims = [dims] elif not isinstance(dims, list): raise ValueError( '%s argument expects a Dimension or list of dimensions, specified as tuples, strings, dictionaries or Dimension instances, not a %s type. Ensure you passed the data as the first argument.' % (group, type(dims).__name__)) for dim in dims: if not isinstance(dim, (tuple, basestring, Dimension, dict)): raise ValueError( 'Dimensions must be defined as a tuple, string, dictionary or Dimension instance, found a %s type.' % type(dim).__name__) dimensions[group] = [asdim(d) for d in dims] return dimensions
process_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kdims, vdims):\n dimensions = {}\n for group, dims in [('kdims', kdims), ('vdims', vdims)]:\n if dims is None:\n continue\n elif isinstance(dims, (tuple, basestring, Dimension, dict)):\n dims = [dims]\n elif not isinstance(dims, list):\n raise ValueError(\n '%s argument expects a Dimension or list of dimensions, specified as tuples, strings, dictionaries or Dimension instances, not a %s type. Ensure you passed the data as the first argument.'\n % (group, type(dims).__name__))\n for dim in dims:\n if not isinstance(dim, (tuple, basestring, Dimension, dict)):\n raise ValueError(\n 'Dimensions must be defined as a tuple, string, dictionary or Dimension instance, found a %s type.'\n % type(dim).__name__)\n dimensions[group] = [asdim(d) for d in dims]\n return dimensions\n", "role": "user" }, { "content": "process_dimensions", "role": "assistant" } ]
def x(self, spec=None, **overrides): settings = dict(self.get_param_values(), **overrides) if spec is None: spec = self.name, overrides.get('label', self.label) if 'label' in overrides and isinstance(spec, basestring): spec = spec, overrides['label'] elif 'label' in overrides and isinstance(spec, tuple): if overrides['label'] != spec[1]: self.param.warning( 'Using label as supplied by keyword ({!r}), ignoring tuple value {!r}' .format(overrides['label'], spec[1])) spec = spec[0], overrides['label'] return self.__class__(spec, **{k: v for k, v in settings.items() if k not in ['name', 'label']})
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec=None, **overrides):\n settings = dict(self.get_param_values(), **overrides)\n if spec is None:\n spec = self.name, overrides.get('label', self.label)\n if 'label' in overrides and isinstance(spec, basestring):\n spec = spec, overrides['label']\n elif 'label' in overrides and isinstance(spec, tuple):\n if overrides['label'] != spec[1]:\n self.param.warning(\n 'Using label as supplied by keyword ({!r}), ignoring tuple value {!r}'\n .format(overrides['label'], spec[1]))\n spec = spec[0], overrides['label']\n return self.__class__(spec, **{k: v for k, v in settings.items() if k\n not in ['name', 'label']})\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self): unit = '' if self.unit is None else type(self.unit)(self.unit_format ).format(unit=self.unit) return bytes_to_unicode(self.label) + bytes_to_unicode(unit)
pprint_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n unit = '' if self.unit is None else type(self.unit)(self.unit_format\n ).format(unit=self.unit)\n return bytes_to_unicode(self.label) + bytes_to_unicode(unit)\n", "role": "user" }, { "content": "pprint_label", "role": "assistant" } ]
def x(self, value): own_type = type(value) if self.type is None else self.type formatter = (self.value_format if self.value_format else self. type_formatters.get(own_type)) if formatter: if callable(formatter): return formatter(value) elif isinstance(formatter, basestring): if isinstance(value, (dt.datetime, dt.date)): return value.strftime(formatter) elif isinstance(value, np.datetime64): return util.dt64_to_dt(value).strftime(formatter) elif re.findall('\\{(\\w+)\\}', formatter): return formatter.format(value) else: return formatter % value return unicode(bytes_to_unicode(value))
pprint_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n own_type = type(value) if self.type is None else self.type\n formatter = (self.value_format if self.value_format else self.\n type_formatters.get(own_type))\n if formatter:\n if callable(formatter):\n return formatter(value)\n elif isinstance(formatter, basestring):\n if isinstance(value, (dt.datetime, dt.date)):\n return value.strftime(formatter)\n elif isinstance(value, np.datetime64):\n return util.dt64_to_dt(value).strftime(formatter)\n elif re.findall('\\\\{(\\\\w+)\\\\}', formatter):\n return formatter.format(value)\n else:\n return formatter % value\n return unicode(bytes_to_unicode(value))\n", "role": "user" }, { "content": "pprint_value", "role": "assistant" } ]
def x(self, value): unit = '' if self.unit is None else ' ' + bytes_to_unicode(self.unit) value = self.pprint_value(value) return title_format.format(name=bytes_to_unicode(self.label), val=value, unit=unit)
pprint_value_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n unit = '' if self.unit is None else ' ' + bytes_to_unicode(self.unit)\n value = self.pprint_value(value)\n return title_format.format(name=bytes_to_unicode(self.label), val=value,\n unit=unit)\n", "role": "user" }, { "content": "pprint_value_string", "role": "assistant" } ]
def x(self, opts_id): old_id = self._id self._id = opts_id if old_id is not None: cleanup_custom_options(old_id) if opts_id is not None and opts_id != old_id: if opts_id not in Store._weakrefs: Store._weakrefs[opts_id] = [] ref = weakref.ref(self, partial(cleanup_custom_options, opts_id)) Store._weakrefs[opts_id].append(ref)
id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, opts_id):\n old_id = self._id\n self._id = opts_id\n if old_id is not None:\n cleanup_custom_options(old_id)\n if opts_id is not None and opts_id != old_id:\n if opts_id not in Store._weakrefs:\n Store._weakrefs[opts_id] = []\n ref = weakref.ref(self, partial(cleanup_custom_options, opts_id))\n Store._weakrefs[opts_id].append(ref)\n", "role": "user" }, { "content": "id", "role": "assistant" } ]
def x(self, data=None, shared_data=True, new_type=None, link=True, *args, **overrides): params = dict(self.get_param_values()) if new_type is None: clone_type = self.__class__ else: clone_type = new_type new_params = new_type.params() params = {k: v for k, v in params.items() if k in new_params} if params.get('group') == self.params()['group'].default: params.pop('group') settings = dict(params, **overrides) if 'id' not in settings: settings['id'] = self.id if data is None and shared_data: data = self.data if link: settings['plot_id'] = self._plot_id pos_args = getattr(self, '_' + type(self).__name__ + '__pos_params', []) return clone_type(data, *args, **{k: v for k, v in settings.items() if k not in pos_args})
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 params = dict(self.get_param_values())\n if new_type is None:\n clone_type = self.__class__\n else:\n clone_type = new_type\n new_params = new_type.params()\n params = {k: v for k, v in params.items() if k in new_params}\n if params.get('group') == self.params()['group'].default:\n params.pop('group')\n settings = dict(params, **overrides)\n if 'id' not in settings:\n settings['id'] = self.id\n if data is None and shared_data:\n data = self.data\n if link:\n settings['plot_id'] = self._plot_id\n pos_args = getattr(self, '_' + type(self).__name__ + '__pos_params', [])\n return clone_type(data, *args, **{k: v for k, v in settings.items() if \n k not in pos_args})\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self, label=None, group=None, depth=0): new_data = self.data if depth > 0 and getattr(self, '_deep_indexable', False): new_data = [] for k, v in self.data.items(): relabelled = v.relabel(group=group, label=label, depth=depth - 1) new_data.append((k, relabelled)) keywords = [('label', label), ('group', group)] kwargs = {k: v for k, v in keywords if v is not None} return self.clone(new_data, **kwargs)
relabel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, label=None, group=None, depth=0):\n new_data = self.data\n if depth > 0 and getattr(self, '_deep_indexable', False):\n new_data = []\n for k, v in self.data.items():\n relabelled = v.relabel(group=group, label=label, depth=depth - 1)\n new_data.append((k, relabelled))\n keywords = [('label', label), ('group', group)]\n kwargs = {k: v for k, v in keywords if v is not None}\n return self.clone(new_data, **kwargs)\n", "role": "user" }, { "content": "relabel", "role": "assistant" } ]
def x(self, spec): if callable(spec) and not isinstance(spec, type): return spec(self) elif isinstance(spec, type): return isinstance(self, spec) specification = self.__class__.__name__, self.group, self.label split_spec = tuple(spec.split('.')) if not isinstance(spec, tuple ) else spec split_spec, nocompare = zip(*((None, True) if s == '*' or s is None else (s, False) for s in split_spec)) if all(nocompare): return True match_fn = itemgetter(*(idx for idx, nc in enumerate(nocompare) if not nc)) self_spec = match_fn(split_spec) unescaped_match = match_fn(specification[:len(split_spec)]) == self_spec if unescaped_match: return True sanitizers = [util.sanitize_identifier, util.group_sanitizer, util. label_sanitizer] identifier_specification = tuple(fn(ident, escape=False) for ident, fn in zip(specification, sanitizers)) identifier_match = match_fn(identifier_specification[:len(split_spec)] ) == self_spec return identifier_match
matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec):\n if callable(spec) and not isinstance(spec, type):\n return spec(self)\n elif isinstance(spec, type):\n return isinstance(self, spec)\n specification = self.__class__.__name__, self.group, self.label\n split_spec = tuple(spec.split('.')) if not isinstance(spec, tuple\n ) else spec\n split_spec, nocompare = zip(*((None, True) if s == '*' or s is None else\n (s, False) for s in split_spec))\n if all(nocompare):\n return True\n match_fn = itemgetter(*(idx for idx, nc in enumerate(nocompare) if not nc))\n self_spec = match_fn(split_spec)\n unescaped_match = match_fn(specification[:len(split_spec)]) == self_spec\n if unescaped_match:\n return True\n sanitizers = [util.sanitize_identifier, util.group_sanitizer, util.\n label_sanitizer]\n identifier_specification = tuple(fn(ident, escape=False) for ident, fn in\n zip(specification, sanitizers))\n identifier_match = match_fn(identifier_specification[:len(split_spec)]\n ) == self_spec\n return identifier_match\n", "role": "user" }, { "content": "matches", "role": "assistant" } ]
def x(self, fn=None, specs=None, full_breadth=True): if fn is None: fn = lambda x: x if specs is not None and not isinstance(specs, (list, set, tuple)): specs = [specs] accumulator = [] matches = specs is None if not matches: for spec in specs: matches = self.matches(spec) if matches: break if matches: accumulator.append(fn(self)) if self._deep_indexable: for el in self: if el is None: continue accumulator += el.traverse(fn, specs, full_breadth) if not full_breadth: break return accumulator
traverse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn=None, specs=None, full_breadth=True):\n if fn is None:\n fn = lambda x: x\n if specs is not None and not isinstance(specs, (list, set, tuple)):\n specs = [specs]\n accumulator = []\n matches = specs is None\n if not matches:\n for spec in specs:\n matches = self.matches(spec)\n if matches:\n break\n if matches:\n accumulator.append(fn(self))\n if self._deep_indexable:\n for el in self:\n if el is None:\n continue\n accumulator += el.traverse(fn, specs, full_breadth)\n if not full_breadth:\n break\n return accumulator\n", "role": "user" }, { "content": "traverse", "role": "assistant" } ]
def x(self, map_fn, specs=None, clone=True): if specs is not None and not isinstance(specs, (list, set, tuple)): specs = [specs] applies = specs is None or any(self.matches(spec) for spec in specs) if self._deep_indexable: deep_mapped = self.clone(shared_data=False) if clone else self for k, v in self.items(): new_val = v.map(map_fn, specs, clone) if new_val is not None: deep_mapped[k] = new_val if applies: deep_mapped = map_fn(deep_mapped) return deep_mapped else: return map_fn(self) if applies else self
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, map_fn, specs=None, clone=True):\n if specs is not None and not isinstance(specs, (list, set, tuple)):\n specs = [specs]\n applies = specs is None or any(self.matches(spec) for spec in specs)\n if self._deep_indexable:\n deep_mapped = self.clone(shared_data=False) if clone else self\n for k, v in self.items():\n new_val = v.map(map_fn, specs, clone)\n if new_val is not None:\n deep_mapped[k] = new_val\n if applies:\n deep_mapped = map_fn(deep_mapped)\n return deep_mapped\n else:\n return map_fn(self) if applies else self\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, dimensions): if dimensions is None: dimensions = self.kdims elif not isinstance(dimensions, list): dimensions = [dimensions] valid_dimensions = [] for dim in dimensions: if isinstance(dim, Dimension): dim = dim.name if dim not in self.kdims: raise Exception('Supplied dimensions %s not found.' % dim) valid_dimensions.append(dim) return valid_dimensions
valid_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions):\n if dimensions is None:\n dimensions = self.kdims\n elif not isinstance(dimensions, list):\n dimensions = [dimensions]\n valid_dimensions = []\n for dim in dimensions:\n if isinstance(dim, Dimension):\n dim = dim.name\n if dim not in self.kdims:\n raise Exception('Supplied dimensions %s not found.' % dim)\n valid_dimensions.append(dim)\n return valid_dimensions\n", "role": "user" }, { "content": "valid_dimensions", "role": "assistant" } ]
def x(self, selection='all', label=False): if label in ['name', True]: label = 'short' elif label == 'label': label = 'long' elif label: raise ValueError( "label needs to be one of True, False, 'name' or 'label'") lambdas = {'k': (lambda x: x.kdims, {'full_breadth': False}), 'v': (lambda x: x.vdims, {}), 'c': (lambda x: x.cdims, {})} aliases = {'key': 'k', 'value': 'v', 'constant': 'c'} if selection in ['all', 'ranges']: groups = [d for d in self._dim_groups if d != 'cdims'] dims = [dim for group in groups for dim in getattr(self, group)] elif isinstance(selection, list): dims = [dim for group in selection for dim in getattr(self, '%sdims' % aliases.get(group))] elif aliases.get(selection) in lambdas: selection = aliases.get(selection, selection) lmbd, kwargs = lambdas[selection] key_traversal = self.traverse(lmbd, **kwargs) dims = [dim for keydims in key_traversal for dim in keydims] else: raise KeyError( "Invalid selection %r, valid selections include'all', 'value' and 'key' dimensions" % repr(selection)) return [((dim.label if label == 'long' else dim.name) if label else dim ) for dim in dims]
dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, selection='all', label=False):\n if label in ['name', True]:\n label = 'short'\n elif label == 'label':\n label = 'long'\n elif label:\n raise ValueError(\n \"label needs to be one of True, False, 'name' or 'label'\")\n lambdas = {'k': (lambda x: x.kdims, {'full_breadth': False}), 'v': (lambda\n x: x.vdims, {}), 'c': (lambda x: x.cdims, {})}\n aliases = {'key': 'k', 'value': 'v', 'constant': 'c'}\n if selection in ['all', 'ranges']:\n groups = [d for d in self._dim_groups if d != 'cdims']\n dims = [dim for group in groups for dim in getattr(self, group)]\n elif isinstance(selection, list):\n dims = [dim for group in selection for dim in getattr(self, \n '%sdims' % aliases.get(group))]\n elif aliases.get(selection) in lambdas:\n selection = aliases.get(selection, selection)\n lmbd, kwargs = lambdas[selection]\n key_traversal = self.traverse(lmbd, **kwargs)\n dims = [dim for keydims in key_traversal for dim in keydims]\n else:\n raise KeyError(\n \"Invalid selection %r, valid selections include'all', 'value' and 'key' dimensions\"\n % repr(selection))\n return [((dim.label if label == 'long' else dim.name) if label else dim\n ) for dim in dims]\n", "role": "user" }, { "content": "dimensions", "role": "assistant" } ]
def x(self, dimension, default=None, strict=False): if dimension is not None and not isinstance(dimension, (int, basestring, Dimension)): raise TypeError( 'Dimension lookup supports int, string, and Dimension instances, cannot lookup Dimensions using %s type.' % type(dimension).__name__) all_dims = self.dimensions() if isinstance(dimension, int): if 0 <= dimension < len(all_dims): return all_dims[dimension] elif strict: raise KeyError('Dimension %r not found' % dimension) else: return default dimension = dimension_name(dimension) name_map = {dim.name: dim for dim in all_dims} name_map.update({dim.label: dim for dim in all_dims}) name_map.update({util.dimension_sanitizer(dim.name): dim for dim in all_dims}) if strict and dimension not in name_map: raise KeyError('Dimension %r not found.' % dimension) else: return name_map.get(dimension, default)
get_dimension
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, default=None, strict=False):\n if dimension is not None and not isinstance(dimension, (int, basestring,\n Dimension)):\n raise TypeError(\n 'Dimension lookup supports int, string, and Dimension instances, cannot lookup Dimensions using %s type.'\n % type(dimension).__name__)\n all_dims = self.dimensions()\n if isinstance(dimension, int):\n if 0 <= dimension < len(all_dims):\n return all_dims[dimension]\n elif strict:\n raise KeyError('Dimension %r not found' % dimension)\n else:\n return default\n dimension = dimension_name(dimension)\n name_map = {dim.name: dim for dim in all_dims}\n name_map.update({dim.label: dim for dim in all_dims})\n name_map.update({util.dimension_sanitizer(dim.name): dim for dim in\n all_dims})\n if strict and dimension not in name_map:\n raise KeyError('Dimension %r not found.' % dimension)\n else:\n return name_map.get(dimension, default)\n", "role": "user" }, { "content": "get_dimension", "role": "assistant" } ]
def x(self, dimension): if isinstance(dimension, int): if dimension < self.ndims + len(self.vdims) or dimension < len(self .dimensions()): return dimension else: return IndexError('Dimension index out of bounds') dim = dimension_name(dimension) try: dimensions = self.kdims + self.vdims return [i for i, d in enumerate(dimensions) if d == dim][0] except IndexError: raise Exception('Dimension %s not found in %s.' % (dim, self. __class__.__name__))
get_dimension_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension):\n if isinstance(dimension, int):\n if dimension < self.ndims + len(self.vdims) or dimension < len(self\n .dimensions()):\n return dimension\n else:\n return IndexError('Dimension index out of bounds')\n dim = dimension_name(dimension)\n try:\n dimensions = self.kdims + self.vdims\n return [i for i, d in enumerate(dimensions) if d == dim][0]\n except IndexError:\n raise Exception('Dimension %s not found in %s.' % (dim, self.\n __class__.__name__))\n", "role": "user" }, { "content": "get_dimension_index", "role": "assistant" } ]
def x(self, dim): dim_obj = self.get_dimension(dim) if dim_obj and dim_obj.type is not None: return dim_obj.type dim_vals = [type(v) for v in self.dimension_values(dim)] if len(set(dim_vals)) == 1: return dim_vals[0] else: return None
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_obj = self.get_dimension(dim)\n if dim_obj and dim_obj.type is not None:\n return dim_obj.type\n dim_vals = [type(v) for v in self.dimension_values(dim)]\n if len(set(dim_vals)) == 1:\n return dim_vals[0]\n else:\n return None\n", "role": "user" }, { "content": "get_dimension_type", "role": "assistant" } ]
def x(self, selection_specs=None, **kwargs): if selection_specs is not None and not isinstance(selection_specs, ( list, tuple)): selection_specs = [selection_specs] vdims = self.vdims + ['value'] if self.vdims else [] kdims = self.kdims local_kwargs = {k: v for k, v in kwargs.items() if k in kdims + vdims} if selection_specs is not None: if not isinstance(selection_specs, (list, tuple)): selection_specs = [selection_specs] matches = any(self.matches(spec) for spec in selection_specs) else: matches = True if local_kwargs and matches: ndims = self.ndims if any(d in self.vdims for d in kwargs): ndims = len(self.kdims + self.vdims) select = [slice(None) for _ in range(ndims)] for dim, val in local_kwargs.items(): if dim == 'value': select += [val] else: if isinstance(val, tuple): val = slice(*val) select[self.get_dimension_index(dim)] = val if self._deep_indexable: selection = self.get(tuple(select), None) if selection is None: selection = self.clone(shared_data=False) else: selection = self[tuple(select)] else: selection = self if not isinstance(selection, Dimensioned): return selection elif type(selection) is not type(self) and isinstance(selection, Dimensioned): dimensions = selection.dimensions() + ['value'] if any(kw in dimensions for kw in kwargs): selection = selection.select(selection_specs, **kwargs) elif isinstance(selection, Dimensioned) and selection._deep_indexable: items = [] for k, v in selection.items(): dimensions = v.dimensions() + ['value'] if any(kw in dimensions for kw in kwargs): items.append((k, v.select(selection_specs, **kwargs))) else: items.append((k, v)) selection = selection.clone(items) return selection
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, **kwargs):\n if selection_specs is not None and not isinstance(selection_specs, (\n list, tuple)):\n selection_specs = [selection_specs]\n vdims = self.vdims + ['value'] if self.vdims else []\n kdims = self.kdims\n local_kwargs = {k: v for k, v in kwargs.items() if k in kdims + vdims}\n if selection_specs is not None:\n if not isinstance(selection_specs, (list, tuple)):\n selection_specs = [selection_specs]\n matches = any(self.matches(spec) for spec in selection_specs)\n else:\n matches = True\n if local_kwargs and matches:\n ndims = self.ndims\n if any(d in self.vdims for d in kwargs):\n ndims = len(self.kdims + self.vdims)\n select = [slice(None) for _ in range(ndims)]\n for dim, val in local_kwargs.items():\n if dim == 'value':\n select += [val]\n else:\n if isinstance(val, tuple):\n val = slice(*val)\n select[self.get_dimension_index(dim)] = val\n if self._deep_indexable:\n selection = self.get(tuple(select), None)\n if selection is None:\n selection = self.clone(shared_data=False)\n else:\n selection = self[tuple(select)]\n else:\n selection = self\n if not isinstance(selection, Dimensioned):\n return selection\n elif type(selection) is not type(self) and isinstance(selection,\n Dimensioned):\n dimensions = selection.dimensions() + ['value']\n if any(kw in dimensions for kw in kwargs):\n selection = selection.select(selection_specs, **kwargs)\n elif isinstance(selection, Dimensioned) and selection._deep_indexable:\n items = []\n for k, v in selection.items():\n dimensions = v.dimensions() + ['value']\n if any(kw in dimensions for kw in kwargs):\n items.append((k, v.select(selection_specs, **kwargs)))\n else:\n items.append((k, v))\n selection = selection.clone(items)\n return selection\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): val = self._cached_constants.get(dimension, None) if val: return np.array([val]) else: raise Exception('Dimension %s not found in %s.' % (dimension, self. __class__.__name__))
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 val = self._cached_constants.get(dimension, None)\n if val:\n return np.array([val])\n else:\n raise Exception('Dimension %s not found in %s.' % (dimension, self.\n __class__.__name__))\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, dimension, data_range=True, dimension_range=True): dimension = self.get_dimension(dimension) if dimension is None or not data_range and not dimension_range: return None, None elif all(util.isfinite(v) for v in dimension.range) and dimension_range: return dimension.range elif data_range: if dimension in self.kdims + self.vdims: dim_vals = self.dimension_values(dimension.name) lower, upper = util.find_range(dim_vals) else: dname = dimension.name match_fn = lambda x: dname in x.kdims + x.vdims range_fn = lambda x: x.range(dname) ranges = self.traverse(range_fn, [match_fn]) lower, upper = util.max_range(ranges) else: lower, upper = np.NaN, np.NaN if not dimension_range: return lower, upper return util.dimension_range(lower, upper, dimension.range, dimension. soft_range)
range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, data_range=True, dimension_range=True):\n dimension = self.get_dimension(dimension)\n if dimension is None or not data_range and not dimension_range:\n return None, None\n elif all(util.isfinite(v) for v in dimension.range) and dimension_range:\n return dimension.range\n elif data_range:\n if dimension in self.kdims + self.vdims:\n dim_vals = self.dimension_values(dimension.name)\n lower, upper = util.find_range(dim_vals)\n else:\n dname = dimension.name\n match_fn = lambda x: dname in x.kdims + x.vdims\n range_fn = lambda x: x.range(dname)\n ranges = self.traverse(range_fn, [match_fn])\n lower, upper = util.max_range(ranges)\n else:\n lower, upper = np.NaN, np.NaN\n if not dimension_range:\n return lower, upper\n return util.dimension_range(lower, upper, dimension.range, dimension.\n soft_range)\n", "role": "user" }, { "content": "range", "role": "assistant" } ]
def x(self, *args, **kwargs): backend = kwargs.get('backend', None) clone = kwargs.pop('clone', True) if len(args) == 0 and len(kwargs) == 0: options = None elif args and isinstance(args[0], basestring): options = {args[0]: kwargs} elif args and isinstance(args[0], list): if kwargs: raise ValueError( 'Please specify a list of option objects, or kwargs, but not both' ) options = args[0] elif args and [k for k in kwargs.keys() if k != 'backend']: raise ValueError( "Options must be defined in one of two formats. Either supply keywords defining the options for the current object, e.g. obj.options(cmap='viridis'), or explicitly define the type, e.g. obj.options({'Image': {'cmap': 'viridis'}}). Supplying both formats is not supported." ) elif args and all(isinstance(el, dict) for el in args): if len(args) > 1: self.warning( 'Only a single dictionary can be passed as a positional argument. Only processing the first dictionary' ) options = [Options(spec, **kws) for spec, kws in args[0].items()] elif args: options = list(args) elif kwargs: options = {type(self).__name__: kwargs} from ..util import opts if options is None: expanded_backends = [(backend, {})] elif isinstance(options, list): expanded_backends = opts._expand_by_backend(options, backend) else: expanded_backends = [(backend, opts._expand_options(options, backend))] obj = self for backend, expanded in expanded_backends: obj = obj.opts._dispatch_opts(expanded, backend=backend, clone=clone) return obj
options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n backend = kwargs.get('backend', None)\n clone = kwargs.pop('clone', True)\n if len(args) == 0 and len(kwargs) == 0:\n options = None\n elif args and isinstance(args[0], basestring):\n options = {args[0]: kwargs}\n elif args and isinstance(args[0], list):\n if kwargs:\n raise ValueError(\n 'Please specify a list of option objects, or kwargs, but not both'\n )\n options = args[0]\n elif args and [k for k in kwargs.keys() if k != 'backend']:\n raise ValueError(\n \"Options must be defined in one of two formats. Either supply keywords defining the options for the current object, e.g. obj.options(cmap='viridis'), or explicitly define the type, e.g. obj.options({'Image': {'cmap': 'viridis'}}). Supplying both formats is not supported.\"\n )\n elif args and all(isinstance(el, dict) for el in args):\n if len(args) > 1:\n self.warning(\n 'Only a single dictionary can be passed as a positional argument. Only processing the first dictionary'\n )\n options = [Options(spec, **kws) for spec, kws in args[0].items()]\n elif args:\n options = list(args)\n elif kwargs:\n options = {type(self).__name__: kwargs}\n from ..util import opts\n if options is None:\n expanded_backends = [(backend, {})]\n elif isinstance(options, list):\n expanded_backends = opts._expand_by_backend(options, backend)\n else:\n expanded_backends = [(backend, opts._expand_options(options, backend))]\n obj = self\n for backend, expanded in expanded_backends:\n obj = obj.opts._dispatch_opts(expanded, backend=backend, clone=clone)\n return obj\n", "role": "user" }, { "content": "options", "role": "assistant" } ]
def x(cls, vals): if util.config.future_deprecations: param.main.param.warning( '%s.from_values is deprecated, the %s constructor may now be used directly.' ) return cls(items=cls._process_items(vals))
from_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, vals):\n if util.config.future_deprecations:\n param.main.param.warning(\n '%s.from_values is deprecated, the %s constructor may now be used directly.'\n )\n return cls(items=cls._process_items(vals))\n", "role": "user" }, { "content": "from_values", "role": "assistant" } ]
def x(cls, vals): if type(vals) is cls: return vals.data elif not isinstance(vals, (list, tuple)): vals = [vals] items = [] counts = defaultdict(lambda : 1) cls._unpack_paths(vals, items, counts) items = cls._deduplicate_items(items) return items
process_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, vals):\n if type(vals) is cls:\n return vals.data\n elif not isinstance(vals, (list, tuple)):\n vals = [vals]\n items = []\n counts = defaultdict(lambda : 1)\n cls._unpack_paths(vals, items, counts)\n items = cls._deduplicate_items(items)\n return items\n", "role": "user" }, { "content": "process_items", "role": "assistant" } ]
def x(cls, items): counter = Counter([path[:i] for path, _ in items for i in range(1, len( path) + 1)]) if sum(counter.values()) == len(counter): return items new_items = [] counts = defaultdict(lambda : 0) for i, (path, item) in enumerate(items): if counter[path] > 1: path = path + (util.int_to_roman(counts[path] + 1),) elif counts[path]: path = path[:-1] + (util.int_to_roman(counts[path] + 1),) new_items.append((path, item)) counts[path] += 1 return new_items
deduplicate_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, items):\n counter = Counter([path[:i] for path, _ in items for i in range(1, len(\n path) + 1)])\n if sum(counter.values()) == len(counter):\n return items\n new_items = []\n counts = defaultdict(lambda : 0)\n for i, (path, item) in enumerate(items):\n if counter[path] > 1:\n path = path + (util.int_to_roman(counts[path] + 1),)\n elif counts[path]:\n path = path[:-1] + (util.int_to_roman(counts[path] + 1),)\n new_items.append((path, item))\n counts[path] += 1\n return new_items\n", "role": "user" }, { "content": "deduplicate_items", "role": "assistant" } ]
def x(cls, objs, items, counts): if type(objs) is cls: objs = objs.items() for item in objs: path, obj = item if isinstance(item, tuple) else (None, item) if type(obj) is cls: cls._unpack_paths(obj, items, counts) continue new = path is None or len(path) == 1 path = util.get_path(item) if new else path new_path = util.make_path_unique(path, counts, new) items.append((new_path, obj))
unpack_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, objs, items, counts):\n if type(objs) is cls:\n objs = objs.items()\n for item in objs:\n path, obj = item if isinstance(item, tuple) else (None, item)\n if type(obj) is cls:\n cls._unpack_paths(obj, items, counts)\n continue\n new = path is None or len(path) == 1\n path = util.get_path(item) if new else path\n new_path = util.make_path_unique(path, counts, new)\n items.append((new_path, obj))\n", "role": "user" }, { "content": "unpack_paths", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): dimension = self.get_dimension(dimension, strict=True).name all_dims = self.traverse(lambda x: [d.name for d in x.dimensions()]) if dimension in chain.from_iterable(all_dims): values = [el.dimension_values(dimension) for el in self if dimension in el.dimensions(label=True)] vals = np.concatenate(values) return vals if expanded else util.unique_array(vals) else: return super(ViewableTree, self).dimension_values(dimension, 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, dimension, expanded=True, flat=True):\n dimension = self.get_dimension(dimension, strict=True).name\n all_dims = self.traverse(lambda x: [d.name for d in x.dimensions()])\n if dimension in chain.from_iterable(all_dims):\n values = [el.dimension_values(dimension) for el in self if \n dimension in el.dimensions(label=True)]\n vals = np.concatenate(values)\n return vals if expanded else util.unique_array(vals)\n else:\n return super(ViewableTree, self).dimension_values(dimension,\n expanded, flat)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self, group): if util.config.future_deprecations: self.param.warning( '%s.regroup is deprecated, use relabel method with a group argument instead.' % type(self).__name__) new_items = [el.relabel(group=group) for el in self.data.values()] return reduce(lambda x, y: x + y, new_items)
regroup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group):\n if util.config.future_deprecations:\n self.param.warning(\n '%s.regroup is deprecated, use relabel method with a group argument instead.'\n % type(self).__name__)\n new_items = [el.relabel(group=group) for el in self.data.values()]\n return reduce(lambda x, y: x + y, new_items)\n", "role": "user" }, { "content": "regroup", "role": "assistant" } ]