source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, key, element=None, title=None, dimensions=None, ranges=None,
xticks=None, yticks=None, zticks=None, xlabel=None, ylabel=None, zlabel
=None):
if element is None:
element = self._get_frame(key)
self.current_frame = element
if not dimensions and element and not self.subplots:
el = element.traverse(lambda x: x, [Element])
if el:
el = el[0]
dimensions = el.nodes.dimensions() if isinstance(el, Graph
) else el.dimensions()
axis = self.handles['axis']
subplots = list(self.subplots.values()) if self.subplots else []
if self.zorder == 0 and key is not None:
if self.bgcolor:
if mpl_version <= '1.5.9':
axis.set_axis_bgcolor(self.bgcolor)
else:
axis.set_facecolor(self.bgcolor)
title = self._format_title(key)
if self.show_title and title is not None:
fontsize = self._fontsize('title')
if 'title' in self.handles:
self.handles['title'].set_text(title)
else:
self.handles['title'] = axis.set_title(title, **fontsize)
self._subplot_label(axis)
if element is not None and not any(not sp._has_axes for sp in [self
] + subplots):
if dimensions:
self._set_labels(axis, dimensions, xlabel, ylabel, zlabel)
else:
if self.xlabel is not None:
axis.set_xlabel(self.xlabel)
if self.ylabel is not None:
axis.set_ylabel(self.ylabel)
if self.zlabel is not None and hasattr(axis, 'set_zlabel'):
axis.set_zlabel(self.zlabel)
if not subplots:
legend = axis.get_legend()
if legend:
legend.set_visible(self.show_legend)
self.handles['bbox_extra_artists'] += [legend]
axis.xaxis.grid(self.show_grid)
axis.yaxis.grid(self.show_grid)
if self.logx:
axis.set_xscale('log')
if self.logy:
axis.set_yscale('log')
if not self.projection == '3d':
self._set_axis_position(axis, 'x', self.xaxis)
self._set_axis_position(axis, 'y', self.yaxis)
if self.apply_ticks:
self._finalize_ticks(axis, dimensions, xticks, yticks, zticks)
self._set_axis_limits(axis, element, subplots, ranges)
if (self.aspect is not None and self.projection != 'polar' and not
self.adjoined):
self._set_aspect(axis, self.aspect)
if not subplots and not self.drawn:
self._finalize_artist(element)
self._execute_hooks(element)
return super(ElementPlot, self)._finalize_axis(key)
| 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, element=None, title=None, dimensions=None, ranges=None,\n xticks=None, yticks=None, zticks=None, xlabel=None, ylabel=None, zlabel\n =None):\n if element is None:\n element = self._get_frame(key)\n self.current_frame = element\n if not dimensions and element and not self.subplots:\n el = element.traverse(lambda x: x, [Element])\n if el:\n el = el[0]\n dimensions = el.nodes.dimensions() if isinstance(el, Graph\n ) else el.dimensions()\n axis = self.handles['axis']\n subplots = list(self.subplots.values()) if self.subplots else []\n if self.zorder == 0 and key is not None:\n if self.bgcolor:\n if mpl_version <= '1.5.9':\n axis.set_axis_bgcolor(self.bgcolor)\n else:\n axis.set_facecolor(self.bgcolor)\n title = self._format_title(key)\n if self.show_title and title is not None:\n fontsize = self._fontsize('title')\n if 'title' in self.handles:\n self.handles['title'].set_text(title)\n else:\n self.handles['title'] = axis.set_title(title, **fontsize)\n self._subplot_label(axis)\n if element is not None and not any(not sp._has_axes for sp in [self\n ] + subplots):\n if dimensions:\n self._set_labels(axis, dimensions, xlabel, ylabel, zlabel)\n else:\n if self.xlabel is not None:\n axis.set_xlabel(self.xlabel)\n if self.ylabel is not None:\n axis.set_ylabel(self.ylabel)\n if self.zlabel is not None and hasattr(axis, 'set_zlabel'):\n axis.set_zlabel(self.zlabel)\n if not subplots:\n legend = axis.get_legend()\n if legend:\n legend.set_visible(self.show_legend)\n self.handles['bbox_extra_artists'] += [legend]\n axis.xaxis.grid(self.show_grid)\n axis.yaxis.grid(self.show_grid)\n if self.logx:\n axis.set_xscale('log')\n if self.logy:\n axis.set_yscale('log')\n if not self.projection == '3d':\n self._set_axis_position(axis, 'x', self.xaxis)\n self._set_axis_position(axis, 'y', self.yaxis)\n if self.apply_ticks:\n self._finalize_ticks(axis, dimensions, xticks, yticks, zticks)\n self._set_axis_limits(axis, element, subplots, ranges)\n if (self.aspect is not None and self.projection != 'polar' and not\n self.adjoined):\n self._set_aspect(axis, self.aspect)\n if not subplots and not self.drawn:\n self._finalize_artist(element)\n self._execute_hooks(element)\n return super(ElementPlot, self)._finalize_axis(key)\n",
"role": "user"
},
{
"content": "finalize_axis",
"role": "assistant"
}
] |
def x(self, axis, dimensions, xticks, yticks, zticks):
ndims = len(dimensions) if dimensions else 0
xdim = dimensions[0] if ndims else None
ydim = dimensions[1] if ndims > 1 else None
if xdim:
self._set_axis_formatter(axis.xaxis, xdim, self.xformatter)
if ydim:
self._set_axis_formatter(axis.yaxis, ydim, self.yformatter)
if self.projection == '3d':
zdim = dimensions[2] if ndims > 2 else None
if zdim or self.zformatter is not None:
self._set_axis_formatter(axis.zaxis, zdim, self.zformatter)
xticks = xticks if xticks else self.xticks
self._set_axis_ticks(axis.xaxis, xticks, log=self.logx, rotation=self.
xrotation)
yticks = yticks if yticks else self.yticks
self._set_axis_ticks(axis.yaxis, yticks, log=self.logy, rotation=self.
yrotation)
if self.projection == '3d':
zticks = zticks if zticks else self.zticks
self._set_axis_ticks(axis.zaxis, zticks, log=self.logz, rotation=
self.zrotation)
axes_str = 'xy'
axes_list = [axis.xaxis, axis.yaxis]
if hasattr(axis, 'zaxis'):
axes_str += 'z'
axes_list.append(axis.zaxis)
for ax, ax_obj in zip(axes_str, axes_list):
tick_fontsize = self._fontsize('%sticks' % ax, 'labelsize', common=
False)
if tick_fontsize:
ax_obj.set_tick_params(**tick_fontsize)
| finalize_ticks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, dimensions, xticks, yticks, zticks):\n ndims = len(dimensions) if dimensions else 0\n xdim = dimensions[0] if ndims else None\n ydim = dimensions[1] if ndims > 1 else None\n if xdim:\n self._set_axis_formatter(axis.xaxis, xdim, self.xformatter)\n if ydim:\n self._set_axis_formatter(axis.yaxis, ydim, self.yformatter)\n if self.projection == '3d':\n zdim = dimensions[2] if ndims > 2 else None\n if zdim or self.zformatter is not None:\n self._set_axis_formatter(axis.zaxis, zdim, self.zformatter)\n xticks = xticks if xticks else self.xticks\n self._set_axis_ticks(axis.xaxis, xticks, log=self.logx, rotation=self.\n xrotation)\n yticks = yticks if yticks else self.yticks\n self._set_axis_ticks(axis.yaxis, yticks, log=self.logy, rotation=self.\n yrotation)\n if self.projection == '3d':\n zticks = zticks if zticks else self.zticks\n self._set_axis_ticks(axis.zaxis, zticks, log=self.logz, rotation=\n self.zrotation)\n axes_str = 'xy'\n axes_list = [axis.xaxis, axis.yaxis]\n if hasattr(axis, 'zaxis'):\n axes_str += 'z'\n axes_list.append(axis.zaxis)\n for ax, ax_obj in zip(axes_str, axes_list):\n tick_fontsize = self._fontsize('%sticks' % ax, 'labelsize', common=\n False)\n if tick_fontsize:\n ax_obj.set_tick_params(**tick_fontsize)\n",
"role": "user"
},
{
"content": "finalize_ticks",
"role": "assistant"
}
] |
def x(self, axes, dimensions, xlabel=None, ylabel=None, zlabel=None):
xlabel, ylabel, zlabel = self._get_axis_labels(dimensions, xlabel,
ylabel, zlabel)
if self.invert_axes:
xlabel, ylabel = ylabel, xlabel
if xlabel and self.xaxis and 'x' in self.labelled:
axes.set_xlabel(xlabel, **self._fontsize('xlabel'))
if ylabel and self.yaxis and 'y' in self.labelled:
axes.set_ylabel(ylabel, **self._fontsize('ylabel'))
if zlabel and self.zaxis and 'z' in self.labelled:
axes.set_zlabel(zlabel, **self._fontsize('zlabel'))
| set_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axes, dimensions, xlabel=None, ylabel=None, zlabel=None):\n xlabel, ylabel, zlabel = self._get_axis_labels(dimensions, xlabel,\n ylabel, zlabel)\n if self.invert_axes:\n xlabel, ylabel = ylabel, xlabel\n if xlabel and self.xaxis and 'x' in self.labelled:\n axes.set_xlabel(xlabel, **self._fontsize('xlabel'))\n if ylabel and self.yaxis and 'y' in self.labelled:\n axes.set_ylabel(ylabel, **self._fontsize('ylabel'))\n if zlabel and self.zaxis and 'z' in self.labelled:\n axes.set_zlabel(zlabel, **self._fontsize('zlabel'))\n",
"role": "user"
},
{
"content": "set_labels",
"role": "assistant"
}
] |
def x(self, axis, dim, formatter):
if isinstance(dim, list):
dim = dim[0]
if formatter is not None:
pass
elif dim.value_format:
formatter = dim.value_format
elif dim.type in dim.type_formatters:
formatter = dim.type_formatters[dim.type]
if formatter:
axis.set_major_formatter(wrap_formatter(formatter))
| set_axis_formatter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, dim, formatter):\n if isinstance(dim, list):\n dim = dim[0]\n if formatter is not None:\n pass\n elif dim.value_format:\n formatter = dim.value_format\n elif dim.type in dim.type_formatters:\n formatter = dim.type_formatters[dim.type]\n if formatter:\n axis.set_major_formatter(wrap_formatter(formatter))\n",
"role": "user"
},
{
"content": "set_axis_formatter",
"role": "assistant"
}
] |
def x(self, xspan, yspan):
if isinstance(self.aspect, (int, float)):
return self.aspect
elif self.aspect == 'square':
return 1
elif self.aspect == 'equal':
return xspan / yspan
return 1
| get_aspect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, xspan, yspan):\n if isinstance(self.aspect, (int, float)):\n return self.aspect\n elif self.aspect == 'square':\n return 1\n elif self.aspect == 'equal':\n return xspan / yspan\n return 1\n",
"role": "user"
},
{
"content": "get_aspect",
"role": "assistant"
}
] |
def x(self, axes, aspect):
if isinstance(aspect, util.basestring
) and aspect != 'square' or self.data_aspect:
data_ratio = self.data_aspect or aspect
else:
(x0, x1), (y0, y1) = axes.get_xlim(), axes.get_ylim()
xsize = np.log(x1) - np.log(x0) if self.logx else x1 - x0
ysize = np.log(y1) - np.log(y0) if self.logy else y1 - y0
xsize = max(abs(xsize), 1e-30)
ysize = max(abs(ysize), 1e-30)
data_ratio = 1.0 / (ysize / xsize)
if aspect != 'square':
data_ratio = data_ratio / aspect
axes.set_aspect(data_ratio)
| set_aspect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axes, aspect):\n if isinstance(aspect, util.basestring\n ) and aspect != 'square' or self.data_aspect:\n data_ratio = self.data_aspect or aspect\n else:\n (x0, x1), (y0, y1) = axes.get_xlim(), axes.get_ylim()\n xsize = np.log(x1) - np.log(x0) if self.logx else x1 - x0\n ysize = np.log(y1) - np.log(y0) if self.logy else y1 - y0\n xsize = max(abs(xsize), 1e-30)\n ysize = max(abs(ysize), 1e-30)\n data_ratio = 1.0 / (ysize / xsize)\n if aspect != 'square':\n data_ratio = data_ratio / aspect\n axes.set_aspect(data_ratio)\n",
"role": "user"
},
{
"content": "set_aspect",
"role": "assistant"
}
] |
def x(self, axis, view, subplots, ranges):
extents = self.get_extents(view, ranges)
if not extents or self.overlaid:
axis.autoscale_view(scalex=True, scaley=True)
return
valid_lim = lambda c: util.isnumeric(c) and not np.isnan(c)
coords = [(coord if np.isreal(coord) or isinstance(coord, np.datetime64
) else np.NaN) for coord in extents]
coords = [(date2num(util.dt64_to_dt(c)) if isinstance(c, np.datetime64)
else c) for c in coords]
if self.projection == '3d' or len(extents) == 6:
l, b, zmin, r, t, zmax = coords
if self.invert_zaxis or any(p.invert_zaxis for p in subplots):
zmin, zmax = zmax, zmin
if zmin != zmax:
if valid_lim(zmin):
axis.set_zlim(bottom=zmin)
if valid_lim(zmax):
axis.set_zlim(top=zmax)
else:
l, b, r, t = coords
if self.invert_axes:
l, b, r, t = b, l, t, r
invertx = self.invert_xaxis or any(p.invert_xaxis for p in subplots)
xlim, scalex = self._compute_limits(l, r, self.logx, invertx, 'left',
'right')
inverty = self.invert_yaxis or any(p.invert_yaxis for p in subplots)
ylim, scaley = self._compute_limits(b, t, self.logy, inverty, 'bottom',
'top')
if xlim:
axis.set_xlim(**xlim)
if ylim:
axis.set_ylim(**ylim)
axis.autoscale_view(scalex=scalex, scaley=scaley)
| set_axis_limits | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, view, subplots, ranges):\n extents = self.get_extents(view, ranges)\n if not extents or self.overlaid:\n axis.autoscale_view(scalex=True, scaley=True)\n return\n valid_lim = lambda c: util.isnumeric(c) and not np.isnan(c)\n coords = [(coord if np.isreal(coord) or isinstance(coord, np.datetime64\n ) else np.NaN) for coord in extents]\n coords = [(date2num(util.dt64_to_dt(c)) if isinstance(c, np.datetime64)\n else c) for c in coords]\n if self.projection == '3d' or len(extents) == 6:\n l, b, zmin, r, t, zmax = coords\n if self.invert_zaxis or any(p.invert_zaxis for p in subplots):\n zmin, zmax = zmax, zmin\n if zmin != zmax:\n if valid_lim(zmin):\n axis.set_zlim(bottom=zmin)\n if valid_lim(zmax):\n axis.set_zlim(top=zmax)\n else:\n l, b, r, t = coords\n if self.invert_axes:\n l, b, r, t = b, l, t, r\n invertx = self.invert_xaxis or any(p.invert_xaxis for p in subplots)\n xlim, scalex = self._compute_limits(l, r, self.logx, invertx, 'left',\n 'right')\n inverty = self.invert_yaxis or any(p.invert_yaxis for p in subplots)\n ylim, scaley = self._compute_limits(b, t, self.logy, inverty, 'bottom',\n 'top')\n if xlim:\n axis.set_xlim(**xlim)\n if ylim:\n axis.set_ylim(**ylim)\n axis.autoscale_view(scalex=scalex, scaley=scaley)\n",
"role": "user"
},
{
"content": "set_axis_limits",
"role": "assistant"
}
] |
def x(self, axes, axis, option):
positions = {'x': ['bottom', 'top'], 'y': ['left', 'right']}[axis]
axis = axes.xaxis if axis == 'x' else axes.yaxis
if option in [None, False]:
axis.set_visible(False)
for pos in positions:
axes.spines[pos].set_visible(False)
else:
if option is True:
option = positions[0]
if 'bare' in option:
axis.set_ticklabels([])
axis.set_label_text('')
if option != 'bare':
option = option.split('-')[0]
axis.set_ticks_position(option)
axis.set_label_position(option)
if (not self.overlaid and not self.show_frame and self.projection !=
'polar'):
pos = positions[1] if option and (option == 'bare' or positions[0] in
option) else positions[0]
axes.spines[pos].set_visible(False)
| set_axis_position | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axes, axis, option):\n positions = {'x': ['bottom', 'top'], 'y': ['left', 'right']}[axis]\n axis = axes.xaxis if axis == 'x' else axes.yaxis\n if option in [None, False]:\n axis.set_visible(False)\n for pos in positions:\n axes.spines[pos].set_visible(False)\n else:\n if option is True:\n option = positions[0]\n if 'bare' in option:\n axis.set_ticklabels([])\n axis.set_label_text('')\n if option != 'bare':\n option = option.split('-')[0]\n axis.set_ticks_position(option)\n axis.set_label_position(option)\n if (not self.overlaid and not self.show_frame and self.projection !=\n 'polar'):\n pos = positions[1] if option and (option == 'bare' or positions[0] in\n option) else positions[0]\n axes.spines[pos].set_visible(False)\n",
"role": "user"
},
{
"content": "set_axis_position",
"role": "assistant"
}
] |
def x(self, axis, ticks, log=False, rotation=0):
if isinstance(ticks, (list, tuple)) and all(isinstance(l, list) for l in
ticks):
axis.set_ticks(ticks[0])
axis.set_ticklabels(ticks[1])
elif isinstance(ticks, ticker.Locator):
axis.set_major_locator(ticks)
elif not ticks and ticks is not None:
axis.set_ticks([])
elif isinstance(ticks, int):
if log:
locator = ticker.LogLocator(numticks=ticks, subs=range(1, 10))
else:
locator = ticker.MaxNLocator(ticks)
axis.set_major_locator(locator)
elif isinstance(ticks, (list, tuple)):
labels = None
if all(isinstance(t, tuple) for t in ticks):
ticks, labels = zip(*ticks)
axis.set_ticks(ticks)
if labels:
axis.set_ticklabels(labels)
for tick in axis.get_ticklabels():
tick.set_rotation(rotation)
| set_axis_ticks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, axis, ticks, log=False, rotation=0):\n if isinstance(ticks, (list, tuple)) and all(isinstance(l, list) for l in\n ticks):\n axis.set_ticks(ticks[0])\n axis.set_ticklabels(ticks[1])\n elif isinstance(ticks, ticker.Locator):\n axis.set_major_locator(ticks)\n elif not ticks and ticks is not None:\n axis.set_ticks([])\n elif isinstance(ticks, int):\n if log:\n locator = ticker.LogLocator(numticks=ticks, subs=range(1, 10))\n else:\n locator = ticker.MaxNLocator(ticks)\n axis.set_major_locator(locator)\n elif isinstance(ticks, (list, tuple)):\n labels = None\n if all(isinstance(t, tuple) for t in ticks):\n ticks, labels = zip(*ticks)\n axis.set_ticks(ticks)\n if labels:\n axis.set_ticklabels(labels)\n for tick in axis.get_ticklabels():\n tick.set_rotation(rotation)\n",
"role": "user"
},
{
"content": "set_axis_ticks",
"role": "assistant"
}
] |
def x(self, key, ranges=None, element=None):
reused = isinstance(self.hmap, DynamicMap) and self.overlaid
if not reused and element is None:
element = self._get_frame(key)
elif element is not None:
self.current_key = key
self.current_frame = element
if element is not None:
self.param.set_param(**self.lookup_options(element, 'plot').options)
axis = self.handles['axis']
axes_visible = element is not None or self.overlaid
axis.xaxis.set_visible(axes_visible and self.xaxis)
axis.yaxis.set_visible(axes_visible and self.yaxis)
axis.patch.set_alpha(np.min([int(axes_visible), 1]))
for hname, handle in self.handles.items():
hideable = hasattr(handle, 'set_visible')
if hname not in ['axis', 'fig'] and hideable:
handle.set_visible(element is not None)
if element is None:
return
ranges = self.compute_ranges(self.hmap, key, ranges)
ranges = util.match_spec(element, ranges)
max_cycles = self.style._max_cycles
style = self.lookup_options(element, 'style')
self.style = style.max_cycles(max_cycles) if max_cycles else style
label = element.label if self.show_legend else ''
style = dict(label=label, zorder=self.zorder, **self.style[self.
cyclic_index])
axis_kwargs = self.update_handles(key, axis, element, ranges, style)
self._finalize_axis(key, element=element, ranges=ranges, **axis_kwargs if
axis_kwargs else {})
| update_frame | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, ranges=None, element=None):\n reused = isinstance(self.hmap, DynamicMap) and self.overlaid\n if not reused and element is None:\n element = self._get_frame(key)\n elif element is not None:\n self.current_key = key\n self.current_frame = element\n if element is not None:\n self.param.set_param(**self.lookup_options(element, 'plot').options)\n axis = self.handles['axis']\n axes_visible = element is not None or self.overlaid\n axis.xaxis.set_visible(axes_visible and self.xaxis)\n axis.yaxis.set_visible(axes_visible and self.yaxis)\n axis.patch.set_alpha(np.min([int(axes_visible), 1]))\n for hname, handle in self.handles.items():\n hideable = hasattr(handle, 'set_visible')\n if hname not in ['axis', 'fig'] and hideable:\n handle.set_visible(element is not None)\n if element is None:\n return\n ranges = self.compute_ranges(self.hmap, key, ranges)\n ranges = util.match_spec(element, ranges)\n max_cycles = self.style._max_cycles\n style = self.lookup_options(element, 'style')\n self.style = style.max_cycles(max_cycles) if max_cycles else style\n label = element.label if self.show_legend else ''\n style = dict(label=label, zorder=self.zorder, **self.style[self.\n cyclic_index])\n axis_kwargs = self.update_handles(key, axis, element, ranges, style)\n self._finalize_axis(key, element=element, ranges=ranges, **axis_kwargs if\n axis_kwargs else {})\n",
"role": "user"
},
{
"content": "update_frame",
"role": "assistant"
}
] |
def x(self, ax, plot_args, plot_kwargs):
plot_method = self._plot_methods.get('batched' if self.batched else
'single')
plot_fn = getattr(ax, plot_method)
artist = plot_fn(*plot_args, **plot_kwargs)
return {'artist': artist[0] if isinstance(artist, list) and len(artist) ==
1 else artist}
| init_artists | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ax, plot_args, plot_kwargs):\n plot_method = self._plot_methods.get('batched' if self.batched else\n 'single')\n plot_fn = getattr(ax, plot_method)\n artist = plot_fn(*plot_args, **plot_kwargs)\n return {'artist': artist[0] if isinstance(artist, list) and len(artist) ==\n 1 else artist}\n",
"role": "user"
},
{
"content": "init_artists",
"role": "assistant"
}
] |
def x(self, key, axis, element, ranges, style):
self.teardown_handles()
plot_data, plot_kwargs, axis_kwargs = self.get_data(element, ranges, style)
with abbreviated_exception():
handles = self.init_artists(axis, plot_data, plot_kwargs)
self.handles.update(handles)
return axis_kwargs
| update_handles | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, key, axis, element, ranges, style):\n self.teardown_handles()\n plot_data, plot_kwargs, axis_kwargs = self.get_data(element, ranges, style)\n with abbreviated_exception():\n handles = self.init_artists(axis, plot_data, plot_kwargs)\n self.handles.update(handles)\n return axis_kwargs\n",
"role": "user"
},
{
"content": "update_handles",
"role": "assistant"
}
] |
def x(self, element, ranges, opts, vdim, values=None, prefix=''):
dim_name = dim_range_key(vdim)
if values is None:
if isinstance(vdim, dim):
values = vdim.apply(element, flat=True)
else:
expanded = not (isinstance(element, Dataset) and element.
interface.multi and (getattr(element, 'level', None) is not
None or element.interface.isscalar(element, vdim.name)))
values = np.asarray(element.dimension_values(vdim, expanded=
expanded))
if prefix + 'color_dim' not in self.handles:
self.handles[prefix + 'color_dim'] = vdim
clim = opts.pop(prefix + 'clims', None)
if clim is None and util.isfinite(self.clim).all():
clim = self.clim
if clim is None:
if not len(values):
clim = 0, 0
categorical = False
elif values.dtype.kind in 'uif':
if dim_name in ranges:
clim = ranges[dim_name]['combined']
elif isinstance(vdim, dim):
if values.dtype.kind == 'M':
clim = values.min(), values.max()
elif len(values) == 0:
clim = np.NaN, np.NaN
else:
try:
with warnings.catch_warnings():
warnings.filterwarnings('ignore',
'All-NaN (slice|axis) encountered')
clim = np.nanmin(values), np.nanmax(values)
except:
clim = np.NaN, np.NaN
else:
clim = element.range(vdim)
if self.logz:
if clim[0] == 0:
clim = values[values != 0].min(), clim[1]
if self.symmetric:
clim = -np.abs(clim).max(), np.abs(clim).max()
categorical = False
else:
range_key = dim_range_key(vdim)
if range_key in ranges and 'factors' in ranges[range_key]:
factors = ranges[range_key]['factors']
else:
factors = util.unique_array(values)
clim = 0, len(factors) - 1
categorical = True
else:
categorical = values.dtype.kind not in 'uif'
if self.logz:
if self.symmetric:
norm = mpl_colors.SymLogNorm(vmin=clim[0], vmax=clim[1],
linthresh=clim[1] / np.e)
else:
norm = mpl_colors.LogNorm(vmin=clim[0], vmax=clim[1])
opts[prefix + 'norm'] = norm
opts[prefix + 'vmin'] = clim[0]
opts[prefix + 'vmax'] = clim[1]
cmap = opts.get(prefix + 'cmap', opts.get('cmap', 'viridis'))
if values.dtype.kind not in 'OSUM':
ncolors = None
if isinstance(self.color_levels, int):
ncolors = self.color_levels
elif isinstance(self.color_levels, list):
ncolors = len(self.color_levels) - 1
if isinstance(cmap, list) and len(cmap) != ncolors:
raise ValueError(
'The number of colors in the colormap must match the intervals defined in the color_levels, expected %d colors found %d.'
% (ncolors, len(cmap)))
try:
el_min, el_max = np.nanmin(values), np.nanmax(values)
except ValueError:
el_min, el_max = -np.inf, np.inf
else:
ncolors = clim[-1] + 1
el_min, el_max = -np.inf, np.inf
vmin = -np.inf if opts[prefix + 'vmin'] is None else opts[prefix + 'vmin']
vmax = np.inf if opts[prefix + 'vmax'] is None else opts[prefix + 'vmax']
if el_min < vmin and el_max > vmax:
self._cbar_extend = 'both'
elif el_min < vmin:
self._cbar_extend = 'min'
elif el_max > vmax:
self._cbar_extend = 'max'
colors = {}
for k, val in self.clipping_colors.items():
if val == 'transparent':
colors[k] = {'color': 'w', 'alpha': 0}
elif isinstance(val, tuple):
colors[k] = {'color': val[:3], 'alpha': val[3] if len(val) > 3 else
1}
elif isinstance(val, util.basestring):
color = val
alpha = 1
if color.startswith('#') and len(color) == 9:
alpha = int(color[-2:], 16) / 255.0
color = color[:-2]
colors[k] = {'color': color, 'alpha': alpha}
if not isinstance(cmap, mpl_colors.Colormap):
if isinstance(cmap, dict):
factors = util.unique_array(values)
palette = [cmap.get(f, colors.get('NaN', {'color': self.
_default_nan})['color']) for f in factors]
else:
palette = process_cmap(cmap, ncolors, categorical=categorical)
if isinstance(self.color_levels, list):
palette, (vmin, vmax) = color_intervals(palette, self.
color_levels, clip=(vmin, vmax))
cmap = mpl_colors.ListedColormap(palette)
if 'max' in colors:
cmap.set_over(**colors['max'])
if 'min' in colors:
cmap.set_under(**colors['min'])
if 'NaN' in colors:
cmap.set_bad(**colors['NaN'])
opts[prefix + 'cmap'] = cmap
| norm_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, ranges, opts, vdim, values=None, prefix=''):\n dim_name = dim_range_key(vdim)\n if values is None:\n if isinstance(vdim, dim):\n values = vdim.apply(element, flat=True)\n else:\n expanded = not (isinstance(element, Dataset) and element.\n interface.multi and (getattr(element, 'level', None) is not\n None or element.interface.isscalar(element, vdim.name)))\n values = np.asarray(element.dimension_values(vdim, expanded=\n expanded))\n if prefix + 'color_dim' not in self.handles:\n self.handles[prefix + 'color_dim'] = vdim\n clim = opts.pop(prefix + 'clims', None)\n if clim is None and util.isfinite(self.clim).all():\n clim = self.clim\n if clim is None:\n if not len(values):\n clim = 0, 0\n categorical = False\n elif values.dtype.kind in 'uif':\n if dim_name in ranges:\n clim = ranges[dim_name]['combined']\n elif isinstance(vdim, dim):\n if values.dtype.kind == 'M':\n clim = values.min(), values.max()\n elif len(values) == 0:\n clim = np.NaN, np.NaN\n else:\n try:\n with warnings.catch_warnings():\n warnings.filterwarnings('ignore',\n 'All-NaN (slice|axis) encountered')\n clim = np.nanmin(values), np.nanmax(values)\n except:\n clim = np.NaN, np.NaN\n else:\n clim = element.range(vdim)\n if self.logz:\n if clim[0] == 0:\n clim = values[values != 0].min(), clim[1]\n if self.symmetric:\n clim = -np.abs(clim).max(), np.abs(clim).max()\n categorical = False\n else:\n range_key = dim_range_key(vdim)\n if range_key in ranges and 'factors' in ranges[range_key]:\n factors = ranges[range_key]['factors']\n else:\n factors = util.unique_array(values)\n clim = 0, len(factors) - 1\n categorical = True\n else:\n categorical = values.dtype.kind not in 'uif'\n if self.logz:\n if self.symmetric:\n norm = mpl_colors.SymLogNorm(vmin=clim[0], vmax=clim[1],\n linthresh=clim[1] / np.e)\n else:\n norm = mpl_colors.LogNorm(vmin=clim[0], vmax=clim[1])\n opts[prefix + 'norm'] = norm\n opts[prefix + 'vmin'] = clim[0]\n opts[prefix + 'vmax'] = clim[1]\n cmap = opts.get(prefix + 'cmap', opts.get('cmap', 'viridis'))\n if values.dtype.kind not in 'OSUM':\n ncolors = None\n if isinstance(self.color_levels, int):\n ncolors = self.color_levels\n elif isinstance(self.color_levels, list):\n ncolors = len(self.color_levels) - 1\n if isinstance(cmap, list) and len(cmap) != ncolors:\n raise ValueError(\n 'The number of colors in the colormap must match the intervals defined in the color_levels, expected %d colors found %d.'\n % (ncolors, len(cmap)))\n try:\n el_min, el_max = np.nanmin(values), np.nanmax(values)\n except ValueError:\n el_min, el_max = -np.inf, np.inf\n else:\n ncolors = clim[-1] + 1\n el_min, el_max = -np.inf, np.inf\n vmin = -np.inf if opts[prefix + 'vmin'] is None else opts[prefix + 'vmin']\n vmax = np.inf if opts[prefix + 'vmax'] is None else opts[prefix + 'vmax']\n if el_min < vmin and el_max > vmax:\n self._cbar_extend = 'both'\n elif el_min < vmin:\n self._cbar_extend = 'min'\n elif el_max > vmax:\n self._cbar_extend = 'max'\n colors = {}\n for k, val in self.clipping_colors.items():\n if val == 'transparent':\n colors[k] = {'color': 'w', 'alpha': 0}\n elif isinstance(val, tuple):\n colors[k] = {'color': val[:3], 'alpha': val[3] if len(val) > 3 else\n 1}\n elif isinstance(val, util.basestring):\n color = val\n alpha = 1\n if color.startswith('#') and len(color) == 9:\n alpha = int(color[-2:], 16) / 255.0\n color = color[:-2]\n colors[k] = {'color': color, 'alpha': alpha}\n if not isinstance(cmap, mpl_colors.Colormap):\n if isinstance(cmap, dict):\n factors = util.unique_array(values)\n palette = [cmap.get(f, colors.get('NaN', {'color': self.\n _default_nan})['color']) for f in factors]\n else:\n palette = process_cmap(cmap, ncolors, categorical=categorical)\n if isinstance(self.color_levels, list):\n palette, (vmin, vmax) = color_intervals(palette, self.\n color_levels, clip=(vmin, vmax))\n cmap = mpl_colors.ListedColormap(palette)\n if 'max' in colors:\n cmap.set_over(**colors['max'])\n if 'min' in colors:\n cmap.set_under(**colors['min'])\n if 'NaN' in colors:\n cmap.set_bad(**colors['NaN'])\n opts[prefix + 'cmap'] = cmap\n",
"role": "user"
},
{
"content": "norm_kwargs",
"role": "assistant"
}
] |
def x(self, overlay, axis):
legend_data = []
dimensions = overlay.kdims
title = ', '.join([d.name for d in dimensions])
for key, subplot in self.subplots.items():
element = overlay.data.get(key, False)
if not subplot.show_legend or not element:
continue
title = ', '.join([d.name for d in dimensions])
handle = subplot.traverse(lambda p: p.handles['artist'], [lambda p:
'artist' in p.handles])
if isinstance(overlay, NdOverlay):
key = (dim.pprint_value(k) for k, dim in zip(key, dimensions))
label = ','.join([(str(k) + dim.unit if dim.unit else str(k)) for
dim, k in zip(dimensions, key)])
if handle:
legend_data.append((handle, label))
elif isinstance(subplot, OverlayPlot):
legend_data += subplot.handles.get('legend_data', {}).items()
elif element.label and handle:
legend_data.append((handle, element.label))
all_handles, all_labels = list(zip(*legend_data)) if legend_data else ([
], [])
data = OrderedDict()
used_labels = []
for handle, label in zip(all_handles, all_labels):
if isinstance(handle, list):
handle = tuple(handle)
if (handle and handle not in data and label and label not in
used_labels):
data[handle] = label
used_labels.append(label)
if not len(set(data.values())) > 0 or not self.show_legend:
legend = axis.get_legend()
if legend:
legend.set_visible(False)
else:
leg_spec = self.legend_specs[self.legend_position]
if self.legend_cols:
leg_spec['ncol'] = self.legend_cols
leg = axis.legend(list(data.keys()), list(data.values()), title=
title, scatterpoints=1, **dict(leg_spec, **self._fontsize(
'legend')))
title_fontsize = self._fontsize('legend_title')
if title_fontsize:
leg.get_title().set_fontsize(title_fontsize['fontsize'])
frame = leg.get_frame()
frame.set_facecolor('1.0')
frame.set_edgecolor('0.0')
frame.set_linewidth('1.0')
leg.set_zorder(10000000.0)
self.handles['legend'] = leg
self.handles['bbox_extra_artists'].append(leg)
self.handles['legend_data'] = data
| adjust_legend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, overlay, axis):\n legend_data = []\n dimensions = overlay.kdims\n title = ', '.join([d.name for d in dimensions])\n for key, subplot in self.subplots.items():\n element = overlay.data.get(key, False)\n if not subplot.show_legend or not element:\n continue\n title = ', '.join([d.name for d in dimensions])\n handle = subplot.traverse(lambda p: p.handles['artist'], [lambda p:\n 'artist' in p.handles])\n if isinstance(overlay, NdOverlay):\n key = (dim.pprint_value(k) for k, dim in zip(key, dimensions))\n label = ','.join([(str(k) + dim.unit if dim.unit else str(k)) for\n dim, k in zip(dimensions, key)])\n if handle:\n legend_data.append((handle, label))\n elif isinstance(subplot, OverlayPlot):\n legend_data += subplot.handles.get('legend_data', {}).items()\n elif element.label and handle:\n legend_data.append((handle, element.label))\n all_handles, all_labels = list(zip(*legend_data)) if legend_data else ([\n ], [])\n data = OrderedDict()\n used_labels = []\n for handle, label in zip(all_handles, all_labels):\n if isinstance(handle, list):\n handle = tuple(handle)\n if (handle and handle not in data and label and label not in\n used_labels):\n data[handle] = label\n used_labels.append(label)\n if not len(set(data.values())) > 0 or not self.show_legend:\n legend = axis.get_legend()\n if legend:\n legend.set_visible(False)\n else:\n leg_spec = self.legend_specs[self.legend_position]\n if self.legend_cols:\n leg_spec['ncol'] = self.legend_cols\n leg = axis.legend(list(data.keys()), list(data.values()), title=\n title, scatterpoints=1, **dict(leg_spec, **self._fontsize(\n 'legend')))\n title_fontsize = self._fontsize('legend_title')\n if title_fontsize:\n leg.get_title().set_fontsize(title_fontsize['fontsize'])\n frame = leg.get_frame()\n frame.set_facecolor('1.0')\n frame.set_edgecolor('0.0')\n frame.set_linewidth('1.0')\n leg.set_zorder(10000000.0)\n self.handles['legend'] = leg\n self.handles['bbox_extra_artists'].append(leg)\n self.handles['legend_data'] = data\n",
"role": "user"
},
{
"content": "adjust_legend",
"role": "assistant"
}
] |
def x(cls, element, pattern):
if isinstance(element, Layout):
return [el for cell in element for el in cls.search(cell, pattern)]
if isinstance(element, (NdOverlay, Overlay)):
return [el for el in element if el.matches(pattern)]
elif isinstance(element, Element):
return [element] if element.matches(pattern) else []
| search | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, element, pattern):\n if isinstance(element, Layout):\n return [el for cell in element for el in cls.search(cell, pattern)]\n if isinstance(element, (NdOverlay, Overlay)):\n return [el for el in element if el.matches(pattern)]\n elif isinstance(element, Element):\n return [element] if element.matches(pattern) else []\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(cls, overlay, default_label=''):
if all(el.label == overlay.get(0).label for el in overlay):
return overlay.get(0).label
else:
return default_label
| get_overlay_label | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, overlay, default_label=''):\n if all(el.label == overlay.get(0).label for el in overlay):\n return overlay.get(0).label\n else:\n return default_label\n",
"role": "user"
},
{
"content": "get_overlay_label",
"role": "assistant"
}
] |
def x(cls, overlay):
if all(el.bounds == overlay.get(0).bounds for el in overlay):
return overlay.get(0).bounds
else:
raise ValueError('Extents across the overlay are inconsistent')
| get_overlay_bounds | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, overlay):\n if all(el.bounds == overlay.get(0).bounds for el in overlay):\n return overlay.get(0).bounds\n else:\n raise ValueError('Extents across the overlay are inconsistent')\n",
"role": "user"
},
{
"content": "get_overlay_bounds",
"role": "assistant"
}
] |
def x(self, element, key=None):
kwargs = {}
for hook in self._preprocess_hooks:
kwargs.update(hook(self, element))
ret = self._process(element, key)
for hook in self._postprocess_hooks:
ret = hook(self, ret, **kwargs)
return ret
| apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, key=None):\n kwargs = {}\n for hook in self._preprocess_hooks:\n kwargs.update(hook(self, element))\n ret = self._process(element, key)\n for hook in self._postprocess_hooks:\n ret = hook(self, ret, **kwargs)\n return ret\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(self, element, key, **params):
self.p = param.ParamOverrides(self, params)
return self._apply(element, key)
| process_element | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, key, **params):\n self.p = param.ParamOverrides(self, params)\n return self._apply(element, key)\n",
"role": "user"
},
{
"content": "process_element",
"role": "assistant"
}
] |
def x(obj):
from .spaces import HoloMap
dim_groups = obj.traverse(lambda x: tuple(x.kdims), (HoloMap,))
if dim_groups:
dgroups = [frozenset(d.name for d in dg) for dg in dim_groups]
return all(g1 <= g2 or g1 >= g2 for g1 in dgroups for g2 in dgroups)
return True
| uniform | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n from .spaces import HoloMap\n dim_groups = obj.traverse(lambda x: tuple(x.kdims), (HoloMap,))\n if dim_groups:\n dgroups = [frozenset(d.name for d in dg) for dg in dim_groups]\n return all(g1 <= g2 or g1 >= g2 for g1 in dgroups for g2 in dgroups)\n return True\n",
"role": "user"
},
{
"content": "uniform",
"role": "assistant"
}
] |
def x(obj, default_dim='Frame'):
from .ndmapping import NdMapping, item_check
from .spaces import HoloMap
key_dims = obj.traverse(lambda x: (tuple(x.kdims), list(x.data.keys())),
(HoloMap,))
if not key_dims:
return [Dimension(default_dim)], [(0,)]
dim_groups, keys = zip(*sorted(key_dims, key=lambda x: -len(x[0])))
dgroups = [frozenset(d.name for d in dg) for dg in dim_groups]
subset = all(g1 <= g2 or g1 >= g2 for g1 in dgroups for g2 in dgroups)
if subset:
dims = merge_dimensions(dim_groups)
all_dims = sorted(dims, key=lambda x: dim_groups[0].index(x))
else:
hmaps = obj.traverse(lambda x: x, ['HoloMap'])
if hmaps:
raise ValueError(
'When combining HoloMaps into a composite plot their dimensions must be subsets of each other.'
)
dimensions = merge_dimensions(dim_groups)
dim_keys = {}
for dims, keys in key_dims:
for key in keys:
for d, k in zip(dims, key):
dim_keys[d.name] = k
if dim_keys:
keys = [tuple(dim_keys.get(dim.name) for dim in dimensions)]
else:
keys = []
return merge_dimensions(dim_groups), keys
ndims = len(all_dims)
unique_keys = []
for group, keys in zip(dim_groups, keys):
dim_idxs = [all_dims.index(dim) for dim in group]
for key in keys:
padded_key = create_ndkey(ndims, dim_idxs, key)
matches = [item for item in unique_keys if padded_key == tuple(
k if k is None else i for i, k in zip(item, padded_key))]
if not matches:
unique_keys.append(padded_key)
with item_check(False):
sorted_keys = NdMapping({key: None for key in unique_keys}, kdims=
all_dims).data.keys()
return all_dims, list(sorted_keys)
| unique_dimkeys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, default_dim='Frame'):\n from .ndmapping import NdMapping, item_check\n from .spaces import HoloMap\n key_dims = obj.traverse(lambda x: (tuple(x.kdims), list(x.data.keys())),\n (HoloMap,))\n if not key_dims:\n return [Dimension(default_dim)], [(0,)]\n dim_groups, keys = zip(*sorted(key_dims, key=lambda x: -len(x[0])))\n dgroups = [frozenset(d.name for d in dg) for dg in dim_groups]\n subset = all(g1 <= g2 or g1 >= g2 for g1 in dgroups for g2 in dgroups)\n if subset:\n dims = merge_dimensions(dim_groups)\n all_dims = sorted(dims, key=lambda x: dim_groups[0].index(x))\n else:\n hmaps = obj.traverse(lambda x: x, ['HoloMap'])\n if hmaps:\n raise ValueError(\n 'When combining HoloMaps into a composite plot their dimensions must be subsets of each other.'\n )\n dimensions = merge_dimensions(dim_groups)\n dim_keys = {}\n for dims, keys in key_dims:\n for key in keys:\n for d, k in zip(dims, key):\n dim_keys[d.name] = k\n if dim_keys:\n keys = [tuple(dim_keys.get(dim.name) for dim in dimensions)]\n else:\n keys = []\n return merge_dimensions(dim_groups), keys\n ndims = len(all_dims)\n unique_keys = []\n for group, keys in zip(dim_groups, keys):\n dim_idxs = [all_dims.index(dim) for dim in group]\n for key in keys:\n padded_key = create_ndkey(ndims, dim_idxs, key)\n matches = [item for item in unique_keys if padded_key == tuple(\n k if k is None else i for i, k in zip(item, padded_key))]\n if not matches:\n unique_keys.append(padded_key)\n with item_check(False):\n sorted_keys = NdMapping({key: None for key in unique_keys}, kdims=\n all_dims).data.keys()\n return all_dims, list(sorted_keys)\n",
"role": "user"
},
{
"content": "unique_dimkeys",
"role": "assistant"
}
] |
def x(keys):
ndims = len(keys[0])
if ndims <= 1:
return True
dim_vals = list(zip(*keys))
combinations = (zip(*dim_vals[i:i + 2]) for i in range(ndims - 1))
hierarchies = []
for combination in combinations:
hierarchy = True
store1 = defaultdict(list)
store2 = defaultdict(list)
for v1, v2 in combination:
if v2 not in store2[v1]:
store2[v1].append(v2)
previous = store1[v2]
if previous and previous[0] != v1:
hierarchy = False
break
if v1 not in store1[v2]:
store1[v2].append(v1)
hierarchies.append(store2 if hierarchy else {})
return hierarchies
| hierarchical | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(keys):\n ndims = len(keys[0])\n if ndims <= 1:\n return True\n dim_vals = list(zip(*keys))\n combinations = (zip(*dim_vals[i:i + 2]) for i in range(ndims - 1))\n hierarchies = []\n for combination in combinations:\n hierarchy = True\n store1 = defaultdict(list)\n store2 = defaultdict(list)\n for v1, v2 in combination:\n if v2 not in store2[v1]:\n store2[v1].append(v2)\n previous = store1[v2]\n if previous and previous[0] != v1:\n hierarchy = False\n break\n if v1 not in store1[v2]:\n store1[v2].append(v1)\n hierarchies.append(store2 if hierarchy else {})\n return hierarchies\n",
"role": "user"
},
{
"content": "hierarchical",
"role": "assistant"
}
] |
def x(cls, coord, axis=0):
coord = np.asarray(coord)
if sys.version_info.major == 2 and len(coord) and isinstance(coord[0],
(dt.datetime, dt.date)):
coord = coord.astype('datetime64')
if len(coord) == 0:
return np.array([], dtype=coord.dtype)
deltas = 0.5 * np.diff(coord, axis=axis)
first = np.take(coord, [0], axis=axis) - np.take(deltas, [0], axis=axis)
last = np.take(coord, [-1], axis=axis) + np.take(deltas, [-1], axis=axis)
trim_last = tuple(slice(None, -1) if n == axis else slice(None) for n in
range(coord.ndim))
return np.concatenate([first, coord[trim_last] + deltas, last], axis=axis)
| infer_interval_breaks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, coord, axis=0):\n coord = np.asarray(coord)\n if sys.version_info.major == 2 and len(coord) and isinstance(coord[0],\n (dt.datetime, dt.date)):\n coord = coord.astype('datetime64')\n if len(coord) == 0:\n return np.array([], dtype=coord.dtype)\n deltas = 0.5 * np.diff(coord, axis=axis)\n first = np.take(coord, [0], axis=axis) - np.take(deltas, [0], axis=axis)\n last = np.take(coord, [-1], axis=axis) + np.take(deltas, [-1], axis=axis)\n trim_last = tuple(slice(None, -1) if n == axis else slice(None) for n in\n range(coord.ndim))\n return np.concatenate([first, coord[trim_last] + deltas, last], axis=axis)\n",
"role": "user"
},
{
"content": "infer_interval_breaks",
"role": "assistant"
}
] |
def x(cls, dataset, dim, ordered=False, expanded=False, edges=False):
dim = dataset.get_dimension(dim, strict=True)
irregular = cls.irregular(dataset, dim)
if irregular or expanded:
if irregular:
data = dataset.data[dim.name]
else:
data = util.expand_grid_coords(dataset, dim)
if edges and data.shape == dataset.data[dataset.vdims[0].name].shape:
data = cls._infer_interval_breaks(data, axis=1)
data = cls._infer_interval_breaks(data, axis=0)
return data
data = dataset.data[dim.name]
if ordered and np.all(data[1:] < data[:-1]):
data = data[::-1]
shape = cls.shape(dataset, True)
if dim in dataset.kdims:
idx = dataset.get_dimension_index(dim)
isedges = dim in dataset.kdims and len(shape) == dataset.ndims and len(
data) == shape[dataset.ndims - idx - 1] + 1
else:
isedges = False
if edges and not isedges:
data = cls._infer_interval_breaks(data)
elif not edges and isedges:
data = data[:-1] + np.diff(data) / 2.0
return data
| coords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataset, dim, ordered=False, expanded=False, edges=False):\n dim = dataset.get_dimension(dim, strict=True)\n irregular = cls.irregular(dataset, dim)\n if irregular or expanded:\n if irregular:\n data = dataset.data[dim.name]\n else:\n data = util.expand_grid_coords(dataset, dim)\n if edges and data.shape == dataset.data[dataset.vdims[0].name].shape:\n data = cls._infer_interval_breaks(data, axis=1)\n data = cls._infer_interval_breaks(data, axis=0)\n return data\n data = dataset.data[dim.name]\n if ordered and np.all(data[1:] < data[:-1]):\n data = data[::-1]\n shape = cls.shape(dataset, True)\n if dim in dataset.kdims:\n idx = dataset.get_dimension_index(dim)\n isedges = dim in dataset.kdims and len(shape) == dataset.ndims and len(\n data) == shape[dataset.ndims - idx - 1] + 1\n else:\n isedges = False\n if edges and not isedges:\n data = cls._infer_interval_breaks(data)\n elif not edges and isedges:\n data = data[:-1] + np.diff(data) / 2.0\n return data\n",
"role": "user"
},
{
"content": "coords",
"role": "assistant"
}
] |
def x(cls, dataset, data, data_coords=None, virtual_coords=[]):
if data_coords is None:
data_coords = dataset.dimensions('key', label='name')[::-1]
dims = [name for name in data_coords if isinstance(cls.coords(dataset,
name), get_array_types())]
dropped = [dims.index(d) for d in dims if d not in dataset.kdims +
virtual_coords]
if dropped:
data = np.squeeze(data, axis=tuple(dropped))
if not any(cls.irregular(dataset, d) for d in dataset.kdims):
inds = [dims.index(kd.name) for kd in dataset.kdims]
inds = [(i - sum([(1) for d in dropped if i >= d])) for i in inds]
if inds:
data = data.transpose(inds[::-1])
invert = False
slices = []
for d in dataset.kdims[::-1]:
coords = cls.coords(dataset, d)
if np.all(coords[1:] < coords[:-1]) and not coords.ndim > 1:
slices.append(slice(None, None, -1))
invert = True
else:
slices.append(slice(None))
data = data[tuple(slices)] if invert else data
if len(dataset.kdims) < 2:
data = data.flatten()
return data
| canonicalize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataset, data, data_coords=None, virtual_coords=[]):\n if data_coords is None:\n data_coords = dataset.dimensions('key', label='name')[::-1]\n dims = [name for name in data_coords if isinstance(cls.coords(dataset,\n name), get_array_types())]\n dropped = [dims.index(d) for d in dims if d not in dataset.kdims +\n virtual_coords]\n if dropped:\n data = np.squeeze(data, axis=tuple(dropped))\n if not any(cls.irregular(dataset, d) for d in dataset.kdims):\n inds = [dims.index(kd.name) for kd in dataset.kdims]\n inds = [(i - sum([(1) for d in dropped if i >= d])) for i in inds]\n if inds:\n data = data.transpose(inds[::-1])\n invert = False\n slices = []\n for d in dataset.kdims[::-1]:\n coords = cls.coords(dataset, d)\n if np.all(coords[1:] < coords[:-1]) and not coords.ndim > 1:\n slices.append(slice(None, None, -1))\n invert = True\n else:\n slices.append(slice(None))\n data = data[tuple(slices)] if invert else data\n if len(dataset.kdims) < 2:\n data = data.flatten()\n return data\n",
"role": "user"
},
{
"content": "canonicalize",
"role": "assistant"
}
] |
def x(cls, dataset, samples=[]):
ndims = dataset.ndims
dimensions = dataset.dimensions(label='name')
arrays = [dataset.data[vdim.name] for vdim in dataset.vdims]
data = defaultdict(list)
for sample in samples:
if np.isscalar(sample):
sample = [sample]
if len(sample) != ndims:
sample = [(sample[i] if i < len(sample) else None) for i in
range(ndims)]
sampled, int_inds = [], []
for d, ind in zip(dimensions, sample):
cdata = dataset.data[d]
mask = cls.key_select_mask(dataset, cdata, ind)
inds = np.arange(len(cdata)) if mask is None else np.argwhere(mask)
int_inds.append(inds)
sampled.append(cdata[mask])
for d, arr in zip(dimensions, np.meshgrid(*sampled)):
data[d].append(arr)
for vdim, array in zip(dataset.vdims, arrays):
da = dask_array_module()
flat_index = np.ravel_multi_index(tuple(int_inds)[::-1], array.
shape)
if da and isinstance(array, da.Array):
data[vdim.name].append(array.flatten().vindex[tuple(
flat_index)])
else:
data[vdim.name].append(array.flat[flat_index])
concatenated = {d: np.concatenate(arrays).flatten() for d, arrays in
data.items()}
return concatenated
| sample | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataset, samples=[]):\n ndims = dataset.ndims\n dimensions = dataset.dimensions(label='name')\n arrays = [dataset.data[vdim.name] for vdim in dataset.vdims]\n data = defaultdict(list)\n for sample in samples:\n if np.isscalar(sample):\n sample = [sample]\n if len(sample) != ndims:\n sample = [(sample[i] if i < len(sample) else None) for i in\n range(ndims)]\n sampled, int_inds = [], []\n for d, ind in zip(dimensions, sample):\n cdata = dataset.data[d]\n mask = cls.key_select_mask(dataset, cdata, ind)\n inds = np.arange(len(cdata)) if mask is None else np.argwhere(mask)\n int_inds.append(inds)\n sampled.append(cdata[mask])\n for d, arr in zip(dimensions, np.meshgrid(*sampled)):\n data[d].append(arr)\n for vdim, array in zip(dataset.vdims, arrays):\n da = dask_array_module()\n flat_index = np.ravel_multi_index(tuple(int_inds)[::-1], array.\n shape)\n if da and isinstance(array, da.Array):\n data[vdim.name].append(array.flatten().vindex[tuple(\n flat_index)])\n else:\n data[vdim.name].append(array.flat[flat_index])\n concatenated = {d: np.concatenate(arrays).flatten() for d, arrays in\n data.items()}\n return concatenated\n",
"role": "user"
},
{
"content": "sample",
"role": "assistant"
}
] |
def x(self, source, data):
if isinstance(source, ColumnDataSource):
if self.handles['static_source']:
source.trigger('data', source.data, data)
else:
source.data.update(data)
else:
source.graph_layout = data
| update_datasource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, source, data):\n if isinstance(source, ColumnDataSource):\n if self.handles['static_source']:\n source.trigger('data', source.data, data)\n else:\n source.data.update(data)\n else:\n source.graph_layout = data\n",
"role": "user"
},
{
"content": "update_datasource",
"role": "assistant"
}
] |
def x(self, renderer, properties, edge_mapping):
glyph_model = Patches if self.filled else Bezier
allowed_properties = glyph_model.properties()
for glyph_type in ('', 'selection_', 'nonselection_', 'hover_', 'muted_'):
glyph = getattr(renderer.edge_renderer, glyph_type + 'glyph', None)
if glyph is None:
continue
group_properties = dict(properties)
props = self._process_properties(self.edge_glyph, group_properties, {})
filtered = self._filter_properties(props, glyph_type,
allowed_properties)
new_glyph = glyph_model(**dict(filtered, **edge_mapping))
setattr(renderer.edge_renderer, glyph_type + 'glyph', new_glyph)
| init_filled_edges | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, renderer, properties, edge_mapping):\n glyph_model = Patches if self.filled else Bezier\n allowed_properties = glyph_model.properties()\n for glyph_type in ('', 'selection_', 'nonselection_', 'hover_', 'muted_'):\n glyph = getattr(renderer.edge_renderer, glyph_type + 'glyph', None)\n if glyph is None:\n continue\n group_properties = dict(properties)\n props = self._process_properties(self.edge_glyph, group_properties, {})\n filtered = self._filter_properties(props, glyph_type,\n allowed_properties)\n new_glyph = glyph_model(**dict(filtered, **edge_mapping))\n setattr(renderer.edge_renderer, glyph_type + 'glyph', new_glyph)\n",
"role": "user"
},
{
"content": "init_filled_edges",
"role": "assistant"
}
] |
def x(self, plot, element, data, mapping, ranges, style):
sources = []
properties, mappings = {}, {}
for key in ('scatter_1', self.edge_glyph):
gdata = data.pop(key, {})
group_style = dict(style)
style_group = self._style_groups.get('_'.join(key.split('_')[:-1]))
with abbreviated_exception():
group_style = self._apply_transforms(element, gdata, ranges,
group_style, style_group)
source = self._init_datasource(gdata)
self.handles[key + '_source'] = source
sources.append(source)
others = [sg for sg in self._style_groups.values() if sg != style_group
]
glyph_props = self._glyph_properties(plot, element, source, ranges,
group_style, style_group)
for k, p in glyph_props.items():
if any(k.startswith(o) for o in others):
continue
properties[k] = p
mappings.update(mapping.pop(key, {}))
properties = {p: v for p, v in properties.items() if p not in ('legend',
'source')}
properties.update(mappings)
layout = data.pop('layout', {})
layout = StaticLayoutProvider(graph_layout=layout)
self.handles['layout_source'] = layout
return tuple(sources + [layout]), properties
| get_graph_properties | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plot, element, data, mapping, ranges, style):\n sources = []\n properties, mappings = {}, {}\n for key in ('scatter_1', self.edge_glyph):\n gdata = data.pop(key, {})\n group_style = dict(style)\n style_group = self._style_groups.get('_'.join(key.split('_')[:-1]))\n with abbreviated_exception():\n group_style = self._apply_transforms(element, gdata, ranges,\n group_style, style_group)\n source = self._init_datasource(gdata)\n self.handles[key + '_source'] = source\n sources.append(source)\n others = [sg for sg in self._style_groups.values() if sg != style_group\n ]\n glyph_props = self._glyph_properties(plot, element, source, ranges,\n group_style, style_group)\n for k, p in glyph_props.items():\n if any(k.startswith(o) for o in others):\n continue\n properties[k] = p\n mappings.update(mapping.pop(key, {}))\n properties = {p: v for p, v in properties.items() if p not in ('legend',\n 'source')}\n properties.update(mappings)\n layout = data.pop('layout', {})\n layout = StaticLayoutProvider(graph_layout=layout)\n self.handles['layout_source'] = layout\n return tuple(sources + [layout]), properties\n",
"role": "user"
},
{
"content": "get_graph_properties",
"role": "assistant"
}
] |
def x(self, plot, renderer, mapping):
renderers = dict({r: self.handles[r + '_glyph_renderer'] for r in
mapping}, graph=renderer)
other = [r for r in plot.renderers if r not in renderers.values()]
graph_renderers = [renderers[k] for k in self._draw_order if k in renderers
]
plot.renderers = other + graph_renderers
| reorder_renderers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, plot, renderer, mapping):\n renderers = dict({r: self.handles[r + '_glyph_renderer'] for r in\n mapping}, graph=renderer)\n other = [r for r in plot.renderers if r not in renderers.values()]\n graph_renderers = [renderers[k] for k in self._draw_order if k in renderers\n ]\n plot.renderers = other + graph_renderers\n",
"role": "user"
},
{
"content": "reorder_renderers",
"role": "assistant"
}
] |
def x(self, element, ranges, range_type='combined'):
xdim, ydim = element.nodes.kdims[:2]
if range_type not in ('combined', 'data', 'extents'):
return xdim.range[0], ydim.range[0], xdim.range[1], ydim.range[1]
no_labels = element.nodes.get_dimension(self.label_index
) is None and self.labels is None
rng = 1.1 if no_labels else 1.4
x0, x1 = max_range([xdim.range, (-rng, rng)])
y0, y1 = max_range([ydim.range, (-rng, rng)])
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 xdim, ydim = element.nodes.kdims[:2]\n if range_type not in ('combined', 'data', 'extents'):\n return xdim.range[0], ydim.range[0], xdim.range[1], ydim.range[1]\n no_labels = element.nodes.get_dimension(self.label_index\n ) is None and self.labels is None\n rng = 1.1 if no_labels else 1.4\n x0, x1 = max_range([xdim.range, (-rng, rng)])\n y0, y1 = max_range([ydim.range, (-rng, rng)])\n return x0, y0, x1, y1\n",
"role": "user"
},
{
"content": "get_extents",
"role": "assistant"
}
] |
def x(name, replacements=[(':', '_'), ('/', '_'), ('\\', '_')]):
for old, new in replacements:
name = name.replace(old, new)
return name
| sanitizer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, replacements=[(':', '_'), ('/', '_'), ('\\\\', '_')]):\n for old, new in replacements:\n name = name.replace(old, new)\n return name\n",
"role": "user"
},
{
"content": "sanitizer",
"role": "assistant"
}
] |
def x(obj):
if isinstance(obj, LabelledData):
labels = obj.traverse(lambda x: x.group + ('-' + x.label if x.label
else ''))
labels = [l[0] for l in itertools.groupby(labels)]
obj_str = ','.join(labels)
else:
obj_str = repr(obj)
return obj_str
| simple_name_generator | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj):\n if isinstance(obj, LabelledData):\n labels = obj.traverse(lambda x: x.group + ('-' + x.label if x.label\n else ''))\n labels = [l[0] for l in itertools.groupby(labels)]\n obj_str = ','.join(labels)\n else:\n obj_str = repr(obj)\n return obj_str\n",
"role": "user"
},
{
"content": "simple_name_generator",
"role": "assistant"
}
] |
def x(cls, entry):
data, info = entry
if info['mime_type'] in cls.utf8_mime_types:
return data.encode('utf-8')
else:
return data
| encode | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, entry):\n data, info = entry\n if info['mime_type'] in cls.utf8_mime_types:\n return data.encode('utf-8')\n else:\n return data\n",
"role": "user"
},
{
"content": "encode",
"role": "assistant"
}
] |
def x(self_or_cls, filename):
if not filename.endswith(self_or_cls.file_ext):
return '%s.%s' % (filename, self_or_cls.file_ext)
else:
return filename
| filename | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self_or_cls, filename):\n if not filename.endswith(self_or_cls.file_ext):\n return '%s.%s' % (filename, self_or_cls.file_ext)\n else:\n return filename\n",
"role": "user"
},
{
"content": "filename",
"role": "assistant"
}
] |
def x(self_or_cls, obj, fn, *dicts):
merged = dict([(k, v) for d in dicts for k, v in d.items()])
return dict(merged, **fn(obj)) if fn else merged
| merge_metadata | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self_or_cls, obj, fn, *dicts):\n merged = dict([(k, v) for d in dicts for k, v in d.items()])\n return dict(merged, **fn(obj)) if fn else merged\n",
"role": "user"
},
{
"content": "merge_metadata",
"role": "assistant"
}
] |
def x(self_or_cls, files, drop=[], metadata=True):
aslist = not isinstance(files, (NdMapping, Element))
if isinstance(files, Element):
files = Collator(files)
file_kdims = files.kdims
else:
file_kdims = files.kdims
drop_extra = files.drop if isinstance(files, Collator) else []
mdata_dims = []
if metadata:
fnames = [(fname[0] if isinstance(fname, tuple) else fname) for
fname in files.values()]
mdata_dims = {kdim for fname in fnames for kdim in self_or_cls.key(
fname).keys()}
file_dims = set(files.dimensions('key', label=True))
added_dims = set(mdata_dims) - file_dims
overlap_dims = file_dims & set(mdata_dims)
kwargs = dict(kdims=file_kdims + sorted(added_dims), vdims=['filename',
'entries'], value_transform=self_or_cls.loader, drop=drop_extra + drop)
layout_data = defaultdict(lambda : Collator(None, **kwargs))
for key, fname in files.data.items():
fname = fname[0] if isinstance(fname, tuple) else fname
mdata = self_or_cls.key(fname) if metadata else {}
for odim in overlap_dims:
kval = key[files.get_dimension_index(odim)]
if kval != mdata[odim]:
raise KeyError(
'Metadata supplies inconsistent value for dimension %s' %
odim)
mkey = tuple(mdata.get(d, None) for d in added_dims)
key = mkey if aslist else key + mkey
if isinstance(fname, tuple) and len(fname) == 1:
fname, = fname
for entry in self_or_cls.entries(fname):
layout_data[entry][key] = fname, [entry]
return Layout(layout_data.items())
| collect | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self_or_cls, files, drop=[], metadata=True):\n aslist = not isinstance(files, (NdMapping, Element))\n if isinstance(files, Element):\n files = Collator(files)\n file_kdims = files.kdims\n else:\n file_kdims = files.kdims\n drop_extra = files.drop if isinstance(files, Collator) else []\n mdata_dims = []\n if metadata:\n fnames = [(fname[0] if isinstance(fname, tuple) else fname) for\n fname in files.values()]\n mdata_dims = {kdim for fname in fnames for kdim in self_or_cls.key(\n fname).keys()}\n file_dims = set(files.dimensions('key', label=True))\n added_dims = set(mdata_dims) - file_dims\n overlap_dims = file_dims & set(mdata_dims)\n kwargs = dict(kdims=file_kdims + sorted(added_dims), vdims=['filename',\n 'entries'], value_transform=self_or_cls.loader, drop=drop_extra + drop)\n layout_data = defaultdict(lambda : Collator(None, **kwargs))\n for key, fname in files.data.items():\n fname = fname[0] if isinstance(fname, tuple) else fname\n mdata = self_or_cls.key(fname) if metadata else {}\n for odim in overlap_dims:\n kval = key[files.get_dimension_index(odim)]\n if kval != mdata[odim]:\n raise KeyError(\n 'Metadata supplies inconsistent value for dimension %s' %\n odim)\n mkey = tuple(mdata.get(d, None) for d in added_dims)\n key = mkey if aslist else key + mkey\n if isinstance(fname, tuple) and len(fname) == 1:\n fname, = fname\n for entry in self_or_cls.entries(fname):\n layout_data[entry][key] = fname, [entry]\n return Layout(layout_data.items())\n",
"role": "user"
},
{
"content": "collect",
"role": "assistant"
}
] |
def x(cls, formatter):
if formatter is None:
return []
try:
parse = list(string.Formatter().parse(formatter))
return set(f for f in list(zip(*parse))[1] if f is not None)
except:
raise SyntaxError('Could not parse formatter %r' % formatter)
| parse_fields | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, formatter):\n if formatter is None:\n return []\n try:\n parse = list(string.Formatter().parse(formatter))\n return set(f for f in list(zip(*parse))[1] if f is not None)\n except:\n raise SyntaxError('Could not parse formatter %r' % formatter)\n",
"role": "user"
},
{
"content": "parse_fields",
"role": "assistant"
}
] |
def x(self, obj=None, filename=None, data=None, info={}, **kwargs):
if [filename, obj] == [None, None]:
raise Exception(
'Either filename or a HoloViews object is needed to create an entry in the archive.'
)
elif obj is None and not self.parse_fields(filename).issubset({'timestamp'}
):
raise Exception(
'Only the {timestamp} formatter may be used unless an object is supplied.'
)
elif [obj, data] == [None, None]:
raise Exception(
'Either an object or explicit data must be supplied to create an entry in the archive.'
)
elif data and 'mime_type' not in info:
raise Exception(
'The mime-type must be supplied in the info dictionary when supplying data directly'
)
self._validate_formatters()
entries = []
if data is None:
for exporter in self.exporters:
rendered = exporter(obj)
if rendered is None:
continue
data, new_info = rendered
info = dict(info, **new_info)
entries.append((data, info))
else:
entries.append((data, info))
for data, info in entries:
self._add_content(obj, data, info, filename=filename)
| add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, obj=None, filename=None, data=None, info={}, **kwargs):\n if [filename, obj] == [None, None]:\n raise Exception(\n 'Either filename or a HoloViews object is needed to create an entry in the archive.'\n )\n elif obj is None and not self.parse_fields(filename).issubset({'timestamp'}\n ):\n raise Exception(\n 'Only the {timestamp} formatter may be used unless an object is supplied.'\n )\n elif [obj, data] == [None, None]:\n raise Exception(\n 'Either an object or explicit data must be supplied to create an entry in the archive.'\n )\n elif data and 'mime_type' not in info:\n raise Exception(\n 'The mime-type must be supplied in the info dictionary when supplying data directly'\n )\n self._validate_formatters()\n entries = []\n if data is None:\n for exporter in self.exporters:\n rendered = exporter(obj)\n if rendered is None:\n continue\n data, new_info = rendered\n info = dict(info, **new_info)\n entries.append((data, info))\n else:\n entries.append((data, info))\n for data, info in entries:\n self._add_content(obj, data, info, filename=filename)\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, basename, ext, existing, force=False):
skip = False if force else not self.unique_name
if skip:
return basename, ext
ext = '' if ext is None else ext
if isinstance(existing, str):
split = [os.path.splitext(el) for el in os.listdir(os.path.abspath(
existing))]
existing = [(n, ex if not ex else ex[1:]) for n, ex in split]
new_name, counter = basename, 1
while (new_name, ext) in existing:
new_name = basename + '-' + str(counter)
counter += 1
return sanitizer(new_name), ext
| unique_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, basename, ext, existing, force=False):\n skip = False if force else not self.unique_name\n if skip:\n return basename, ext\n ext = '' if ext is None else ext\n if isinstance(existing, str):\n split = [os.path.splitext(el) for el in os.listdir(os.path.abspath(\n existing))]\n existing = [(n, ex if not ex else ex[1:]) for n, ex in split]\n new_name, counter = basename, 1\n while (new_name, ext) in existing:\n new_name = basename + '-' + str(counter)\n counter += 1\n return sanitizer(new_name), ext\n",
"role": "user"
},
{
"content": "unique_name",
"role": "assistant"
}
] |
def x(self, timestamp=None, info={}):
tval = tuple(time.localtime()) if timestamp is None else timestamp
tstamp = time.strftime(self.timestamp_format, tval)
info = dict(info, timestamp=tstamp)
export_name = self._format(self.export_name, info)
files = [((self._format(base, info), ext), val) for (base, ext), val in
self._files.items()]
root = os.path.abspath(self.root)
if len(self) > 1 and not self.pack:
self._directory_archive(export_name, files, root)
elif len(files) == 1:
self._single_file_archive(export_name, files, root)
elif self.archive_format == 'zip':
self._zip_archive(export_name, files, root)
elif self.archive_format == 'tar':
self._tar_archive(export_name, files, root)
if self.flush_archive:
self._files = OrderedDict()
| export | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timestamp=None, info={}):\n tval = tuple(time.localtime()) if timestamp is None else timestamp\n tstamp = time.strftime(self.timestamp_format, tval)\n info = dict(info, timestamp=tstamp)\n export_name = self._format(self.export_name, info)\n files = [((self._format(base, info), ext), val) for (base, ext), val in\n self._files.items()]\n root = os.path.abspath(self.root)\n if len(self) > 1 and not self.pack:\n self._directory_archive(export_name, files, root)\n elif len(files) == 1:\n self._single_file_archive(export_name, files, root)\n elif self.archive_format == 'zip':\n self._zip_archive(export_name, files, root)\n elif self.archive_format == 'tar':\n self._tar_archive(export_name, files, root)\n if self.flush_archive:\n self._files = OrderedDict()\n",
"role": "user"
},
{
"content": "export",
"role": "assistant"
}
] |
def x(self, maxlen=70):
lines = []
if len(self._files) == 0:
print('Empty %s' % self.__class__.__name__)
return
fnames = [self._truncate_name(*k, maxlen=maxlen) for k in self._files]
max_len = max([len(f) for f in fnames])
for name, v in zip(fnames, self._files.values()):
mime_type = v[1].get('mime_type', 'no mime type')
lines.append('%s : %s' % (name.ljust(max_len), mime_type))
print('\n'.join(lines))
| contents | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, maxlen=70):\n lines = []\n if len(self._files) == 0:\n print('Empty %s' % self.__class__.__name__)\n return\n fnames = [self._truncate_name(*k, maxlen=maxlen) for k in self._files]\n max_len = max([len(f) for f in fnames])\n for name, v in zip(fnames, self._files.values()):\n mime_type = v[1].get('mime_type', 'no mime type')\n lines.append('%s : %s' % (name.ljust(max_len), mime_type))\n print('\\n'.join(lines))\n",
"role": "user"
},
{
"content": "contents",
"role": "assistant"
}
] |
def x(self):
return [('.'.join([f, ext]) if ext else f) for f, ext in self._files.keys()
]
| listing | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return [('.'.join([f, ext]) if ext else f) for f, ext in self._files.keys()\n ]\n",
"role": "user"
},
{
"content": "listing",
"role": "assistant"
}
] |
def x(iterator, enum=False, length=None):
progress = ProgressBar()
length = len(iterator) if length is None else length
gen = enumerate(iterator)
while True:
i, val = next(gen)
progress((i + 1.0) / length * 100)
if enum:
yield i, val
else:
yield val
| progress | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(iterator, enum=False, length=None):\n progress = ProgressBar()\n length = len(iterator) if length is None else length\n gen = enumerate(iterator)\n while True:\n i, val = next(gen)\n progress((i + 1.0) / length * 100)\n if enum:\n yield i, val\n else:\n yield val\n",
"role": "user"
},
{
"content": "progress",
"role": "assistant"
}
] |
def x(self, idx, fig_format='json'):
self.plot.update(idx)
if self.embed:
return self.renderer.diff(self.plot)
| plot_figure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, idx, fig_format='json'):\n self.plot.update(idx)\n if self.embed:\n return self.renderer.diff(self.plot)\n",
"role": "user"
},
{
"content": "plot_figure",
"role": "assistant"
}
] |
def x(self, nominal_bounds, nominal_density):
left, bottom, right, top = nominal_bounds.lbrt()
width = right - left
height = top - bottom
center_y = bottom + height / 2.0
true_density = int(nominal_density * width) / float(width)
n_cells = round(height * true_density, 0)
adjusted_half_height = n_cells / true_density / 2.0
return BoundingBox(points=((left, center_y - adjusted_half_height), (
right, center_y + adjusted_half_height))), true_density
| equalize_densities | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, nominal_bounds, nominal_density):\n left, bottom, right, top = nominal_bounds.lbrt()\n width = right - left\n height = top - bottom\n center_y = bottom + height / 2.0\n true_density = int(nominal_density * width) / float(width)\n n_cells = round(height * true_density, 0)\n adjusted_half_height = n_cells / true_density / 2.0\n return BoundingBox(points=((left, center_y - adjusted_half_height), (\n right, center_y + adjusted_half_height))), true_density\n",
"role": "user"
},
{
"content": "equalize_densities",
"role": "assistant"
}
] |
def x(self, x, y):
xdensity = self.__xdensity
if isinstance(x, np.ndarray) and x.dtype.kind == 'M' or isinstance(x,
datetime_types):
xdensity = np.timedelta64(int(round(1.0 / xdensity)), self._time_unit)
float_col = (x - self.lbrt[0]) / xdensity
else:
float_col = (x - self.lbrt[0]) * xdensity
ydensity = self.__ydensity
if isinstance(y, np.ndarray) and y.dtype.kind == 'M' or isinstance(y,
datetime_types):
ydensity = np.timedelta64(int(round(1.0 / ydensity)), self._time_unit)
float_row = (self.lbrt[3] - y) / ydensity
else:
float_row = (self.lbrt[3] - y) * ydensity
return float_row, float_col
| sheet2matrix | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n xdensity = self.__xdensity\n if isinstance(x, np.ndarray) and x.dtype.kind == 'M' or isinstance(x,\n datetime_types):\n xdensity = np.timedelta64(int(round(1.0 / xdensity)), self._time_unit)\n float_col = (x - self.lbrt[0]) / xdensity\n else:\n float_col = (x - self.lbrt[0]) * xdensity\n ydensity = self.__ydensity\n if isinstance(y, np.ndarray) and y.dtype.kind == 'M' or isinstance(y,\n datetime_types):\n ydensity = np.timedelta64(int(round(1.0 / ydensity)), self._time_unit)\n float_row = (self.lbrt[3] - y) / ydensity\n else:\n float_row = (self.lbrt[3] - y) * ydensity\n return float_row, float_col\n",
"role": "user"
},
{
"content": "sheet2matrix",
"role": "assistant"
}
] |
def x(self, x, y):
r, c = self.sheet2matrix(x, y)
r = np.floor(r)
c = np.floor(c)
if hasattr(r, 'astype'):
return r.astype(int), c.astype(int)
else:
return int(r), int(c)
| sheet2matrixidx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n r, c = self.sheet2matrix(x, y)\n r = np.floor(r)\n c = np.floor(c)\n if hasattr(r, 'astype'):\n return r.astype(int), c.astype(int)\n else:\n return int(r), int(c)\n",
"role": "user"
},
{
"content": "sheet2matrixidx",
"role": "assistant"
}
] |
def x(self, float_row, float_col):
xoffset = float_col * self.__xstep
if isinstance(self.lbrt[0], datetime_types):
xoffset = np.timedelta64(int(round(xoffset)), self._time_unit)
x = self.lbrt[0] + xoffset
yoffset = float_row * self.__ystep
if isinstance(self.lbrt[3], datetime_types):
yoffset = np.timedelta64(int(round(yoffset)), self._time_unit)
y = self.lbrt[3] - yoffset
return x, y
| matrix2sheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, float_row, float_col):\n xoffset = float_col * self.__xstep\n if isinstance(self.lbrt[0], datetime_types):\n xoffset = np.timedelta64(int(round(xoffset)), self._time_unit)\n x = self.lbrt[0] + xoffset\n yoffset = float_row * self.__ystep\n if isinstance(self.lbrt[3], datetime_types):\n yoffset = np.timedelta64(int(round(yoffset)), self._time_unit)\n y = self.lbrt[3] - yoffset\n return x, y\n",
"role": "user"
},
{
"content": "matrix2sheet",
"role": "assistant"
}
] |
def x(self, row, col):
x, y = self.matrix2sheet(row + 0.5, col + 0.5)
if not isinstance(x, datetime_types):
x = np.around(x, 10)
if not isinstance(y, datetime_types):
y = np.around(y, 10)
return x, y
| matrixidx2sheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, row, col):\n x, y = self.matrix2sheet(row + 0.5, col + 0.5)\n if not isinstance(x, datetime_types):\n x = np.around(x, 10)\n if not isinstance(y, datetime_types):\n y = np.around(y, 10)\n return x, y\n",
"role": "user"
},
{
"content": "matrixidx2sheet",
"role": "assistant"
}
] |
def x(self, x, y):
return self.matrixidx2sheet(*self.sheet2matrixidx(x, y))
| closest_cell_center | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y):\n return self.matrixidx2sheet(*self.sheet2matrixidx(x, y))\n",
"role": "user"
},
{
"content": "closest_cell_center",
"role": "assistant"
}
] |
def x(self):
rows, cols = self.shape
return self.matrixidx2sheet(np.arange(rows), np.arange(cols))
| sheetcoordinates_of_matrixidx | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n rows, cols = self.shape\n return self.matrixidx2sheet(np.arange(rows), np.arange(cols))\n",
"role": "user"
},
{
"content": "sheetcoordinates_of_matrixidx",
"role": "assistant"
}
] |
def x(coord, sliceshape, sheetshape):
center_row, center_col = coord
n_rows, n_cols = sliceshape
sheet_rows, sheet_cols = sheetshape
c1 = -min(0, center_col - n_cols / 2)
r1 = -min(0, center_row - n_rows / 2)
c2 = -max(-n_cols, center_col - sheet_cols - n_cols / 2)
r2 = -max(-n_rows, center_row - sheet_rows - n_rows / 2)
return r1, r2, c1, c2
| findinputslice | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(coord, sliceshape, sheetshape):\n center_row, center_col = coord\n n_rows, n_cols = sliceshape\n sheet_rows, sheet_cols = sheetshape\n c1 = -min(0, center_col - n_cols / 2)\n r1 = -min(0, center_row - n_rows / 2)\n c2 = -max(-n_cols, center_col - sheet_cols - n_cols / 2)\n r2 = -max(-n_rows, center_row - sheet_rows - n_rows / 2)\n return r1, r2, c1, c2\n",
"role": "user"
},
{
"content": "findinputslice",
"role": "assistant"
}
] |
def x(self, x, y, sheet_coord_system):
slice_inds = self.findinputslice(sheet_coord_system.sheet2matrixidx(x,
y), self.shape_on_sheet(), sheet_coord_system.shape)
self.set(slice_inds)
| positionlesscrop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y, sheet_coord_system):\n slice_inds = self.findinputslice(sheet_coord_system.sheet2matrixidx(x,\n y), self.shape_on_sheet(), sheet_coord_system.shape)\n self.set(slice_inds)\n",
"role": "user"
},
{
"content": "positionlesscrop",
"role": "assistant"
}
] |
def x(self, x, y, sheet_coord_system):
cf_row, cf_col = sheet_coord_system.sheet2matrixidx(x, y)
bounds_x, bounds_y = self.compute_bounds(sheet_coord_system).centroid()
b_row, b_col = sheet_coord_system.sheet2matrixidx(bounds_x, bounds_y)
row_offset = cf_row - b_row
col_offset = cf_col - b_col
self.translate(row_offset, col_offset)
| positionedcrop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, x, y, sheet_coord_system):\n cf_row, cf_col = sheet_coord_system.sheet2matrixidx(x, y)\n bounds_x, bounds_y = self.compute_bounds(sheet_coord_system).centroid()\n b_row, b_col = sheet_coord_system.sheet2matrixidx(bounds_x, bounds_y)\n row_offset = cf_row - b_row\n col_offset = cf_col - b_col\n self.translate(row_offset, col_offset)\n",
"role": "user"
},
{
"content": "positionedcrop",
"role": "assistant"
}
] |
def x(self, sheet_coord_system):
maxrow, maxcol = sheet_coord_system.shape
self[0] = max(0, self[0])
self[1] = min(maxrow, self[1])
self[2] = max(0, self[2])
self[3] = min(maxcol, self[3])
| crop_to_sheet | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sheet_coord_system):\n maxrow, maxcol = sheet_coord_system.shape\n self[0] = max(0, self[0])\n self[1] = min(maxrow, self[1])\n self[2] = max(0, self[2])\n self[3] = min(maxcol, self[3])\n",
"role": "user"
},
{
"content": "crop_to_sheet",
"role": "assistant"
}
] |
def x(bounds, scs, min_matrix_radius):
bounds_xcenter, bounds_ycenter = bounds.centroid()
sheet_rows, sheet_cols = scs.shape
center_row, center_col = sheet_rows / 2, sheet_cols / 2
unit_xcenter, unit_ycenter = scs.matrixidx2sheet(center_row, center_col)
bounds.translate(unit_xcenter - bounds_xcenter, unit_ycenter -
bounds_ycenter)
r1, r2, c1, c2 = Slice._boundsspec2slicespec(bounds.lbrt(), scs)
xrad = max(c2 - center_col - 1, min_matrix_radius)
yrad = max(r2 - center_row - 1, min_matrix_radius)
r2 = center_row + yrad + 1
c2 = center_col + xrad + 1
r1 = center_row - yrad
c1 = center_col - xrad
return r1, r2, c1, c2
| createoddslicespec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(bounds, scs, min_matrix_radius):\n bounds_xcenter, bounds_ycenter = bounds.centroid()\n sheet_rows, sheet_cols = scs.shape\n center_row, center_col = sheet_rows / 2, sheet_cols / 2\n unit_xcenter, unit_ycenter = scs.matrixidx2sheet(center_row, center_col)\n bounds.translate(unit_xcenter - bounds_xcenter, unit_ycenter -\n bounds_ycenter)\n r1, r2, c1, c2 = Slice._boundsspec2slicespec(bounds.lbrt(), scs)\n xrad = max(c2 - center_col - 1, min_matrix_radius)\n yrad = max(r2 - center_row - 1, min_matrix_radius)\n r2 = center_row + yrad + 1\n c2 = center_col + xrad + 1\n r1 = center_row - yrad\n c1 = center_col - xrad\n return r1, r2, c1, c2\n",
"role": "user"
},
{
"content": "createoddslicespec",
"role": "assistant"
}
] |
def x(boundsspec, scs):
l, b, r, t = boundsspec
t_m, l_m = scs.sheet2matrix(l, t)
b_m, r_m = scs.sheet2matrix(r, b)
l_idx = int(np.ceil(l_m - 0.5))
t_idx = int(np.ceil(t_m - 0.5))
r_idx = int(np.floor(r_m + 0.5))
b_idx = int(np.floor(b_m + 0.5))
return t_idx, b_idx, l_idx, r_idx
| boundsspec2slicespec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(boundsspec, scs):\n l, b, r, t = boundsspec\n t_m, l_m = scs.sheet2matrix(l, t)\n b_m, r_m = scs.sheet2matrix(r, b)\n l_idx = int(np.ceil(l_m - 0.5))\n t_idx = int(np.ceil(t_m - 0.5))\n r_idx = int(np.floor(r_m + 0.5))\n b_idx = int(np.floor(b_m + 0.5))\n return t_idx, b_idx, l_idx, r_idx\n",
"role": "user"
},
{
"content": "boundsspec2slicespec",
"role": "assistant"
}
] |
def x(slicespec, scs):
r1, r2, c1, c2 = slicespec
left, bottom = scs.matrix2sheet(r2, c1)
right, top = scs.matrix2sheet(r1, c2)
return (left, bottom), (right, top)
| slicespec2boundsspec | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(slicespec, scs):\n r1, r2, c1, c2 = slicespec\n left, bottom = scs.matrix2sheet(r2, c1)\n right, top = scs.matrix2sheet(r1, c2)\n return (left, bottom), (right, top)\n",
"role": "user"
},
{
"content": "slicespec2boundsspec",
"role": "assistant"
}
] |
def x(self, element, ranges, range_type='combined'):
if range_type == 'extents':
return element.nodes.extents
xdim, ydim = element.nodes.kdims[:2]
xpad = 0.05 if self.label_index is None else 0.25
x0, x1 = ranges[xdim.name][range_type]
y0, y1 = ranges[ydim.name][range_type]
xdiff = x1 - x0
ydiff = y1 - y0
if self.label_position == 'right':
x0, x1 = x0 - 0.05 * xdiff, x1 + xpad * xdiff
else:
x0, x1 = x0 - xpad * xdiff, x1 + 0.05 * xdiff
x0, x1 = max_range([xdim.range, (x0, x1)])
y0, y1 = max_range([ydim.range, (y0 - 0.05 * ydiff, y1 + 0.05 * ydiff)])
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 range_type == 'extents':\n return element.nodes.extents\n xdim, ydim = element.nodes.kdims[:2]\n xpad = 0.05 if self.label_index is None else 0.25\n x0, x1 = ranges[xdim.name][range_type]\n y0, y1 = ranges[ydim.name][range_type]\n xdiff = x1 - x0\n ydiff = y1 - y0\n if self.label_position == 'right':\n x0, x1 = x0 - 0.05 * xdiff, x1 + xpad * xdiff\n else:\n x0, x1 = x0 - xpad * xdiff, x1 + 0.05 * xdiff\n x0, x1 = max_range([xdim.range, (x0, x1)])\n y0, y1 = max_range([ydim.range, (y0 - 0.05 * ydiff, y1 + 0.05 * ydiff)])\n return x0, y0, x1, y1\n",
"role": "user"
},
{
"content": "get_extents",
"role": "assistant"
}
] |
def x(cls, dataset, data):
if len(data) != 1 or len(data.columns) > 1:
return data
return data.iat[0, 0]
| unpack_scalar | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataset, data):\n if len(data) != 1 or len(data.columns) > 1:\n return data\n return data.iat[0, 0]\n",
"role": "user"
},
{
"content": "unpack_scalar",
"role": "assistant"
}
] |
def x(cls, dataset):
if issubclass(dataset.interface, PandasInterface):
return dataset.data
else:
return dataset.dframe()
| as_dframe | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, dataset):\n if issubclass(dataset.interface, PandasInterface):\n return dataset.data\n else:\n return dataset.dframe()\n",
"role": "user"
},
{
"content": "as_dframe",
"role": "assistant"
}
] |
def x(vals, escape_numerics=True):
ints, floats = '%.1f', '%.10f'
escaped = []
for v in vals:
if isinstance(v, np.timedelta64):
v = "'" + str(v) + "'"
elif isinstance(v, np.datetime64):
v = "'" + str(v.astype('datetime64[ns]')) + "'"
elif not isnumeric(v):
v = "'" + unicode(bytes_to_unicode(v)) + "'"
else:
if v % 1 == 0:
v = ints % v
else:
v = (floats % v)[:-1]
if escape_numerics:
v = "'" + v + "'"
escaped.append(v)
return escaped
| escape_vals | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(vals, escape_numerics=True):\n ints, floats = '%.1f', '%.10f'\n escaped = []\n for v in vals:\n if isinstance(v, np.timedelta64):\n v = \"'\" + str(v) + \"'\"\n elif isinstance(v, np.datetime64):\n v = \"'\" + str(v.astype('datetime64[ns]')) + \"'\"\n elif not isnumeric(v):\n v = \"'\" + unicode(bytes_to_unicode(v)) + \"'\"\n else:\n if v % 1 == 0:\n v = ints % v\n else:\n v = (floats % v)[:-1]\n if escape_numerics:\n v = \"'\" + v + \"'\"\n escaped.append(v)\n return escaped\n",
"role": "user"
},
{
"content": "escape_vals",
"role": "assistant"
}
] |
def x(self, frames):
if self.json_save_path is None:
return
path = os.path.join(self.json_save_path, '%s.json' % self.id)
if not os.path.isdir(self.json_save_path):
os.mkdir(self.json_save_path)
with open(path, 'w') as f:
json.dump(frames, f)
self.json_data = frames
| save_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, frames):\n if self.json_save_path is None:\n return\n path = os.path.join(self.json_save_path, '%s.json' % self.id)\n if not os.path.isdir(self.json_save_path):\n os.mkdir(self.json_save_path)\n with open(path, 'w') as f:\n json.dump(frames, f)\n self.json_data = frames\n",
"role": "user"
},
{
"content": "save_json",
"role": "assistant"
}
] |
def x(name):
try:
if name not in Store.renderers:
extension(name)
return Store.renderers[name]
except ImportError:
msg = (
'Could not find a {name!r} renderer, available renderers are: {available}.'
)
available = ', '.join(repr(k) for k in Store.renderers)
raise ImportError(msg.format(name=name, available=available))
| renderer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name):\n try:\n if name not in Store.renderers:\n extension(name)\n return Store.renderers[name]\n except ImportError:\n msg = (\n 'Could not find a {name!r} renderer, available renderers are: {available}.'\n )\n available = ', '.join(repr(k) for k in Store.renderers)\n raise ImportError(msg.format(name=name, available=available))\n",
"role": "user"
},
{
"content": "renderer",
"role": "assistant"
}
] |
def x(obj, filename, fmt='auto', backend=None, **kwargs):
backend = backend or Store.current_backend
renderer_obj = renderer(backend)
if kwargs:
renderer_obj = renderer_obj.instance(**kwargs)
if Path is not None and isinstance(filename, Path):
filename = str(filename.absolute())
if isinstance(filename, basestring):
supported = [mfmt for tformats in renderer_obj.mode_formats.values(
) for mformats in tformats.values() for mfmt in mformats]
formats = filename.split('.')
if fmt == 'auto' and formats and formats[-1] != 'html':
fmt = formats[-1]
if formats[-1] in supported:
filename = '.'.join(formats[:-1])
return renderer_obj.save(obj, filename, fmt=fmt)
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, filename, fmt='auto', backend=None, **kwargs):\n backend = backend or Store.current_backend\n renderer_obj = renderer(backend)\n if kwargs:\n renderer_obj = renderer_obj.instance(**kwargs)\n if Path is not None and isinstance(filename, Path):\n filename = str(filename.absolute())\n if isinstance(filename, basestring):\n supported = [mfmt for tformats in renderer_obj.mode_formats.values(\n ) for mformats in tformats.values() for mfmt in mformats]\n formats = filename.split('.')\n if fmt == 'auto' and formats and formats[-1] != 'html':\n fmt = formats[-1]\n if formats[-1] in supported:\n filename = '.'.join(formats[:-1])\n return renderer_obj.save(obj, filename, fmt=fmt)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(obj, backend=None, **kwargs):
backend = backend or Store.current_backend
renderer_obj = renderer(backend)
if kwargs:
renderer_obj = renderer_obj.instance(**kwargs)
plot = renderer_obj.get_plot(obj)
if backend == 'matplotlib' and len(plot) > 1:
return plot.anim(fps=renderer_obj.fps)
return renderer_obj.get_plot(obj).state
| render | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(obj, backend=None, **kwargs):\n backend = backend or Store.current_backend\n renderer_obj = renderer(backend)\n if kwargs:\n renderer_obj = renderer_obj.instance(**kwargs)\n plot = renderer_obj.get_plot(obj)\n if backend == 'matplotlib' and len(plot) > 1:\n return plot.anim(fps=renderer_obj.fps)\n return renderer_obj.get_plot(obj).state\n",
"role": "user"
},
{
"content": "render",
"role": "assistant"
}
] |
def x(cls, obj, kwargs):
groups = Options._option_groups
if set(kwargs.keys()) - set(groups):
raise Exception('Keyword options %s must be one of %s' % (groups,
','.join(repr(g) for g in groups)))
elif not all(isinstance(v, dict) for v in kwargs.values()):
raise Exception(
'The %s options must be specified using dictionary groups' %
','.join(repr(k) for k in kwargs.keys()))
targets = [(grp and all(k[0].isupper() for k in grp)) for grp in kwargs
.values()]
if any(targets) and not all(targets):
raise Exception(
"Cannot mix target specification keys such as 'Image' with non-target keywords."
)
elif not any(targets):
sanitized_group = util.group_sanitizer(obj.group)
if obj.label:
identifier = '%s.%s.%s' % (obj.__class__.__name__,
sanitized_group, util.label_sanitizer(obj.label))
elif sanitized_group != obj.__class__.__name__:
identifier = '%s.%s' % (obj.__class__.__name__, sanitized_group)
else:
identifier = obj.__class__.__name__
options = {identifier: {grp: kws for grp, kws in kwargs.items()}}
else:
dfltdict = defaultdict(dict)
for grp, entries in kwargs.items():
for identifier, kws in entries.items():
dfltdict[identifier][grp] = kws
options = dict(dfltdict)
return options
| group_kwargs_to_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, kwargs):\n groups = Options._option_groups\n if set(kwargs.keys()) - set(groups):\n raise Exception('Keyword options %s must be one of %s' % (groups,\n ','.join(repr(g) for g in groups)))\n elif not all(isinstance(v, dict) for v in kwargs.values()):\n raise Exception(\n 'The %s options must be specified using dictionary groups' %\n ','.join(repr(k) for k in kwargs.keys()))\n targets = [(grp and all(k[0].isupper() for k in grp)) for grp in kwargs\n .values()]\n if any(targets) and not all(targets):\n raise Exception(\n \"Cannot mix target specification keys such as 'Image' with non-target keywords.\"\n )\n elif not any(targets):\n sanitized_group = util.group_sanitizer(obj.group)\n if obj.label:\n identifier = '%s.%s.%s' % (obj.__class__.__name__,\n sanitized_group, util.label_sanitizer(obj.label))\n elif sanitized_group != obj.__class__.__name__:\n identifier = '%s.%s' % (obj.__class__.__name__, sanitized_group)\n else:\n identifier = obj.__class__.__name__\n options = {identifier: {grp: kws for grp, kws in kwargs.items()}}\n else:\n dfltdict = defaultdict(dict)\n for grp, entries in kwargs.items():\n for identifier, kws in entries.items():\n dfltdict[identifier][grp] = kws\n options = dict(dfltdict)\n return options\n",
"role": "user"
},
{
"content": "group_kwargs_to_options",
"role": "assistant"
}
] |
def x(cls, obj, options, backend, clone):
obj_handle = obj
if options is None:
if clone:
obj_handle = obj.map(lambda x: x.clone(id=None))
else:
obj.map(lambda x: setattr(x, 'id', None))
elif clone:
obj_handle = obj.map(lambda x: x.clone(id=x.id))
return StoreOptions.set_options(obj_handle, options, backend=backend)
| apply_groups_to_backend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, options, backend, clone):\n obj_handle = obj\n if options is None:\n if clone:\n obj_handle = obj.map(lambda x: x.clone(id=None))\n else:\n obj.map(lambda x: setattr(x, 'id', None))\n elif clone:\n obj_handle = obj.map(lambda x: x.clone(id=x.id))\n return StoreOptions.set_options(obj_handle, options, backend=backend)\n",
"role": "user"
},
{
"content": "apply_groups_to_backend",
"role": "assistant"
}
] |
def x(cls, options, backend):
if options is None:
return [(backend or Store.current_backend, options)]
dfltdict = defaultdict(dict)
for spec, groups in options.items():
if 'output' not in groups.keys() or len(groups['output']) == 0:
dfltdict[backend or Store.current_backend][spec.strip()] = groups
elif set(groups['output'].keys()) - set(['backend']):
dfltdict[groups['output']['backend']][spec.strip()] = groups
elif ['backend'] == list(groups['output'].keys()):
filtered = {k: v for k, v in groups.items() if k != 'output'}
dfltdict[groups['output']['backend']][spec.strip()] = filtered
else:
raise Exception(
'The output options group must have the backend keyword')
return [(bk, bk_opts) for bk, bk_opts in dfltdict.items()]
| grouped_backends | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, backend):\n if options is None:\n return [(backend or Store.current_backend, options)]\n dfltdict = defaultdict(dict)\n for spec, groups in options.items():\n if 'output' not in groups.keys() or len(groups['output']) == 0:\n dfltdict[backend or Store.current_backend][spec.strip()] = groups\n elif set(groups['output'].keys()) - set(['backend']):\n dfltdict[groups['output']['backend']][spec.strip()] = groups\n elif ['backend'] == list(groups['output'].keys()):\n filtered = {k: v for k, v in groups.items() if k != 'output'}\n dfltdict[groups['output']['backend']][spec.strip()] = filtered\n else:\n raise Exception(\n 'The output options group must have the backend keyword')\n return [(bk, bk_opts) for bk, bk_opts in dfltdict.items()]\n",
"role": "user"
},
{
"content": "grouped_backends",
"role": "assistant"
}
] |
def x(cls, obj, options=None, backend=None, clone=True, **kwargs):
if isinstance(options, basestring):
from ..util.parser import OptsSpec
try:
options = OptsSpec.parse(options)
except SyntaxError:
options = OptsSpec.parse('{clsname} {options}'.format(clsname=
obj.__class__.__name__, options=options))
if kwargs:
options = cls._group_kwargs_to_options(obj, kwargs)
for backend, backend_opts in cls._grouped_backends(options, backend):
obj = cls._apply_groups_to_backend(obj, backend_opts, backend, clone)
return obj
| apply_groups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, options=None, backend=None, clone=True, **kwargs):\n if isinstance(options, basestring):\n from ..util.parser import OptsSpec\n try:\n options = OptsSpec.parse(options)\n except SyntaxError:\n options = OptsSpec.parse('{clsname} {options}'.format(clsname=\n obj.__class__.__name__, options=options))\n if kwargs:\n options = cls._group_kwargs_to_options(obj, kwargs)\n for backend, backend_opts in cls._grouped_backends(options, backend):\n obj = cls._apply_groups_to_backend(obj, backend_opts, backend, clone)\n return obj\n",
"role": "user"
},
{
"content": "apply_groups",
"role": "assistant"
}
] |
def x(cls, options, obj, strict=False):
options, failure = cls._process_magic(options, strict)
if failure:
return obj
if not isinstance(obj, Dimensioned):
return obj
else:
return StoreOptions.set_options(obj, options)
| cellmagic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, obj, strict=False):\n options, failure = cls._process_magic(options, strict)\n if failure:\n return obj\n if not isinstance(obj, Dimensioned):\n return obj\n else:\n return StoreOptions.set_options(obj, options)\n",
"role": "user"
},
{
"content": "cellmagic",
"role": "assistant"
}
] |
def x(cls, options, strict=False, backend=None):
backends = None if backend is None else [backend]
options, failure = cls._process_magic(options, strict, backends=backends)
if failure:
return
with options_policy(skip_invalid=True, warn_on_skip=False):
StoreOptions.apply_customizations(options, Store.options(backend=
backend))
| linemagic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, strict=False, backend=None):\n backends = None if backend is None else [backend]\n options, failure = cls._process_magic(options, strict, backends=backends)\n if failure:\n return\n with options_policy(skip_invalid=True, warn_on_skip=False):\n StoreOptions.apply_customizations(options, Store.options(backend=\n backend))\n",
"role": "user"
},
{
"content": "linemagic",
"role": "assistant"
}
] |
def x(cls, *options, **kwargs):
if kwargs and len(kwargs) != 1 and list(kwargs.keys())[0] != 'backend':
raise Exception('opts.defaults only accepts "backend" keyword argument'
)
cls._linemagic(cls._expand_options(merge_options_to_dict(options)),
backend=kwargs.get('backend'))
| defaults | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, *options, **kwargs):\n if kwargs and len(kwargs) != 1 and list(kwargs.keys())[0] != 'backend':\n raise Exception('opts.defaults only accepts \"backend\" keyword argument'\n )\n cls._linemagic(cls._expand_options(merge_options_to_dict(options)),\n backend=kwargs.get('backend'))\n",
"role": "user"
},
{
"content": "defaults",
"role": "assistant"
}
] |
def x(cls, options, backend):
groups = defaultdict(list)
used_fallback = False
for obj in options:
if 'backend' in obj.kwargs:
opts_backend = obj.kwargs['backend']
elif backend is None:
opts_backend = Store.current_backend
obj.kwargs['backend'] = opts_backend
else:
opts_backend = backend
obj.kwargs['backend'] = opts_backend
used_fallback = True
groups[opts_backend].append(obj)
if backend and not used_fallback:
cls.param.warning(
'All supplied Options objects already define a backend, backend override %r will be ignored.'
% backend)
return [(bk, cls._expand_options(o, bk)) for bk, o in groups.items()]
| expand_by_backend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, backend):\n groups = defaultdict(list)\n used_fallback = False\n for obj in options:\n if 'backend' in obj.kwargs:\n opts_backend = obj.kwargs['backend']\n elif backend is None:\n opts_backend = Store.current_backend\n obj.kwargs['backend'] = opts_backend\n else:\n opts_backend = backend\n obj.kwargs['backend'] = opts_backend\n used_fallback = True\n groups[opts_backend].append(obj)\n if backend and not used_fallback:\n cls.param.warning(\n 'All supplied Options objects already define a backend, backend override %r will be ignored.'\n % backend)\n return [(bk, cls._expand_options(o, bk)) for bk, o in groups.items()]\n",
"role": "user"
},
{
"content": "expand_by_backend",
"role": "assistant"
}
] |
def x(cls, options, backend=None):
current_backend = Store.current_backend
try:
backend_options = Store.options(backend=backend or current_backend)
except KeyError as e:
raise Exception(
'The %s backend is not loaded. Please load the backend using hv.extension.'
% str(e))
expanded = {}
if isinstance(options, list):
options = merge_options_to_dict(options)
for objspec, options in options.items():
objtype = objspec.split('.')[0]
if objtype not in backend_options:
raise ValueError('%s type not found, could not apply options.' %
objtype)
obj_options = backend_options[objtype]
expanded[objspec] = {g: {} for g in obj_options.groups}
for opt, value in options.items():
found = False
valid_options = []
for g, group_opts in sorted(obj_options.groups.items()):
if opt in group_opts.allowed_keywords:
expanded[objspec][g][opt] = value
found = True
break
valid_options += group_opts.allowed_keywords
if found:
continue
cls._options_error(opt, objtype, backend, valid_options)
return expanded
| expand_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, backend=None):\n current_backend = Store.current_backend\n try:\n backend_options = Store.options(backend=backend or current_backend)\n except KeyError as e:\n raise Exception(\n 'The %s backend is not loaded. Please load the backend using hv.extension.'\n % str(e))\n expanded = {}\n if isinstance(options, list):\n options = merge_options_to_dict(options)\n for objspec, options in options.items():\n objtype = objspec.split('.')[0]\n if objtype not in backend_options:\n raise ValueError('%s type not found, could not apply options.' %\n objtype)\n obj_options = backend_options[objtype]\n expanded[objspec] = {g: {} for g in obj_options.groups}\n for opt, value in options.items():\n found = False\n valid_options = []\n for g, group_opts in sorted(obj_options.groups.items()):\n if opt in group_opts.allowed_keywords:\n expanded[objspec][g][opt] = value\n found = True\n break\n valid_options += group_opts.allowed_keywords\n if found:\n continue\n cls._options_error(opt, objtype, backend, valid_options)\n return expanded\n",
"role": "user"
},
{
"content": "expand_options",
"role": "assistant"
}
] |
def x(cls, opt, objtype, backend, valid_options):
current_backend = Store.current_backend
loaded_backends = Store.loaded_backends()
kws = Keywords(values=valid_options)
matches = sorted(kws.fuzzy_match(opt))
if backend is not None:
if matches:
raise ValueError(
'Unexpected option %r for %s type when using the %r extension. Similar options are: %s.'
% (opt, objtype, backend, matches))
else:
raise ValueError(
'Unexpected option %r for %s type when using the %r extension. No similar options founds.'
% (opt, objtype, backend))
found = []
for lb in [b for b in loaded_backends if b != backend]:
lb_options = Store.options(backend=lb).get(objtype)
if lb_options is None:
continue
for g, group_opts in lb_options.groups.items():
if opt in group_opts.allowed_keywords:
found.append(lb)
if found:
param.main.param.warning(
'Option %r for %s type not valid for selected backend (%r). Option only applies to following backends: %r'
% (opt, objtype, current_backend, found))
return
if matches:
raise ValueError(
'Unexpected option %r for %s type across all extensions. Similar options for current extension (%r) are: %s.'
% (opt, objtype, current_backend, matches))
else:
raise ValueError(
'Unexpected option %r for %s type across all extensions. No similar options found.'
% (opt, objtype))
| options_error | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, opt, objtype, backend, valid_options):\n current_backend = Store.current_backend\n loaded_backends = Store.loaded_backends()\n kws = Keywords(values=valid_options)\n matches = sorted(kws.fuzzy_match(opt))\n if backend is not None:\n if matches:\n raise ValueError(\n 'Unexpected option %r for %s type when using the %r extension. Similar options are: %s.'\n % (opt, objtype, backend, matches))\n else:\n raise ValueError(\n 'Unexpected option %r for %s type when using the %r extension. No similar options founds.'\n % (opt, objtype, backend))\n found = []\n for lb in [b for b in loaded_backends if b != backend]:\n lb_options = Store.options(backend=lb).get(objtype)\n if lb_options is None:\n continue\n for g, group_opts in lb_options.groups.items():\n if opt in group_opts.allowed_keywords:\n found.append(lb)\n if found:\n param.main.param.warning(\n 'Option %r for %s type not valid for selected backend (%r). Option only applies to following backends: %r'\n % (opt, objtype, current_backend, found))\n return\n if matches:\n raise ValueError(\n 'Unexpected option %r for %s type across all extensions. Similar options for current extension (%r) are: %s.'\n % (opt, objtype, current_backend, matches))\n else:\n raise ValueError(\n 'Unexpected option %r for %s type across all extensions. No similar options found.'\n % (opt, objtype))\n",
"role": "user"
},
{
"content": "options_error",
"role": "assistant"
}
] |
def x(cls, options, namespace=None, ns=None):
if isinstance(options, basestring):
from .parser import OptsSpec
if ns is None:
try:
ns = get_ipython().user_ns
except:
ns = globals()
options = options.replace('%%opts', '').replace('%opts', '')
options = OptsSpec.parse_options(options, ns=ns)
reprs = []
ns = '{namespace}.'.format(namespace=namespace) if namespace else ''
for option in options:
kws = ', '.join('%s=%r' % (k, option.kwargs[k]) for k in sorted(
option.kwargs))
if '.' in option.key:
element = option.key.split('.')[0]
spec = repr('.'.join(option.key.split('.')[1:])) + ', '
else:
element = option.key
spec = ''
opts_format = '{ns}opts.{element}({spec}{kws})'
reprs.append(opts_format.format(ns=ns, spec=spec, kws=kws, element=
element))
return reprs
| builder_reprs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, options, namespace=None, ns=None):\n if isinstance(options, basestring):\n from .parser import OptsSpec\n if ns is None:\n try:\n ns = get_ipython().user_ns\n except:\n ns = globals()\n options = options.replace('%%opts', '').replace('%opts', '')\n options = OptsSpec.parse_options(options, ns=ns)\n reprs = []\n ns = '{namespace}.'.format(namespace=namespace) if namespace else ''\n for option in options:\n kws = ', '.join('%s=%r' % (k, option.kwargs[k]) for k in sorted(\n option.kwargs))\n if '.' in option.key:\n element = option.key.split('.')[0]\n spec = repr('.'.join(option.key.split('.')[1:])) + ', '\n else:\n element = option.key\n spec = ''\n opts_format = '{ns}opts.{element}({spec}{kws})'\n reprs.append(opts_format.format(ns=ns, spec=spec, kws=kws, element=\n element))\n return reprs\n",
"role": "user"
},
{
"content": "builder_reprs",
"role": "assistant"
}
] |
def x(cls, backend, elements=None):
if backend not in Store.loaded_backends():
return {}
mapping = {}
backend_options = Store.options(backend)
elements = elements if elements is not None else backend_options.keys()
for element in elements:
if '.' in element:
continue
element = element if isinstance(element, tuple) else (element,)
element_keywords = []
options = backend_options['.'.join(element)]
for group in Options._option_groups:
element_keywords.extend(options[group].allowed_keywords)
mapping[element[0]] = element_keywords
return mapping
| element_keywords | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, backend, elements=None):\n if backend not in Store.loaded_backends():\n return {}\n mapping = {}\n backend_options = Store.options(backend)\n elements = elements if elements is not None else backend_options.keys()\n for element in elements:\n if '.' in element:\n continue\n element = element if isinstance(element, tuple) else (element,)\n element_keywords = []\n options = backend_options['.'.join(element)]\n for group in Options._option_groups:\n element_keywords.extend(options[group].allowed_keywords)\n mapping[element[0]] = element_keywords\n return mapping\n",
"role": "user"
},
{
"content": "element_keywords",
"role": "assistant"
}
] |
def x(self, map_obj, watch=True):
streams = []
for stream in self.p.streams:
if inspect.isclass(stream) and issubclass(stream, Stream):
stream = stream()
elif not (isinstance(stream, Stream) or util.is_param_method(stream)):
raise ValueError(
'Streams must be Stream classes or instances, found %s type' %
type(stream).__name__)
if isinstance(self.p.operation, Operation):
updates = {k: self.p.operation.p.get(k) for k, v in stream.
contents.items() if v is None and k in self.p.operation.p}
if updates:
reverse = {v: k for k, v in stream._rename.items()}
stream.update(**{reverse.get(k, k): v for k, v in updates.
items()})
streams.append(stream)
params = {k: v for k, v in self.p.kwargs.items() if isinstance(v, param
.Parameter) and isinstance(v.owner, param.Parameterized)}
streams += Params.from_params(params)
if isinstance(map_obj, DynamicMap):
dim_streams = util.dimensioned_streams(map_obj)
streams = list(util.unique_iterator(streams + dim_streams))
has_dependencies = util.is_param_method(self.p.operation, has_deps=True)
if has_dependencies and watch:
streams.append(self.p.operation)
for value in self.p.kwargs.values():
if util.is_param_method(value, has_deps=True):
streams.append(value)
valid, invalid = Stream._process_streams(streams)
if invalid:
msg = (
'The supplied streams list contains objects that are not Stream instances: {objs}'
)
raise TypeError(msg.format(objs=', '.join('%r' % el for el in invalid))
)
return valid
| get_streams | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, map_obj, watch=True):\n streams = []\n for stream in self.p.streams:\n if inspect.isclass(stream) and issubclass(stream, Stream):\n stream = stream()\n elif not (isinstance(stream, Stream) or util.is_param_method(stream)):\n raise ValueError(\n 'Streams must be Stream classes or instances, found %s type' %\n type(stream).__name__)\n if isinstance(self.p.operation, Operation):\n updates = {k: self.p.operation.p.get(k) for k, v in stream.\n contents.items() if v is None and k in self.p.operation.p}\n if updates:\n reverse = {v: k for k, v in stream._rename.items()}\n stream.update(**{reverse.get(k, k): v for k, v in updates.\n items()})\n streams.append(stream)\n params = {k: v for k, v in self.p.kwargs.items() if isinstance(v, param\n .Parameter) and isinstance(v.owner, param.Parameterized)}\n streams += Params.from_params(params)\n if isinstance(map_obj, DynamicMap):\n dim_streams = util.dimensioned_streams(map_obj)\n streams = list(util.unique_iterator(streams + dim_streams))\n has_dependencies = util.is_param_method(self.p.operation, has_deps=True)\n if has_dependencies and watch:\n streams.append(self.p.operation)\n for value in self.p.kwargs.values():\n if util.is_param_method(value, has_deps=True):\n streams.append(value)\n valid, invalid = Stream._process_streams(streams)\n if invalid:\n msg = (\n 'The supplied streams list contains objects that are not Stream instances: {objs}'\n )\n raise TypeError(msg.format(objs=', '.join('%r' % el for el in invalid))\n )\n return valid\n",
"role": "user"
},
{
"content": "get_streams",
"role": "assistant"
}
] |
def x(self):
evaled_kwargs = {}
for k, v in self.p.kwargs.items():
if util.is_param_method(v):
v = v()
evaled_kwargs[k] = v
return evaled_kwargs
| eval_kwargs | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n evaled_kwargs = {}\n for k, v in self.p.kwargs.items():\n if util.is_param_method(v):\n v = v()\n evaled_kwargs[k] = v\n return evaled_kwargs\n",
"role": "user"
},
{
"content": "eval_kwargs",
"role": "assistant"
}
] |
def x(self, map_obj):
if not isinstance(map_obj, DynamicMap):
def x(*key, **kwargs):
kwargs = dict(self._eval_kwargs(), **kwargs)
obj = map_obj[key] if isinstance(map_obj, HoloMap) else map_obj
return self._process(obj, key, kwargs)
else:
def x(*key, **kwargs):
kwargs = dict(self._eval_kwargs(), **kwargs)
return self._process(map_obj[key], key, kwargs)
if isinstance(self.p.operation, Operation):
return OperationCallable(dynamic_operation, inputs=[map_obj],
link_inputs=self.p.link_inputs, operation=self.p.operation)
else:
return Callable(dynamic_operation, inputs=[map_obj], link_inputs=
self.p.link_inputs)
| dynamic_operation | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, map_obj):\n if not isinstance(map_obj, DynamicMap):\n\n def x(*key, **kwargs):\n kwargs = dict(self._eval_kwargs(), **kwargs)\n obj = map_obj[key] if isinstance(map_obj, HoloMap) else map_obj\n return self._process(obj, key, kwargs)\n else:\n\n def x(*key, **kwargs):\n kwargs = dict(self._eval_kwargs(), **kwargs)\n return self._process(map_obj[key], key, kwargs)\n if isinstance(self.p.operation, Operation):\n return OperationCallable(dynamic_operation, inputs=[map_obj],\n link_inputs=self.p.link_inputs, operation=self.p.operation)\n else:\n return Callable(dynamic_operation, inputs=[map_obj], link_inputs=\n self.p.link_inputs)\n",
"role": "user"
},
{
"content": "dynamic_operation",
"role": "assistant"
}
] |
def x(self, hmap, dynamic_fn, streams):
if isinstance(hmap, ViewableElement):
return DynamicMap(dynamic_fn, streams=streams)
dim_values = zip(*hmap.data.keys())
params = util.get_param_values(hmap)
kdims = [d(values=list(util.unique_iterator(values))) for d, values in
zip(hmap.kdims, dim_values)]
return DynamicMap(dynamic_fn, streams=streams, **dict(params, kdims=kdims))
| make_dynamic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hmap, dynamic_fn, streams):\n if isinstance(hmap, ViewableElement):\n return DynamicMap(dynamic_fn, streams=streams)\n dim_values = zip(*hmap.data.keys())\n params = util.get_param_values(hmap)\n kdims = [d(values=list(util.unique_iterator(values))) for d, values in\n zip(hmap.kdims, dim_values)]\n return DynamicMap(dynamic_fn, streams=streams, **dict(params, kdims=kdims))\n",
"role": "user"
},
{
"content": "make_dynamic",
"role": "assistant"
}
] |
def x(self, key):
if self.top_level:
self.update(key)
else:
self.current_key = None
self.current_frame = None
| trigger_refresh | [
{
"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 self.top_level:\n self.update(key)\n else:\n self.current_key = None\n self.current_frame = None\n",
"role": "user"
},
{
"content": "trigger_refresh",
"role": "assistant"
}
] |
def x(values, min=None, max=None):
min = np.min(values) if min is None else min
max = np.max(values) if max is None else max
return (values - min) / (max - min)
| norm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, min=None, max=None):\n min = np.min(values) if min is None else min\n max = np.max(values) if max is None else max\n return (values - min) / (max - min)\n",
"role": "user"
},
{
"content": "norm",
"role": "assistant"
}
] |
def x(values, bins, labels=None):
bins = np.asarray(bins)
if labels is None:
labels = bins[:-1] + np.diff(bins) / 2.0
else:
labels = np.asarray(labels)
dtype = 'float' if labels.dtype.kind == 'f' else 'O'
binned = np.full_like(values, np.nan if dtype == 'f' else None, dtype=dtype
)
for lower, upper, label in zip(bins[:-1], bins[1:], labels):
condition = (values > lower) & (values <= upper)
binned[np.where(condition)[0]] = label
return binned
| bin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, bins, labels=None):\n bins = np.asarray(bins)\n if labels is None:\n labels = bins[:-1] + np.diff(bins) / 2.0\n else:\n labels = np.asarray(labels)\n dtype = 'float' if labels.dtype.kind == 'f' else 'O'\n binned = np.full_like(values, np.nan if dtype == 'f' else None, dtype=dtype\n )\n for lower, upper, label in zip(bins[:-1], bins[1:], labels):\n condition = (values > lower) & (values <= upper)\n binned[np.where(condition)[0]] = label\n return binned\n",
"role": "user"
},
{
"content": "bin",
"role": "assistant"
}
] |
def x(values, categories, default=None):
uniq_cats = list(unique_iterator(values))
cats = []
for c in values:
if isinstance(categories, list):
cat_ind = uniq_cats.index(c)
if cat_ind < len(categories):
cat = categories[cat_ind]
else:
cat = default
else:
cat = categories.get(c, default)
cats.append(cat)
return np.asarray(cats)
| categorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(values, categories, default=None):\n uniq_cats = list(unique_iterator(values))\n cats = []\n for c in values:\n if isinstance(categories, list):\n cat_ind = uniq_cats.index(c)\n if cat_ind < len(categories):\n cat = categories[cat_ind]\n else:\n cat = default\n else:\n cat = categories.get(c, default)\n cats.append(cat)\n return np.asarray(cats)\n",
"role": "user"
},
{
"content": "categorize",
"role": "assistant"
}
] |
def x(self, bins, labels=None):
return dim(self, bin, bins, labels=labels)
| bin | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bins, labels=None):\n return dim(self, bin, bins, labels=labels)\n",
"role": "user"
},
{
"content": "bin",
"role": "assistant"
}
] |
def x(self, categories, default=None):
return dim(self, categorize, categories=categories, default=default)
| categorize | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, categories, default=None):\n return dim(self, categorize, categories=categories, default=default)\n",
"role": "user"
},
{
"content": "categorize",
"role": "assistant"
}
] |
def x(self, limits=None):
kwargs = {}
if limits is not None:
kwargs = {'min': limits[0], 'max': limits[1]}
return dim(self, norm, **kwargs)
| norm | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limits=None):\n kwargs = {}\n if limits is not None:\n kwargs = {'min': limits[0], 'max': limits[1]}\n return dim(self, norm, **kwargs)\n",
"role": "user"
},
{
"content": "norm",
"role": "assistant"
}
] |
def x(self, dataset):
if isinstance(self.dimension, dim):
applies = self.dimension.applies(dataset)
else:
applies = dataset.get_dimension(self.dimension) is not None
if isinstance(dataset, Graph) and not applies:
applies = dataset.nodes.get_dimension(self.dimension) is not None
for op in self.ops:
args = op.get('args')
if not args:
continue
for arg in args:
if isinstance(arg, dim):
applies &= arg.applies(dataset)
return applies
| applies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset):\n if isinstance(self.dimension, dim):\n applies = self.dimension.applies(dataset)\n else:\n applies = dataset.get_dimension(self.dimension) is not None\n if isinstance(dataset, Graph) and not applies:\n applies = dataset.nodes.get_dimension(self.dimension) is not None\n for op in self.ops:\n args = op.get('args')\n if not args:\n continue\n for arg in args:\n if isinstance(arg, dim):\n applies &= arg.applies(dataset)\n return applies\n",
"role": "user"
},
{
"content": "applies",
"role": "assistant"
}
] |
def x(self, dataset, flat=False, expanded=None, ranges={}, all_values=False):
dimension = self.dimension
if expanded is None:
expanded = not (dataset.interface.gridded and dimension in dataset.
kdims or dataset.interface.multi and dataset.interface.isscalar
(dataset, dimension))
if isinstance(dataset, Graph):
if dimension in dataset.kdims and all_values:
dimension = dataset.nodes.kdims[2]
dataset = dataset if dimension in dataset else dataset.nodes
data = dataset.dimension_values(dimension, expanded=expanded, flat=flat)
for o in self.ops:
args = o['args']
fn_args = [data]
for arg in args:
if isinstance(arg, dim):
arg = arg.apply(dataset, flat, expanded, ranges, all_values)
fn_args.append(arg)
args = tuple(fn_args[::-1] if o['reverse'] else fn_args)
eldim = dataset.get_dimension(dimension)
drange = ranges.get(eldim.name, {})
drange = drange.get('combined', drange)
kwargs = o['kwargs']
if o['fn'] is norm and drange != {} and not ('min' in kwargs and
'max' in kwargs):
data = o['fn'](data, *drange)
else:
data = o['fn'](*args, **kwargs)
return data
| apply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, dataset, flat=False, expanded=None, ranges={}, all_values=False):\n dimension = self.dimension\n if expanded is None:\n expanded = not (dataset.interface.gridded and dimension in dataset.\n kdims or dataset.interface.multi and dataset.interface.isscalar\n (dataset, dimension))\n if isinstance(dataset, Graph):\n if dimension in dataset.kdims and all_values:\n dimension = dataset.nodes.kdims[2]\n dataset = dataset if dimension in dataset else dataset.nodes\n data = dataset.dimension_values(dimension, expanded=expanded, flat=flat)\n for o in self.ops:\n args = o['args']\n fn_args = [data]\n for arg in args:\n if isinstance(arg, dim):\n arg = arg.apply(dataset, flat, expanded, ranges, all_values)\n fn_args.append(arg)\n args = tuple(fn_args[::-1] if o['reverse'] else fn_args)\n eldim = dataset.get_dimension(dimension)\n drange = ranges.get(eldim.name, {})\n drange = drange.get('combined', drange)\n kwargs = o['kwargs']\n if o['fn'] is norm and drange != {} and not ('min' in kwargs and \n 'max' in kwargs):\n data = o['fn'](data, *drange)\n else:\n data = o['fn'](*args, **kwargs)\n return data\n",
"role": "user"
},
{
"content": "apply",
"role": "assistant"
}
] |
def x(self, element, data, mapping):
quad_mapping = {'left': 'x0', 'right': 'x1', 'bottom': 'y0', 'top': 'y1'}
quad_data = dict(data['scatter_1'])
quad_data.update({'x0': [], 'x1': [], 'y0': [], 'y1': []})
for node in element._sankey['nodes']:
quad_data['x0'].append(node['x0'])
quad_data['y0'].append(node['y0'])
quad_data['x1'].append(node['x1'])
quad_data['y1'].append(node['y1'])
data['scatter_1'].update(quad_data)
data['quad_1'] = data['scatter_1']
mapping['quad_1'] = quad_mapping
| compute_quads | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, data, mapping):\n quad_mapping = {'left': 'x0', 'right': 'x1', 'bottom': 'y0', 'top': 'y1'}\n quad_data = dict(data['scatter_1'])\n quad_data.update({'x0': [], 'x1': [], 'y0': [], 'y1': []})\n for node in element._sankey['nodes']:\n quad_data['x0'].append(node['x0'])\n quad_data['y0'].append(node['y0'])\n quad_data['x1'].append(node['x1'])\n quad_data['y1'].append(node['y1'])\n data['scatter_1'].update(quad_data)\n data['quad_1'] = data['scatter_1']\n mapping['quad_1'] = quad_mapping\n",
"role": "user"
},
{
"content": "compute_quads",
"role": "assistant"
}
] |
def x(self, element, data, mapping):
if element.vdims:
edges = Dataset(element)[element[element.vdims[0].name] > 0]
nodes = list(np.unique([edges.dimension_values(i) for i in range(2)]))
nodes = element.nodes.select(**{element.nodes.kdims[2].name: nodes})
else:
nodes = element
label_dim = nodes.get_dimension(self.label_index)
labels = self.labels
if label_dim and labels:
if self.label_index not in [2, None]:
self.param.warning(
"Cannot declare style mapping for 'labels' option and declare a label_index; ignoring the label_index."
)
elif label_dim:
labels = label_dim
if isinstance(labels, basestring):
labels = element.nodes.get_dimension(labels)
if labels is None:
text = []
if isinstance(labels, dim):
text = labels.apply(element, flat=True)
else:
text = element.nodes.dimension_values(labels)
text = [labels.pprint_value(v) for v in text]
value_dim = element.vdims[0]
text_labels = []
for i, node in enumerate(element._sankey['nodes']):
if len(text):
label = text[i]
else:
label = ''
if self.show_values:
value = value_dim.pprint_value(node['value'])
if label:
label = '%s - %s' % (label, value)
else:
label = value
if value_dim.unit:
label += ' %s' % value_dim.unit
if label:
text_labels.append(label)
ys = nodes.dimension_values(1)
nodes = element._sankey['nodes']
if nodes:
offset = (nodes[0]['x1'] - nodes[0]['x0']) / 4.0
else:
offset = 0
if self.label_position == 'right':
xs = np.array([node['x1'] for node in nodes]) + offset
else:
xs = np.array([node['x0'] for node in nodes]) - offset
data['text_1'] = dict(x=xs, y=ys, text=[str(l) for l in text_labels])
align = 'left' if self.label_position == 'right' else 'right'
mapping['text_1'] = dict(text='text', x='x', y='y', text_baseline=
'middle', text_align=align)
| compute_labels | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, data, mapping):\n if element.vdims:\n edges = Dataset(element)[element[element.vdims[0].name] > 0]\n nodes = list(np.unique([edges.dimension_values(i) for i in range(2)]))\n nodes = element.nodes.select(**{element.nodes.kdims[2].name: nodes})\n else:\n nodes = element\n label_dim = nodes.get_dimension(self.label_index)\n labels = self.labels\n if label_dim and labels:\n if self.label_index not in [2, None]:\n self.param.warning(\n \"Cannot declare style mapping for 'labels' option and declare a label_index; ignoring the label_index.\"\n )\n elif label_dim:\n labels = label_dim\n if isinstance(labels, basestring):\n labels = element.nodes.get_dimension(labels)\n if labels is None:\n text = []\n if isinstance(labels, dim):\n text = labels.apply(element, flat=True)\n else:\n text = element.nodes.dimension_values(labels)\n text = [labels.pprint_value(v) for v in text]\n value_dim = element.vdims[0]\n text_labels = []\n for i, node in enumerate(element._sankey['nodes']):\n if len(text):\n label = text[i]\n else:\n label = ''\n if self.show_values:\n value = value_dim.pprint_value(node['value'])\n if label:\n label = '%s - %s' % (label, value)\n else:\n label = value\n if value_dim.unit:\n label += ' %s' % value_dim.unit\n if label:\n text_labels.append(label)\n ys = nodes.dimension_values(1)\n nodes = element._sankey['nodes']\n if nodes:\n offset = (nodes[0]['x1'] - nodes[0]['x0']) / 4.0\n else:\n offset = 0\n if self.label_position == 'right':\n xs = np.array([node['x1'] for node in nodes]) + offset\n else:\n xs = np.array([node['x0'] for node in nodes]) - offset\n data['text_1'] = dict(x=xs, y=ys, text=[str(l) for l in text_labels])\n align = 'left' if self.label_position == 'right' else 'right'\n mapping['text_1'] = dict(text='text', x='x', y='y', text_baseline=\n 'middle', text_align=align)\n",
"role": "user"
},
{
"content": "compute_labels",
"role": "assistant"
}
] |
def x(self, element, data):
if not (self.inspection_policy == 'edges' and 'hover' in self.handles):
return
lidx = element.nodes.get_dimension(self.label_index)
src, tgt = [dimension_sanitizer(kd.name) for kd in element.kdims[:2]]
if src == 'start':
src += '_values'
if tgt == 'end':
tgt += '_values'
lookup = dict(zip(*(element.nodes.dimension_values(d) for d in (2, lidx))))
src_vals = data['patches_1'][src]
tgt_vals = data['patches_1'][tgt]
data['patches_1'][src] = [lookup.get(v, v) for v in src_vals]
data['patches_1'][tgt] = [lookup.get(v, v) for v in tgt_vals]
| patch_hover | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, element, data):\n if not (self.inspection_policy == 'edges' and 'hover' in self.handles):\n return\n lidx = element.nodes.get_dimension(self.label_index)\n src, tgt = [dimension_sanitizer(kd.name) for kd in element.kdims[:2]]\n if src == 'start':\n src += '_values'\n if tgt == 'end':\n tgt += '_values'\n lookup = dict(zip(*(element.nodes.dimension_values(d) for d in (2, lidx))))\n src_vals = data['patches_1'][src]\n tgt_vals = data['patches_1'][tgt]\n data['patches_1'][src] = [lookup.get(v, v) for v in src_vals]\n data['patches_1'][tgt] = [lookup.get(v, v) for v in tgt_vals]\n",
"role": "user"
},
{
"content": "patch_hover",
"role": "assistant"
}
] |
def x(key):
if key is None:
return
elif not key or key in ['unset', 'backup']:
if 'backup' in styles:
plt.rcParams.update(styles['backup'])
else:
raise Exception('No style backed up to restore')
elif key not in styles:
raise KeyError('%r not in available styles.')
else:
path = os.path.join(os.path.dirname(__file__), styles[key])
new_style = rc_params_from_file(path, use_default_template=False)
styles['backup'] = dict(plt.rcParams)
plt.rcParams.update(new_style)
| set_style | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(key):\n if key is None:\n return\n elif not key or key in ['unset', 'backup']:\n if 'backup' in styles:\n plt.rcParams.update(styles['backup'])\n else:\n raise Exception('No style backed up to restore')\n elif key not in styles:\n raise KeyError('%r not in available styles.')\n else:\n path = os.path.join(os.path.dirname(__file__), styles[key])\n new_style = rc_params_from_file(path, use_default_template=False)\n styles['backup'] = dict(plt.rcParams)\n plt.rcParams.update(new_style)\n",
"role": "user"
},
{
"content": "set_style",
"role": "assistant"
}
] |
def x(self_or_cls, pattern):
def x(name, p):
name_match = re.search(pattern, name)
if name_match is not None:
return True
doc_match = re.search(pattern, p.doc)
if doc_match is not None:
return True
return False
return inner_filter
| regexp_filter | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self_or_cls, pattern):\n\n def x(name, p):\n name_match = re.search(pattern, name)\n if name_match is not None:\n return True\n doc_match = re.search(pattern, p.doc)\n if doc_match is not None:\n return True\n return False\n return inner_filter\n",
"role": "user"
},
{
"content": "regexp_filter",
"role": "assistant"
}
] |
def x(cls, obj, ansi=False, show_values=True, pattern=None, max_col_len=40):
if cls.ppager is None:
return ''
if pattern is not None:
obj = ParamFilter(obj, ParamFilter.regexp_filter(pattern))
if len(obj.params()) <= 1:
return None
param_info = cls.ppager.get_param_info(obj)
param_list = cls.ppager.param_docstrings(param_info)
if not show_values:
retval = cls.ansi_escape.sub('', param_list
) if not ansi else param_list
return cls.highlight(pattern, retval)
else:
info = cls.ppager(obj)
if ansi is False:
info = cls.ansi_escape.sub('', info)
return cls.highlight(pattern, info)
| get_parameter_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, ansi=False, show_values=True, pattern=None, max_col_len=40):\n if cls.ppager is None:\n return ''\n if pattern is not None:\n obj = ParamFilter(obj, ParamFilter.regexp_filter(pattern))\n if len(obj.params()) <= 1:\n return None\n param_info = cls.ppager.get_param_info(obj)\n param_list = cls.ppager.param_docstrings(param_info)\n if not show_values:\n retval = cls.ansi_escape.sub('', param_list\n ) if not ansi else param_list\n return cls.highlight(pattern, retval)\n else:\n info = cls.ppager(obj)\n if ansi is False:\n info = cls.ansi_escape.sub('', info)\n return cls.highlight(pattern, info)\n",
"role": "user"
},
{
"content": "get_parameter_info",
"role": "assistant"
}
] |
def x(cls, heading_text, char='=', level=0, ansi=False):
heading_color = cls.headings[level] if ansi else '%s'
if char is None:
return heading_color % '%s\n' % heading_text
else:
heading_ul = char * len(heading_text)
return heading_color % '%s\n%s\n%s' % (heading_ul, heading_text,
heading_ul)
| heading | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, heading_text, char='=', level=0, ansi=False):\n heading_color = cls.headings[level] if ansi else '%s'\n if char is None:\n return heading_color % '%s\\n' % heading_text\n else:\n heading_ul = char * len(heading_text)\n return heading_color % '%s\\n%s\\n%s' % (heading_ul, heading_text,\n heading_ul)\n",
"role": "user"
},
{
"content": "heading",
"role": "assistant"
}
] |
def x(cls, obj, ansi=False, backend='matplotlib', visualization=True,
pattern=None, elements=[]):
cls.elements = elements
ansi_escape = re.compile('\\x1b[^m]*m')
isclass = isinstance(obj, type)
name = obj.__name__ if isclass else obj.__class__.__name__
backend_registry = cls.store.registry.get(backend, {})
plot_class = backend_registry.get(obj if isclass else type(obj), None)
if hasattr(plot_class, 'plot_classes'):
plot_class = list(plot_class.plot_classes.values())[0]
if visualization is False or plot_class is None:
if pattern is not None:
obj = ParamFilter(obj, ParamFilter.regexp_filter(pattern))
if len(obj.params()) <= 1:
return (
'No %r parameters found matching specified pattern %r' %
(name, pattern))
info = param.ipython.ParamPager()(obj)
if ansi is False:
info = ansi_escape.sub('', info)
return cls.highlight(pattern, info)
heading = name if isclass else '{name}: {group} {label}'.format(name=
name, group=obj.group, label=obj.label)
prefix = heading
lines = [prefix, cls.object_info(obj, name, backend=backend, ansi=ansi)]
if not isclass:
lines += ['', cls.target_info(obj, ansi=ansi)]
if plot_class is not None:
lines += ['', cls.options_info(plot_class, ansi, pattern=pattern)]
return '\n'.join(lines)
| info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, obj, ansi=False, backend='matplotlib', visualization=True,\n pattern=None, elements=[]):\n cls.elements = elements\n ansi_escape = re.compile('\\\\x1b[^m]*m')\n isclass = isinstance(obj, type)\n name = obj.__name__ if isclass else obj.__class__.__name__\n backend_registry = cls.store.registry.get(backend, {})\n plot_class = backend_registry.get(obj if isclass else type(obj), None)\n if hasattr(plot_class, 'plot_classes'):\n plot_class = list(plot_class.plot_classes.values())[0]\n if visualization is False or plot_class is None:\n if pattern is not None:\n obj = ParamFilter(obj, ParamFilter.regexp_filter(pattern))\n if len(obj.params()) <= 1:\n return (\n 'No %r parameters found matching specified pattern %r' %\n (name, pattern))\n info = param.ipython.ParamPager()(obj)\n if ansi is False:\n info = ansi_escape.sub('', info)\n return cls.highlight(pattern, info)\n heading = name if isclass else '{name}: {group} {label}'.format(name=\n name, group=obj.group, label=obj.label)\n prefix = heading\n lines = [prefix, cls.object_info(obj, name, backend=backend, ansi=ansi)]\n if not isclass:\n lines += ['', cls.target_info(obj, ansi=ansi)]\n if plot_class is not None:\n lines += ['', cls.options_info(plot_class, ansi, pattern=pattern)]\n return '\\n'.join(lines)\n",
"role": "user"
},
{
"content": "info",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.