source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, label=None, group=None, depth=1): return super(AdjointLayout, self).relabel(label=label, group=group, depth=depth)
relabel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, label=None, group=None, depth=1):\n return super(AdjointLayout, self).relabel(label=label, group=group,\n depth=depth)\n", "role": "user" }, { "content": "relabel", "role": "assistant" } ]
def x(self, dimension, expanded=True, flat=True): dimension = self.get_dimension(dimension, strict=True).name return self.main.dimension_values(dimension, expanded, flat)
dimension_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension, expanded=True, flat=True):\n dimension = self.get_dimension(dimension, strict=True).name\n return self.main.dimension_values(dimension, expanded, flat)\n", "role": "user" }, { "content": "dimension_values", "role": "assistant" } ]
def x(self): if list(self.keys()) == []: return {} cols = self._max_cols return {(idx // cols, idx % cols): (key, item) for idx, (key, item) in enumerate(self.data.items())}
grid_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if list(self.keys()) == []:\n return {}\n cols = self._max_cols\n return {(idx // cols, idx % cols): (key, item) for idx, (key, item) in\n enumerate(self.data.items())}\n", "role": "user" }, { "content": "grid_items", "role": "assistant" } ]
def x(self): last_items = [] for k, v in self.items(): if isinstance(v, NdMapping): item = k, v.clone((v.last_key, v.last)) elif isinstance(v, AdjointLayout): item = k, v.last else: item = k, v last_items.append(item) return self.clone(last_items)
last
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n last_items = []\n for k, v in self.items():\n if isinstance(v, NdMapping):\n item = k, v.clone((v.last_key, v.last))\n elif isinstance(v, AdjointLayout):\n item = k, v.last\n else:\n item = k, v\n last_items.append(item)\n return self.clone(last_items)\n", "role": "user" }, { "content": "last", "role": "assistant" } ]
def x(self, *args, **overrides): clone = super(NdLayout, self).clone(*args, **overrides) clone._max_cols = self._max_cols clone.id = self.id return clone
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **overrides):\n clone = super(NdLayout, self).clone(*args, **overrides)\n clone._max_cols = self._max_cols\n clone.id = self.id\n return clone\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self): num = len(self) if num <= self._max_cols: return 1, num nrows = num // self._max_cols last_row_cols = num % self._max_cols return nrows + (1 if last_row_cols else 0), min(num, self._max_cols)
shape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n num = len(self)\n if num <= self._max_cols:\n return 1, num\n nrows = num // self._max_cols\n last_row_cols = num % self._max_cols\n return nrows + (1 if last_row_cols else 0), min(num, self._max_cols)\n", "role": "user" }, { "content": "shape", "role": "assistant" } ]
def x(self, *args, **overrides): clone = super(Layout, self).clone(*args, **overrides) clone._max_cols = self._max_cols return clone
clone
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **overrides):\n clone = super(Layout, self).clone(*args, **overrides)\n clone._max_cols = self._max_cols\n return clone\n", "role": "user" }, { "content": "clone", "role": "assistant" } ]
def x(self, plot, serialize=True): diff = plot.state if serialize: return json.dumps(diff, cls=utils.PlotlyJSONEncoder) else: return diff
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot, serialize=True):\n diff = plot.state\n if serialize:\n return json.dumps(diff, cls=utils.PlotlyJSONEncoder)\n else:\n return diff\n", "role": "user" }, { "content": "diff", "role": "assistant" } ]
def x(cls, inline=True): from IPython.display import publish_display_data cls._loaded = True init_notebook_mode(connected=not inline) publish_display_data(data={MIME_TYPES['jlab-hv-load']: get_plotlyjs()})
load_nb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, inline=True):\n from IPython.display import publish_display_data\n cls._loaded = True\n init_notebook_mode(connected=not inline)\n publish_display_data(data={MIME_TYPES['jlab-hv-load']: get_plotlyjs()})\n", "role": "user" }, { "content": "load_nb", "role": "assistant" } ]
def x(cls, dataset, data): if len(data) != 1: return data key = list(data.keys())[0] if len(data[key]) == 1 and key in dataset.vdims: scalar = data[key][0] return scalar.compute() if hasattr(scalar, 'compute') else scalar return data
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:\n return data\n key = list(data.keys())[0]\n if len(data[key]) == 1 and key in dataset.vdims:\n scalar = data[key][0]\n return scalar.compute() if hasattr(scalar, 'compute') else scalar\n return data\n", "role": "user" }, { "content": "unpack_scalar", "role": "assistant" } ]
def x(source): filtered = [] for line in source.splitlines(): if line.strip().startswith('%'): filtered.append('# ' + line) else: filtered.append(line) return '\n'.join(filtered)
comment_out_magics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source):\n filtered = []\n for line in source.splitlines():\n if line.strip().startswith('%'):\n filtered.append('# ' + line)\n else:\n filtered.append(line)\n return '\\n'.join(filtered)\n", "role": "user" }, { "content": "comment_out_magics", "role": "assistant" } ]
def x(source, template='{expr}'): cell_output_types = (ast.IfExp, ast.BoolOp, ast.BinOp, ast.Call, ast. Name, ast.Attribute) try: node = ast.parse(comment_out_magics(source)) except SyntaxError: return source filtered = source.splitlines() if node.body != []: last_expr = node.body[-1] if not isinstance(last_expr, ast.Expr): pass elif isinstance(last_expr.value, cell_output_types): expr_end_slice = filtered[last_expr.lineno - 1][:last_expr. col_offset] expr_start_slice = filtered[last_expr.lineno - 1][last_expr. col_offset:] start = '\n'.join(filtered[:last_expr.lineno - 1] + ([ expr_end_slice] if expr_end_slice else [])) ending = '\n'.join(([expr_start_slice] if expr_start_slice else []) + filtered[last_expr.lineno:]) return start + '\n' + template.format(expr=ending) return source
wrap_cell_expression
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, template='{expr}'):\n cell_output_types = (ast.IfExp, ast.BoolOp, ast.BinOp, ast.Call, ast.\n Name, ast.Attribute)\n try:\n node = ast.parse(comment_out_magics(source))\n except SyntaxError:\n return source\n filtered = source.splitlines()\n if node.body != []:\n last_expr = node.body[-1]\n if not isinstance(last_expr, ast.Expr):\n pass\n elif isinstance(last_expr.value, cell_output_types):\n expr_end_slice = filtered[last_expr.lineno - 1][:last_expr.\n col_offset]\n expr_start_slice = filtered[last_expr.lineno - 1][last_expr.\n col_offset:]\n start = '\\n'.join(filtered[:last_expr.lineno - 1] + ([\n expr_end_slice] if expr_end_slice else []))\n ending = '\\n'.join(([expr_start_slice] if expr_start_slice else\n []) + filtered[last_expr.lineno:])\n return start + '\\n' + template.format(expr=ending)\n return source\n", "role": "user" }, { "content": "wrap_cell_expression", "role": "assistant" } ]
def x(source, magic, strip=True): filtered, magic_lines = [], [] for line in source.splitlines(): if line.strip().startswith(magic): magic_lines.append(line) else: filtered.append(line) if strip: magic_lines = [el.replace(magic, '') for el in magic_lines] return '\n'.join(filtered), magic_lines
filter_magic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, magic, strip=True):\n filtered, magic_lines = [], []\n for line in source.splitlines():\n if line.strip().startswith(magic):\n magic_lines.append(line)\n else:\n filtered.append(line)\n if strip:\n magic_lines = [el.replace(magic, '') for el in magic_lines]\n return '\\n'.join(filtered), magic_lines\n", "role": "user" }, { "content": "filter_magic", "role": "assistant" } ]
def x(source): filtered = [] for line in source.splitlines(): if not line.startswith('%') or line.startswith('%%'): filtered.append(line) return '\n'.join(filtered)
strip_magics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source):\n filtered = []\n for line in source.splitlines():\n if not line.startswith('%') or line.startswith('%%'):\n filtered.append(line)\n return '\\n'.join(filtered)\n", "role": "user" }, { "content": "strip_magics", "role": "assistant" } ]
def x(source, magic, template='{line}'): filtered = [] for line in source.splitlines(): if line.strip().startswith(magic): substitution = template.format(line=line.replace(magic, '')) filtered.append(substitution) else: filtered.append(line) return '\n'.join(filtered)
replace_line_magic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, magic, template='{line}'):\n filtered = []\n for line in source.splitlines():\n if line.strip().startswith(magic):\n substitution = template.format(line=line.replace(magic, ''))\n filtered.append(substitution)\n else:\n filtered.append(line)\n return '\\n'.join(filtered)\n", "role": "user" }, { "content": "replace_line_magic", "role": "assistant" } ]
def x(self, src): for html in self.substitutions.keys(): if src == html: annotation = self.annotation % self.substitutions[src][1] return annotation + self.substitutions[src][0] return src
replace
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, src):\n for html in self.substitutions.keys():\n if src == html:\n annotation = self.annotation % self.substitutions[src][1]\n return annotation + self.substitutions[src][0]\n return src\n", "role": "user" }, { "content": "replace", "role": "assistant" } ]
def x(subplot_val): match = _subplot_re.match(subplot_val) if match: subplot_number = int(match.group(1)) else: subplot_number = 1 return subplot_number
get_subplot_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subplot_val):\n match = _subplot_re.match(subplot_val)\n if match:\n subplot_number = int(match.group(1))\n else:\n subplot_number = 1\n return subplot_number\n", "role": "user" }, { "content": "get_subplot_number", "role": "assistant" } ]
def x(fig): layout = fig.setdefault('layout', {}) for trace in fig.get('data', None): trace_type = trace.get('type', 'scatter') subplot_types = _trace_to_subplot.get(trace_type, []) for subplot_type in subplot_types: subplot_prop_name = _get_subplot_prop_name(subplot_type) subplot_val_prefix = _get_subplot_val_prefix(subplot_type) subplot_val = trace.get(subplot_prop_name, subplot_val_prefix) subplot_number = _get_subplot_number(subplot_val) if subplot_number > 1: layout_prop_name = subplot_type + str(subplot_number) else: layout_prop_name = subplot_type if layout_prop_name not in layout: layout[layout_prop_name] = {}
normalize_subplot_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig):\n layout = fig.setdefault('layout', {})\n for trace in fig.get('data', None):\n trace_type = trace.get('type', 'scatter')\n subplot_types = _trace_to_subplot.get(trace_type, [])\n for subplot_type in subplot_types:\n subplot_prop_name = _get_subplot_prop_name(subplot_type)\n subplot_val_prefix = _get_subplot_val_prefix(subplot_type)\n subplot_val = trace.get(subplot_prop_name, subplot_val_prefix)\n subplot_number = _get_subplot_number(subplot_val)\n if subplot_number > 1:\n layout_prop_name = subplot_type + str(subplot_number)\n else:\n layout_prop_name = subplot_type\n if layout_prop_name not in layout:\n layout[layout_prop_name] = {}\n", "role": "user" }, { "content": "normalize_subplot_ids", "role": "assistant" } ]
def x(fig): max_subplot_ids = {subplot_type: (0) for subplot_type in _subplot_types} max_subplot_ids['xaxis'] = 0 max_subplot_ids['yaxis'] = 0 for trace in fig.get('data', []): trace_type = trace.get('type', 'scatter') subplot_types = _trace_to_subplot.get(trace_type, []) for subplot_type in subplot_types: subplot_prop_name = _get_subplot_prop_name(subplot_type) subplot_val_prefix = _get_subplot_val_prefix(subplot_type) subplot_val = trace.get(subplot_prop_name, subplot_val_prefix) subplot_number = _get_subplot_number(subplot_val) max_subplot_ids[subplot_type] = max(max_subplot_ids[ subplot_type], subplot_number) return max_subplot_ids
get_max_subplot_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig):\n max_subplot_ids = {subplot_type: (0) for subplot_type in _subplot_types}\n max_subplot_ids['xaxis'] = 0\n max_subplot_ids['yaxis'] = 0\n for trace in fig.get('data', []):\n trace_type = trace.get('type', 'scatter')\n subplot_types = _trace_to_subplot.get(trace_type, [])\n for subplot_type in subplot_types:\n subplot_prop_name = _get_subplot_prop_name(subplot_type)\n subplot_val_prefix = _get_subplot_val_prefix(subplot_type)\n subplot_val = trace.get(subplot_prop_name, subplot_val_prefix)\n subplot_number = _get_subplot_number(subplot_val)\n max_subplot_ids[subplot_type] = max(max_subplot_ids[\n subplot_type], subplot_number)\n return max_subplot_ids\n", "role": "user" }, { "content": "get_max_subplot_ids", "role": "assistant" } ]
def x(fig, offsets): for trace in fig.get('data', None): trace_type = trace.get('type', 'scatter') subplot_types = _trace_to_subplot.get(trace_type, []) for subplot_type in subplot_types: subplot_prop_name = _get_subplot_prop_name(subplot_type) subplot_val_prefix = _get_subplot_val_prefix(subplot_type) subplot_val = trace.get(subplot_prop_name, subplot_val_prefix) subplot_number = _get_subplot_number(subplot_val) offset_subplot_number = subplot_number + offsets.get(subplot_type, 0) if offset_subplot_number > 1: trace[subplot_prop_name] = subplot_val_prefix + str( offset_subplot_number) else: trace[subplot_prop_name] = subplot_val_prefix layout = fig.setdefault('layout', {}) new_subplots = {} for subplot_type in offsets: offset = offsets[subplot_type] if offset < 1: continue for layout_prop in list(layout.keys()): if layout_prop.startswith(subplot_type): subplot_number = _get_subplot_number(layout_prop) new_subplot_number = subplot_number + offset new_layout_prop = subplot_type + str(new_subplot_number) new_subplots[new_layout_prop] = layout.pop(layout_prop) layout.update(new_subplots) x_offset = offsets.get('xaxis', 0) y_offset = offsets.get('yaxis', 0) for layout_prop in list(layout.keys()): if layout_prop.startswith('xaxis'): xaxis = layout[layout_prop] anchor = xaxis.get('anchor', 'y') anchor_number = _get_subplot_number(anchor) + y_offset if anchor_number > 1: xaxis['anchor'] = 'y' + str(anchor_number) else: xaxis['anchor'] = 'y' elif layout_prop.startswith('yaxis'): yaxis = layout[layout_prop] anchor = yaxis.get('anchor', 'x') anchor_number = _get_subplot_number(anchor) + x_offset if anchor_number > 1: yaxis['anchor'] = 'x' + str(anchor_number) else: yaxis['anchor'] = 'x' for layout_prop in ['annotations', 'shapes', 'images']: for obj in layout.get(layout_prop, []): if x_offset: xref = obj.get('xref', 'x') if xref != 'paper': xref_number = _get_subplot_number(xref) obj['xref'] = 'x' + str(xref_number + x_offset) if y_offset: yref = obj.get('yref', 'y') if yref != 'paper': yref_number = _get_subplot_number(yref) obj['yref'] = 'y' + str(yref_number + y_offset)
offset_subplot_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, offsets):\n for trace in fig.get('data', None):\n trace_type = trace.get('type', 'scatter')\n subplot_types = _trace_to_subplot.get(trace_type, [])\n for subplot_type in subplot_types:\n subplot_prop_name = _get_subplot_prop_name(subplot_type)\n subplot_val_prefix = _get_subplot_val_prefix(subplot_type)\n subplot_val = trace.get(subplot_prop_name, subplot_val_prefix)\n subplot_number = _get_subplot_number(subplot_val)\n offset_subplot_number = subplot_number + offsets.get(subplot_type,\n 0)\n if offset_subplot_number > 1:\n trace[subplot_prop_name] = subplot_val_prefix + str(\n offset_subplot_number)\n else:\n trace[subplot_prop_name] = subplot_val_prefix\n layout = fig.setdefault('layout', {})\n new_subplots = {}\n for subplot_type in offsets:\n offset = offsets[subplot_type]\n if offset < 1:\n continue\n for layout_prop in list(layout.keys()):\n if layout_prop.startswith(subplot_type):\n subplot_number = _get_subplot_number(layout_prop)\n new_subplot_number = subplot_number + offset\n new_layout_prop = subplot_type + str(new_subplot_number)\n new_subplots[new_layout_prop] = layout.pop(layout_prop)\n layout.update(new_subplots)\n x_offset = offsets.get('xaxis', 0)\n y_offset = offsets.get('yaxis', 0)\n for layout_prop in list(layout.keys()):\n if layout_prop.startswith('xaxis'):\n xaxis = layout[layout_prop]\n anchor = xaxis.get('anchor', 'y')\n anchor_number = _get_subplot_number(anchor) + y_offset\n if anchor_number > 1:\n xaxis['anchor'] = 'y' + str(anchor_number)\n else:\n xaxis['anchor'] = 'y'\n elif layout_prop.startswith('yaxis'):\n yaxis = layout[layout_prop]\n anchor = yaxis.get('anchor', 'x')\n anchor_number = _get_subplot_number(anchor) + x_offset\n if anchor_number > 1:\n yaxis['anchor'] = 'x' + str(anchor_number)\n else:\n yaxis['anchor'] = 'x'\n for layout_prop in ['annotations', 'shapes', 'images']:\n for obj in layout.get(layout_prop, []):\n if x_offset:\n xref = obj.get('xref', 'x')\n if xref != 'paper':\n xref_number = _get_subplot_number(xref)\n obj['xref'] = 'x' + str(xref_number + x_offset)\n if y_offset:\n yref = obj.get('yref', 'y')\n if yref != 'paper':\n yref_number = _get_subplot_number(yref)\n obj['yref'] = 'y' + str(yref_number + y_offset)\n", "role": "user" }, { "content": "offset_subplot_ids", "role": "assistant" } ]
def x(fig, scale_x, scale_y, translate_x, translate_y): data = fig.setdefault('data', []) layout = fig.setdefault('layout', {}) def x(x): return [x[0] * scale_x + translate_x, x[1] * scale_x + translate_x] def x(y): return [y[0] * scale_y + translate_y, y[1] * scale_y + translate_y] def x(obj): domain = obj.setdefault('domain', {}) x = domain.get('x', [0, 1]) y = domain.get('y', [0, 1]) domain['x'] = scale_translate_x(x) domain['y'] = scale_translate_y(y) for trace in data: trace_type = trace.get('type', 'scatter') if trace_type in _domain_trace_types: perform_scale_translate(trace) for prop in layout: for subplot_type in _subplot_types: if prop.startswith(subplot_type): perform_scale_translate(layout[prop]) for prop in layout: if prop.startswith('xaxis'): xaxis = layout[prop] x_domain = xaxis.get('domain', [0, 1]) xaxis['domain'] = scale_translate_x(x_domain) elif prop.startswith('yaxis'): yaxis = layout[prop] y_domain = yaxis.get('domain', [0, 1]) yaxis['domain'] = scale_translate_y(y_domain) annotations = layout.get('annotations', []) title = layout.pop('title', None) if title: titlefont = layout.pop('titlefont', {}) title_fontsize = titlefont.get('size', 17) min_fontsize = 12 titlefont['size'] = round(min_fontsize + (title_fontsize - min_fontsize) * scale_x) annotations.append({'text': title, 'showarrow': False, 'xref': 'paper', 'yref': 'paper', 'x': 0.5, 'y': 1.01, 'xanchor': 'center', 'yanchor': 'bottom', 'font': titlefont}) layout['annotations'] = annotations for obj in layout.get('annotations', []): if obj.get('xref', None) == 'paper': obj['x'] = obj.get('x', 0.5) * scale_x + translate_x obj['y'] = obj.get('y', 0.5) * scale_y + translate_y
scale_translate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, scale_x, scale_y, translate_x, translate_y):\n data = fig.setdefault('data', [])\n layout = fig.setdefault('layout', {})\n\n def x(x):\n return [x[0] * scale_x + translate_x, x[1] * scale_x + translate_x]\n\n def x(y):\n return [y[0] * scale_y + translate_y, y[1] * scale_y + translate_y]\n\n def x(obj):\n domain = obj.setdefault('domain', {})\n x = domain.get('x', [0, 1])\n y = domain.get('y', [0, 1])\n domain['x'] = scale_translate_x(x)\n domain['y'] = scale_translate_y(y)\n for trace in data:\n trace_type = trace.get('type', 'scatter')\n if trace_type in _domain_trace_types:\n perform_scale_translate(trace)\n for prop in layout:\n for subplot_type in _subplot_types:\n if prop.startswith(subplot_type):\n perform_scale_translate(layout[prop])\n for prop in layout:\n if prop.startswith('xaxis'):\n xaxis = layout[prop]\n x_domain = xaxis.get('domain', [0, 1])\n xaxis['domain'] = scale_translate_x(x_domain)\n elif prop.startswith('yaxis'):\n yaxis = layout[prop]\n y_domain = yaxis.get('domain', [0, 1])\n yaxis['domain'] = scale_translate_y(y_domain)\n annotations = layout.get('annotations', [])\n title = layout.pop('title', None)\n if title:\n titlefont = layout.pop('titlefont', {})\n title_fontsize = titlefont.get('size', 17)\n min_fontsize = 12\n titlefont['size'] = round(min_fontsize + (title_fontsize -\n min_fontsize) * scale_x)\n annotations.append({'text': title, 'showarrow': False, 'xref':\n 'paper', 'yref': 'paper', 'x': 0.5, 'y': 1.01, 'xanchor':\n 'center', 'yanchor': 'bottom', 'font': titlefont})\n layout['annotations'] = annotations\n for obj in layout.get('annotations', []):\n if obj.get('xref', None) == 'paper':\n obj['x'] = obj.get('x', 0.5) * scale_x + translate_x\n obj['y'] = obj.get('y', 0.5) * scale_y + translate_y\n", "role": "user" }, { "content": "scale_translate", "role": "assistant" } ]
def x(fig, subfig): data = fig.setdefault('data', []) data.extend(copy.deepcopy(subfig.get('data', []))) layout = fig.setdefault('layout', {}) _merge_layout_objs(layout, subfig.get('layout', {}))
merge_figure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, subfig):\n data = fig.setdefault('data', [])\n data.extend(copy.deepcopy(subfig.get('data', [])))\n layout = fig.setdefault('layout', {})\n _merge_layout_objs(layout, subfig.get('layout', {}))\n", "role": "user" }, { "content": "merge_figure", "role": "assistant" } ]
def x(obj, subobj): for prop, val in subobj.items(): if isinstance(val, dict) and prop in obj: _merge_layout_objs(obj[prop], val) elif isinstance(val, list) and obj.get(prop, None) and isinstance(obj [prop][0], dict): obj[prop].extend(val) else: obj[prop] = copy.deepcopy(val)
merge_layout_objs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, subobj):\n for prop, val in subobj.items():\n if isinstance(val, dict) and prop in obj:\n _merge_layout_objs(obj[prop], val)\n elif isinstance(val, list) and obj.get(prop, None) and isinstance(obj\n [prop][0], dict):\n obj[prop].extend(val)\n else:\n obj[prop] = copy.deepcopy(val)\n", "role": "user" }, { "content": "merge_layout_objs", "role": "assistant" } ]
def x(widths, spacing): widths_sum = float(sum(widths)) total_spacing = (len(widths) - 1) * spacing widths = [(w / widths_sum * (1 - total_spacing)) for w in widths] domains = [] for c in range(len(widths)): domain_start = c * spacing + sum(widths[:c]) domain_stop = min(1, domain_start + widths[c]) domains.append((domain_start, domain_stop)) return domains
compute_subplot_domains
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widths, spacing):\n widths_sum = float(sum(widths))\n total_spacing = (len(widths) - 1) * spacing\n widths = [(w / widths_sum * (1 - total_spacing)) for w in widths]\n domains = []\n for c in range(len(widths)):\n domain_start = c * spacing + sum(widths[:c])\n domain_stop = min(1, domain_start + widths[c])\n domains.append((domain_start, domain_stop))\n return domains\n", "role": "user" }, { "content": "compute_subplot_domains", "role": "assistant" } ]
def x(figures_grid, row_heights=None, column_widths=None, row_spacing=0.15, column_spacing=0.15, share_xaxis=False, share_yaxis=False): rows = len(figures_grid) columns = len(figures_grid[0]) if not row_heights: row_heights = [(1) for _ in range(rows)] if not column_widths: column_widths = [(1) for _ in range(columns)] column_domains = _compute_subplot_domains(column_widths, column_spacing) row_domains = _compute_subplot_domains(row_heights, row_spacing) output_figure = {'data': [], 'layout': {}} for r, (fig_row, row_domain) in enumerate(zip(figures_grid, row_domains)): for c, (fig, column_domain) in enumerate(zip(fig_row, column_domains)): if fig: fig = copy.deepcopy(fig) _normalize_subplot_ids(fig) subplot_offsets = _get_max_subplot_ids(output_figure) if share_xaxis: subplot_offsets['xaxis'] = c if r != 0: fig.get('layout', {}).pop('xaxis', None) if share_yaxis: subplot_offsets['yaxis'] = r if c != 0: fig.get('layout', {}).pop('yaxis', None) _offset_subplot_ids(fig, subplot_offsets) scale_x = column_domain[1] - column_domain[0] scale_y = row_domain[1] - row_domain[0] _scale_translate(fig, scale_x, scale_y, column_domain[0], row_domain[0]) merge_figure(output_figure, fig) return output_figure
figure_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(figures_grid, row_heights=None, column_widths=None, row_spacing=0.15,\n column_spacing=0.15, share_xaxis=False, share_yaxis=False):\n rows = len(figures_grid)\n columns = len(figures_grid[0])\n if not row_heights:\n row_heights = [(1) for _ in range(rows)]\n if not column_widths:\n column_widths = [(1) for _ in range(columns)]\n column_domains = _compute_subplot_domains(column_widths, column_spacing)\n row_domains = _compute_subplot_domains(row_heights, row_spacing)\n output_figure = {'data': [], 'layout': {}}\n for r, (fig_row, row_domain) in enumerate(zip(figures_grid, row_domains)):\n for c, (fig, column_domain) in enumerate(zip(fig_row, column_domains)):\n if fig:\n fig = copy.deepcopy(fig)\n _normalize_subplot_ids(fig)\n subplot_offsets = _get_max_subplot_ids(output_figure)\n if share_xaxis:\n subplot_offsets['xaxis'] = c\n if r != 0:\n fig.get('layout', {}).pop('xaxis', None)\n if share_yaxis:\n subplot_offsets['yaxis'] = r\n if c != 0:\n fig.get('layout', {}).pop('yaxis', None)\n _offset_subplot_ids(fig, subplot_offsets)\n scale_x = column_domain[1] - column_domain[0]\n scale_y = row_domain[1] - row_domain[0]\n _scale_translate(fig, scale_x, scale_y, column_domain[0],\n row_domain[0])\n merge_figure(output_figure, fig)\n return output_figure\n", "role": "user" }, { "content": "figure_grid", "role": "assistant" } ]
def x(cmap, levels=None, cmin=None, cmax=None): ncolors = levels if isinstance(levels, int) else None if isinstance(levels, list): ncolors = len(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: palette = process_cmap(cmap, ncolors) except Exception as e: colorscale = colors.PLOTLY_SCALES.get(cmap) if colorscale is None: raise e return colorscale if isinstance(levels, int): colorscale = [] scale = np.linspace(0, 1, levels + 1) for i in range(levels + 1): if i == 0: colorscale.append((scale[0], palette[i])) elif i == levels: colorscale.append((scale[-1], palette[-1])) else: colorscale.append((scale[i], palette[i - 1])) colorscale.append((scale[i], palette[i])) return colorscale elif isinstance(levels, list): palette, (cmin, cmax) = color_intervals(palette, levels, clip=(cmin, cmax)) return colors.make_colorscale(palette)
get_colorscale
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cmap, levels=None, cmin=None, cmax=None):\n ncolors = levels if isinstance(levels, int) else None\n if isinstance(levels, list):\n ncolors = len(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 palette = process_cmap(cmap, ncolors)\n except Exception as e:\n colorscale = colors.PLOTLY_SCALES.get(cmap)\n if colorscale is None:\n raise e\n return colorscale\n if isinstance(levels, int):\n colorscale = []\n scale = np.linspace(0, 1, levels + 1)\n for i in range(levels + 1):\n if i == 0:\n colorscale.append((scale[0], palette[i]))\n elif i == levels:\n colorscale.append((scale[-1], palette[-1]))\n else:\n colorscale.append((scale[i], palette[i - 1]))\n colorscale.append((scale[i], palette[i]))\n return colorscale\n elif isinstance(levels, list):\n palette, (cmin, cmax) = color_intervals(palette, levels, clip=(cmin,\n cmax))\n return colors.make_colorscale(palette)\n", "role": "user" }, { "content": "get_colorscale", "role": "assistant" } ]
def x(self_or_cls, obj, renderer=None, **kwargs): if isinstance(obj, DynamicMap) and obj.unbounded: dims = ', '.join('%r' % dim for dim in obj.unbounded) msg = """DynamicMap cannot be displayed without explicit indexing as {dims} dimension(s) are unbounded. Set dimensions bounds with the DynamicMap redim.range or redim.values methods.""" raise SkipRendering(msg.format(dims=dims)) initialize_dynamic(obj) if not isinstance(obj, Plot): if not displayable(obj): obj = collate(obj) initialize_dynamic(obj) obj = Compositor.map(obj, mode='data', backend=self_or_cls.backend) if not renderer: renderer = self_or_cls if not isinstance(self_or_cls, Renderer): renderer = self_or_cls.instance() if not isinstance(obj, Plot): obj = Layout.from_values(obj) if isinstance(obj, AdjointLayout ) else obj plot_opts = dict(self_or_cls.plot_options(obj, self_or_cls.size), **kwargs) plot = self_or_cls.plotting_class(obj)(obj, renderer=renderer, ** plot_opts) defaults = [kd.default for kd in plot.dimensions] init_key = tuple(v if d is None else d for v, d in zip(plot.keys[0], defaults)) plot.update(init_key) else: plot = obj return plot
get_plot
[ { "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, renderer=None, **kwargs):\n if isinstance(obj, DynamicMap) and obj.unbounded:\n dims = ', '.join('%r' % dim for dim in obj.unbounded)\n msg = \"\"\"DynamicMap cannot be displayed without explicit indexing as {dims} dimension(s) are unbounded. \nSet dimensions bounds with the DynamicMap redim.range or redim.values methods.\"\"\"\n raise SkipRendering(msg.format(dims=dims))\n initialize_dynamic(obj)\n if not isinstance(obj, Plot):\n if not displayable(obj):\n obj = collate(obj)\n initialize_dynamic(obj)\n obj = Compositor.map(obj, mode='data', backend=self_or_cls.backend)\n if not renderer:\n renderer = self_or_cls\n if not isinstance(self_or_cls, Renderer):\n renderer = self_or_cls.instance()\n if not isinstance(obj, Plot):\n obj = Layout.from_values(obj) if isinstance(obj, AdjointLayout\n ) else obj\n plot_opts = dict(self_or_cls.plot_options(obj, self_or_cls.size),\n **kwargs)\n plot = self_or_cls.plotting_class(obj)(obj, renderer=renderer, **\n plot_opts)\n defaults = [kd.default for kd in plot.dimensions]\n init_key = tuple(v if d is None else d for v, d in zip(plot.keys[0],\n defaults))\n plot.update(init_key)\n else:\n plot = obj\n return plot\n", "role": "user" }, { "content": "get_plot", "role": "assistant" } ]
def x(self, obj, fmt, **kwargs): if isinstance(obj, tuple(self.widgets.values())): return obj, 'html' plot = self.get_plot(obj, renderer=self, **kwargs) fig_formats = self.mode_formats['fig'][self.mode] holomap_formats = self.mode_formats['holomap'][self.mode] if fmt in ['auto', None]: if (len(plot) == 1 and not plot.dynamic or len(plot) > 1 and self. holomap is None or plot.dynamic and len(plot.keys[0]) == 0 ) or not unbound_dimensions(plot.streams, plot.dimensions, no_duplicates=False): fmt = fig_formats[0] if self.fig == 'auto' else self.fig else: fmt = holomap_formats[0 ] if self.holomap == 'auto' else self.holomap if fmt in self.widgets: plot = self.get_widget(plot, fmt, display_options={'fps': self.fps}) fmt = 'html' all_formats = set(fig_formats + holomap_formats) if fmt not in all_formats: raise Exception( 'Format %r not supported by mode %r. Allowed formats: %r' % ( fmt, self.mode, fig_formats + holomap_formats)) self.last_plot = plot return plot, fmt
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, fmt, **kwargs):\n if isinstance(obj, tuple(self.widgets.values())):\n return obj, 'html'\n plot = self.get_plot(obj, renderer=self, **kwargs)\n fig_formats = self.mode_formats['fig'][self.mode]\n holomap_formats = self.mode_formats['holomap'][self.mode]\n if fmt in ['auto', None]:\n if (len(plot) == 1 and not plot.dynamic or len(plot) > 1 and self.\n holomap is None or plot.dynamic and len(plot.keys[0]) == 0\n ) or not unbound_dimensions(plot.streams, plot.dimensions,\n no_duplicates=False):\n fmt = fig_formats[0] if self.fig == 'auto' else self.fig\n else:\n fmt = holomap_formats[0\n ] if self.holomap == 'auto' else self.holomap\n if fmt in self.widgets:\n plot = self.get_widget(plot, fmt, display_options={'fps': self.fps})\n fmt = 'html'\n all_formats = set(fig_formats + holomap_formats)\n if fmt not in all_formats:\n raise Exception(\n 'Format %r not supported by mode %r. Allowed formats: %r' % (\n fmt, self.mode, fig_formats + holomap_formats))\n self.last_plot = plot\n return plot, fmt\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, data, obj, fmt): hooks = self.post_render_hooks.get(fmt, []) for hook in hooks: try: data = hook(data, obj) except Exception as e: self.param.warning( 'The post_render_hook %r could not be applied:\n\n %s' % ( hook, e)) return data
apply_post_render_hooks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, obj, fmt):\n hooks = self.post_render_hooks.get(fmt, [])\n for hook in hooks:\n try:\n data = hook(data, obj)\n except Exception as e:\n self.param.warning(\n 'The post_render_hook %r could not be applied:\\n\\n %s' % (\n hook, e))\n return data\n", "role": "user" }, { "content": "apply_post_render_hooks", "role": "assistant" } ]
def x(self, obj, fmt=None, css=None, **kwargs): plot, fmt = self._validate(obj, fmt) figdata, _ = self(plot, fmt, **kwargs) if css is None: css = self.css if fmt in ['html', 'json']: return figdata elif fmt == 'svg': figdata = figdata.encode('utf-8') elif fmt == 'pdf' and 'height' not in css: _, h = self.get_size(plot) css['height'] = '%dpx' % (h * self.dpi * 1.15) if isinstance(css, dict): css = '; '.join('%s: %s' % (k, v) for k, v in css.items()) else: raise ValueError('CSS must be supplied as Python dictionary') b64 = base64.b64encode(figdata).decode('utf-8') mime_type, tag = MIME_TYPES[fmt], HTML_TAGS[fmt] src = HTML_TAGS['base64'].format(mime_type=mime_type, b64=b64) html = tag.format(src=src, mime_type=mime_type, css=css) return html
html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, fmt=None, css=None, **kwargs):\n plot, fmt = self._validate(obj, fmt)\n figdata, _ = self(plot, fmt, **kwargs)\n if css is None:\n css = self.css\n if fmt in ['html', 'json']:\n return figdata\n elif fmt == 'svg':\n figdata = figdata.encode('utf-8')\n elif fmt == 'pdf' and 'height' not in css:\n _, h = self.get_size(plot)\n css['height'] = '%dpx' % (h * self.dpi * 1.15)\n if isinstance(css, dict):\n css = '; '.join('%s: %s' % (k, v) for k, v in css.items())\n else:\n raise ValueError('CSS must be supplied as Python dictionary')\n b64 = base64.b64encode(figdata).decode('utf-8')\n mime_type, tag = MIME_TYPES[fmt], HTML_TAGS[fmt]\n src = HTML_TAGS['base64'].format(mime_type=mime_type, b64=b64)\n html = tag.format(src=src, mime_type=mime_type, css=css)\n return html\n", "role": "user" }, { "content": "html", "role": "assistant" } ]
def x(self, obj, fmt=None, comm=True, **kwargs): if isinstance(obj, (Plot, NdWidget)): plot = obj else: plot, fmt = self._validate(obj, fmt) widget_id = None data, metadata = {}, {} if isinstance(plot, NdWidget): js, html = plot(as_script=True) plot_id = plot.plot_id widget_id = plot.id else: html, js = self._figure_data(plot, fmt, as_script=True, **kwargs) plot_id = plot.id if comm and plot.comm is not None and self.comm_msg_handler: msg_handler = self.comm_msg_handler.format(plot_id=plot_id) html = plot.comm.html_template.format(init_frame=html, plot_id= plot_id) comm_js = plot.comm.js_template.format(msg_handler=msg_handler, comm_id=plot.comm.id, plot_id=plot_id) js = '\n'.join([js, comm_js]) html = ( "<div id='%s' style='display: table; margin: 0 auto;'>%s</div>" % (plot_id, html)) if not os.environ.get('HV_DOC_HTML', False) and js is not None: js = embed_js.format(widget_id=widget_id, plot_id=plot_id, html=html ) + js data['text/html'] = html if js: data[MIME_TYPES['js']] = js data[MIME_TYPES['jlab-hv-exec']] = '' metadata['id'] = plot_id self._plots[plot_id] = plot return data, {MIME_TYPES['jlab-hv-exec']: metadata}
components
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, fmt=None, comm=True, **kwargs):\n if isinstance(obj, (Plot, NdWidget)):\n plot = obj\n else:\n plot, fmt = self._validate(obj, fmt)\n widget_id = None\n data, metadata = {}, {}\n if isinstance(plot, NdWidget):\n js, html = plot(as_script=True)\n plot_id = plot.plot_id\n widget_id = plot.id\n else:\n html, js = self._figure_data(plot, fmt, as_script=True, **kwargs)\n plot_id = plot.id\n if comm and plot.comm is not None and self.comm_msg_handler:\n msg_handler = self.comm_msg_handler.format(plot_id=plot_id)\n html = plot.comm.html_template.format(init_frame=html, plot_id=\n plot_id)\n comm_js = plot.comm.js_template.format(msg_handler=msg_handler,\n comm_id=plot.comm.id, plot_id=plot_id)\n js = '\\n'.join([js, comm_js])\n html = (\n \"<div id='%s' style='display: table; margin: 0 auto;'>%s</div>\" %\n (plot_id, html))\n if not os.environ.get('HV_DOC_HTML', False) and js is not None:\n js = embed_js.format(widget_id=widget_id, plot_id=plot_id, html=html\n ) + js\n data['text/html'] = html\n if js:\n data[MIME_TYPES['js']] = js\n data[MIME_TYPES['jlab-hv-exec']] = ''\n metadata['id'] = plot_id\n self._plots[plot_id] = plot\n return data, {MIME_TYPES['jlab-hv-exec']: metadata}\n", "role": "user" }, { "content": "components", "role": "assistant" } ]
def x(self, obj, fmt=None, template=None): js_html, css_html = self.html_assets() if template is None: template = static_template html = self.html(obj, fmt) return template.format(js=js_html, css=css_html, html=html)
static_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, fmt=None, template=None):\n js_html, css_html = self.html_assets()\n if template is None:\n template = static_template\n html = self.html(obj, fmt)\n return template.format(js=js_html, css=css_html, html=html)\n", "role": "user" }, { "content": "static_html", "role": "assistant" } ]
def x(self_or_cls, obj, filename, fmt=None, template=None, json=False, json_path='', **kwargs): if fmt not in list(self_or_cls.widgets.keys()) + ['auto', None]: raise ValueError( 'Renderer.export_widget may only export registered widget types.') if not isinstance(obj, NdWidget): if not isinstance(filename, (BytesIO, StringIO)): filedir = os.path.dirname(filename) current_path = os.getcwd() html_path = os.path.abspath(filedir) rel_path = os.path.relpath(html_path, current_path) save_path = os.path.join(rel_path, json_path) else: save_path = json_path kwargs['json_save_path'] = save_path kwargs['json_load_path'] = json_path widget = self_or_cls.get_widget(obj, fmt, **kwargs) else: widget = obj html = self_or_cls.static_html(widget, fmt, template) encoded = self_or_cls.encode((html, {'mime_type': 'text/html'})) if isinstance(filename, (BytesIO, StringIO)): filename.write(encoded) filename.seek(0) else: with open(filename, 'wb') as f: f.write(encoded)
export_widgets
[ { "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, filename, fmt=None, template=None, json=False,\n json_path='', **kwargs):\n if fmt not in list(self_or_cls.widgets.keys()) + ['auto', None]:\n raise ValueError(\n 'Renderer.export_widget may only export registered widget types.')\n if not isinstance(obj, NdWidget):\n if not isinstance(filename, (BytesIO, StringIO)):\n filedir = os.path.dirname(filename)\n current_path = os.getcwd()\n html_path = os.path.abspath(filedir)\n rel_path = os.path.relpath(html_path, current_path)\n save_path = os.path.join(rel_path, json_path)\n else:\n save_path = json_path\n kwargs['json_save_path'] = save_path\n kwargs['json_load_path'] = json_path\n widget = self_or_cls.get_widget(obj, fmt, **kwargs)\n else:\n widget = obj\n html = self_or_cls.static_html(widget, fmt, template)\n encoded = self_or_cls.encode((html, {'mime_type': 'text/html'}))\n if isinstance(filename, (BytesIO, StringIO)):\n filename.write(encoded)\n filename.seek(0)\n else:\n with open(filename, 'wb') as f:\n f.write(encoded)\n", "role": "user" }, { "content": "export_widgets", "role": "assistant" } ]
def x(cls, obj): if isinstance(obj, AdjointLayout) or obj is AdjointLayout: obj = Layout if isinstance(obj, type): element_type = obj else: element_type = obj.type if isinstance(obj, HoloMap) else type(obj) try: plotclass = Store.registry[cls.backend][element_type] except KeyError: raise SkipRendering('No plotting class for {0} found'.format( element_type.__name__)) return plotclass
plotting_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj):\n if isinstance(obj, AdjointLayout) or obj is AdjointLayout:\n obj = Layout\n if isinstance(obj, type):\n element_type = obj\n else:\n element_type = obj.type if isinstance(obj, HoloMap) else type(obj)\n try:\n plotclass = Store.registry[cls.backend][element_type]\n except KeyError:\n raise SkipRendering('No plotting class for {0} found'.format(\n element_type.__name__))\n return plotclass\n", "role": "user" }, { "content": "plotting_class", "role": "assistant" } ]
def x(cls, core=True, extras=True, backends=None, script=False): if backends is None: backends = [cls.backend] if cls.backend else [] widgets = [wdgt for r in [Renderer] + Renderer.__subclasses__() for wdgt in r.widgets.values()] css = list({wdgt.css for wdgt in widgets}) basejs = list({wdgt.basejs for wdgt in widgets}) extensionjs = list({wdgt.extensionjs for wdgt in widgets}) path = os.path.dirname(os.path.abspath(__file__)) def x(path, f): with open(find_file(path, f), 'r') as f: txt = f.read() return txt widgetjs = '\n'.join(open_and_read(path, f) for f in basejs + extensionjs if f is not None) widgetcss = '\n'.join(open_and_read(path, f) for f in css if f is not None) dependencies = {} if core: dependencies.update(cls.core_dependencies) if extras: dependencies.update(cls.extra_dependencies) for backend in backends: dependencies[backend] = Store.renderers[backend].backend_dependencies js_html, css_html = '', '' for _, dep in sorted(dependencies.items(), key=lambda x: x[0]): js_data = dep.get('js', []) if isinstance(js_data, tuple): for js in js_data: if script: js_html += js else: js_html += ( '\n<script type="text/javascript">%s</script>' % js) elif not script: for js in js_data: js_html += ( '\n<script src="%s" type="text/javascript"></script>' % js) css_data = dep.get('css', []) if isinstance(js_data, tuple): for css in css_data: css_html += '\n<style>%s</style>' % css else: for css in css_data: css_html += '\n<link rel="stylesheet" href="%s">' % css if script: js_html += widgetjs else: js_html += '\n<script type="text/javascript">%s</script>' % widgetjs css_html += '\n<style>%s</style>' % widgetcss comm_js = cls.comm_manager.js_manager if script: js_html += comm_js else: js_html += '\n<script type="text/javascript">%s</script>' % comm_js return unicode(js_html), unicode(css_html)
html_assets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, core=True, extras=True, backends=None, script=False):\n if backends is None:\n backends = [cls.backend] if cls.backend else []\n widgets = [wdgt for r in [Renderer] + Renderer.__subclasses__() for\n wdgt in r.widgets.values()]\n css = list({wdgt.css for wdgt in widgets})\n basejs = list({wdgt.basejs for wdgt in widgets})\n extensionjs = list({wdgt.extensionjs for wdgt in widgets})\n path = os.path.dirname(os.path.abspath(__file__))\n\n def x(path, f):\n with open(find_file(path, f), 'r') as f:\n txt = f.read()\n return txt\n widgetjs = '\\n'.join(open_and_read(path, f) for f in basejs +\n extensionjs if f is not None)\n widgetcss = '\\n'.join(open_and_read(path, f) for f in css if f is not None)\n dependencies = {}\n if core:\n dependencies.update(cls.core_dependencies)\n if extras:\n dependencies.update(cls.extra_dependencies)\n for backend in backends:\n dependencies[backend] = Store.renderers[backend].backend_dependencies\n js_html, css_html = '', ''\n for _, dep in sorted(dependencies.items(), key=lambda x: x[0]):\n js_data = dep.get('js', [])\n if isinstance(js_data, tuple):\n for js in js_data:\n if script:\n js_html += js\n else:\n js_html += (\n '\\n<script type=\"text/javascript\">%s</script>' % js)\n elif not script:\n for js in js_data:\n js_html += (\n '\\n<script src=\"%s\" type=\"text/javascript\"></script>' % js)\n css_data = dep.get('css', [])\n if isinstance(js_data, tuple):\n for css in css_data:\n css_html += '\\n<style>%s</style>' % css\n else:\n for css in css_data:\n css_html += '\\n<link rel=\"stylesheet\" href=\"%s\">' % css\n if script:\n js_html += widgetjs\n else:\n js_html += '\\n<script type=\"text/javascript\">%s</script>' % widgetjs\n css_html += '\\n<style>%s</style>' % widgetcss\n comm_js = cls.comm_manager.js_manager\n if script:\n js_html += comm_js\n else:\n js_html += '\\n<script type=\"text/javascript\">%s</script>' % comm_js\n return unicode(js_html), unicode(css_html)\n", "role": "user" }, { "content": "html_assets", "role": "assistant" } ]
def x(self_or_cls, obj, basename, fmt='auto', key={}, info={}, options=None, **kwargs): if info or key: raise Exception('Renderer does not support saving metadata to file.') if isinstance(obj, (Plot, NdWidget)): plot = obj else: with StoreOptions.options(obj, options, **kwargs): plot = self_or_cls.get_plot(obj) if fmt in list(self_or_cls.widgets.keys()) + ['auto'] and len(plot) > 1: with StoreOptions.options(obj, options, **kwargs): if isinstance(basename, basestring): basename = basename + '.html' self_or_cls.export_widgets(plot, basename, fmt) return rendered = self_or_cls(plot, fmt) if rendered is None: return data, info = rendered encoded = self_or_cls.encode(rendered) prefix = self_or_cls._save_prefix(info['file-ext']) if prefix: encoded = prefix + encoded if isinstance(basename, (BytesIO, StringIO)): basename.write(encoded) basename.seek(0) else: filename = '%s.%s' % (basename, info['file-ext']) with open(filename, 'wb') as f: f.write(encoded)
save
[ { "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, basename, fmt='auto', key={}, info={}, options=None,\n **kwargs):\n if info or key:\n raise Exception('Renderer does not support saving metadata to file.')\n if isinstance(obj, (Plot, NdWidget)):\n plot = obj\n else:\n with StoreOptions.options(obj, options, **kwargs):\n plot = self_or_cls.get_plot(obj)\n if fmt in list(self_or_cls.widgets.keys()) + ['auto'] and len(plot) > 1:\n with StoreOptions.options(obj, options, **kwargs):\n if isinstance(basename, basestring):\n basename = basename + '.html'\n self_or_cls.export_widgets(plot, basename, fmt)\n return\n rendered = self_or_cls(plot, fmt)\n if rendered is None:\n return\n data, info = rendered\n encoded = self_or_cls.encode(rendered)\n prefix = self_or_cls._save_prefix(info['file-ext'])\n if prefix:\n encoded = prefix + encoded\n if isinstance(basename, (BytesIO, StringIO)):\n basename.write(encoded)\n basename.seek(0)\n else:\n filename = '%s.%s' % (basename, info['file-ext'])\n with open(filename, 'wb') as f:\n f.write(encoded)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(cls, inline=True): with param.logging_level('ERROR'): cls.notebook_context = True cls.comm_manager = JupyterCommManager
load_nb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, inline=True):\n with param.logging_level('ERROR'):\n cls.notebook_context = True\n cls.comm_manager = JupyterCommManager\n", "role": "user" }, { "content": "load_nb", "role": "assistant" } ]
def x(cls, plot_id): plot = cls._plots.get(plot_id) if plot is None: return plot.cleanup() del cls._plots[plot_id]
delete_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, plot_id):\n plot = cls._plots.get(plot_id)\n if plot is None:\n return\n plot.cleanup()\n del cls._plots[plot_id]\n", "role": "user" }, { "content": "delete_plot", "role": "assistant" } ]
def x(cls, el, spec): spec_dict = dict(zip(['type', 'group', 'label'], spec.split('.'))) if not isinstance(el, Image) or spec_dict['type'] != 'Image': raise NotImplementedError('Only Image currently supported') sanitizers = {'group': group_sanitizer, 'label': label_sanitizer} strength = 1 for key in ['group', 'label']: attr_value = sanitizers[key](getattr(el, key)) if key in spec_dict: if spec_dict[key] != attr_value: return None strength += 1 return strength
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, el, spec):\n spec_dict = dict(zip(['type', 'group', 'label'], spec.split('.')))\n if not isinstance(el, Image) or spec_dict['type'] != 'Image':\n raise NotImplementedError('Only Image currently supported')\n sanitizers = {'group': group_sanitizer, 'label': label_sanitizer}\n strength = 1\n for key in ['group', 'label']:\n attr_value = sanitizers[key](getattr(el, key))\n if key in spec_dict:\n if spec_dict[key] != attr_value:\n return None\n strength += 1\n return strength\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(self, raster, overlay_spec): ordering = [None] * len(overlay_spec) strengths = [0] * len(overlay_spec) elements = raster.values() if isinstance(raster, Overlay) else [raster] for el in elements: for pos in range(len(overlay_spec)): strength = self._match(el, overlay_spec[pos]) if strength is None: continue elif strength <= strengths[pos]: continue else: ordering[pos] = el strengths[pos] = strength return ordering, strengths
match_overlay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raster, overlay_spec):\n ordering = [None] * len(overlay_spec)\n strengths = [0] * len(overlay_spec)\n elements = raster.values() if isinstance(raster, Overlay) else [raster]\n for el in elements:\n for pos in range(len(overlay_spec)):\n strength = self._match(el, overlay_spec[pos])\n if strength is None:\n continue\n elif strength <= strengths[pos]:\n continue\n else:\n ordering[pos] = el\n strengths[pos] = strength\n return ordering, strengths\n", "role": "user" }, { "content": "match_overlay", "role": "assistant" } ]
def x(cls, dataset): from . import Dataset vdims = dataset.vdims if getattr(dataset, 'level', None) is None else [] return Dataset(dataset.data[0], datatype=cls.subtypes, kdims=dataset. kdims, vdims=vdims)
inner_dataset_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset):\n from . import Dataset\n vdims = dataset.vdims if getattr(dataset, 'level', None) is None else []\n return Dataset(dataset.data[0], datatype=cls.subtypes, kdims=dataset.\n kdims, vdims=vdims)\n", "role": "user" }, { "content": "inner_dataset_template", "role": "assistant" } ]
def x(cls, dataset, dim): if not dataset.data: return True ds = cls._inner_dataset_template(dataset) isscalar = [] for d in dataset.data: ds.data = d isscalar.append(ds.interface.isscalar(ds, dim)) return all(isscalar)
isscalar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset, dim):\n if not dataset.data:\n return True\n ds = cls._inner_dataset_template(dataset)\n isscalar = []\n for d in dataset.data:\n ds.data = d\n isscalar.append(ds.interface.isscalar(ds, dim))\n return all(isscalar)\n", "role": "user" }, { "content": "isscalar", "role": "assistant" } ]
def x(cls, dataset, selection_mask=None, **selection): if not dataset.data: return [] ds = cls._inner_dataset_template(dataset) data = [] for d in dataset.data: ds.data = d sel = ds.interface.select(ds, **selection) data.append(sel) return data
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset, selection_mask=None, **selection):\n if not dataset.data:\n return []\n ds = cls._inner_dataset_template(dataset)\n data = []\n for d in dataset.data:\n ds.data = d\n sel = ds.interface.select(ds, **selection)\n data.append(sel)\n return data\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(cls, dataset, selection): return [s[0] for s in np.array([{(0): p} for p in dataset.data])[selection] ]
select_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset, selection):\n return [s[0] for s in np.array([{(0): p} for p in dataset.data])[selection]\n ]\n", "role": "user" }, { "content": "select_paths", "role": "assistant" } ]
def x(cls, dataset): if not dataset.data: return 0, len(dataset.dimensions()) rows, cols = 0, 0 ds = cls._inner_dataset_template(dataset) for d in dataset.data: ds.data = d r, cols = ds.interface.shape(ds) rows += r return rows + len(dataset.data) - 1, cols
shape
[ { "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 not dataset.data:\n return 0, len(dataset.dimensions())\n rows, cols = 0, 0\n ds = cls._inner_dataset_template(dataset)\n for d in dataset.data:\n ds.data = d\n r, cols = ds.interface.shape(ds)\n rows += r\n return rows + len(dataset.data) - 1, cols\n", "role": "user" }, { "content": "shape", "role": "assistant" } ]
def x(cls, dataset): if not dataset.data: return 0 length = 0 ds = cls._inner_dataset_template(dataset) for d in dataset.data: ds.data = d length += ds.interface.length(ds) return length + len(dataset.data) - 1
length
[ { "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 not dataset.data:\n return 0\n length = 0\n ds = cls._inner_dataset_template(dataset)\n for d in dataset.data:\n ds.data = d\n length += ds.interface.length(ds)\n return length + len(dataset.data) - 1\n", "role": "user" }, { "content": "length", "role": "assistant" } ]
def x(cls, dataset, dimension, expanded, flat): if not dataset.data: return np.array([]) values = [] ds = cls._inner_dataset_template(dataset) for d in dataset.data: ds.data = d dvals = ds.interface.values(ds, dimension, expanded, flat) if not len(dvals): continue elif expanded: values.append(dvals) values.append([np.NaN]) else: values.append(dvals) if not values: return np.array([]) elif expanded: return np.concatenate(values[:-1]) else: return np.concatenate(values)
values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset, dimension, expanded, flat):\n if not dataset.data:\n return np.array([])\n values = []\n ds = cls._inner_dataset_template(dataset)\n for d in dataset.data:\n ds.data = d\n dvals = ds.interface.values(ds, dimension, expanded, flat)\n if not len(dvals):\n continue\n elif expanded:\n values.append(dvals)\n values.append([np.NaN])\n else:\n values.append(dvals)\n if not values:\n return np.array([])\n elif expanded:\n return np.concatenate(values[:-1])\n else:\n return np.concatenate(values)\n", "role": "user" }, { "content": "values", "role": "assistant" } ]
def x(cls, dataset, start, end, datatype, **kwargs): objs = [] if datatype is None: for d in dataset.data[start:end]: objs.append(dataset.clone(d, datatype=cls.subtypes)) return objs elif not dataset.data: return objs ds = cls._inner_dataset_template(dataset) for d in dataset.data: ds.data = d if datatype == 'array': obj = ds.array(**kwargs) elif datatype == 'dataframe': obj = ds.dframe(**kwargs) elif datatype == 'columns': if ds.interface.datatype == 'dictionary': obj = dict(ds.data) else: obj = ds.columns(**kwargs) else: raise ValueError('%s datatype not support' % datatype) objs.append(obj) return objs
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dataset, start, end, datatype, **kwargs):\n objs = []\n if datatype is None:\n for d in dataset.data[start:end]:\n objs.append(dataset.clone(d, datatype=cls.subtypes))\n return objs\n elif not dataset.data:\n return objs\n ds = cls._inner_dataset_template(dataset)\n for d in dataset.data:\n ds.data = d\n if datatype == 'array':\n obj = ds.array(**kwargs)\n elif datatype == 'dataframe':\n obj = ds.dframe(**kwargs)\n elif datatype == 'columns':\n if ds.interface.datatype == 'dictionary':\n obj = dict(ds.data)\n else:\n obj = ds.columns(**kwargs)\n else:\n raise ValueError('%s datatype not support' % datatype)\n objs.append(obj)\n return objs\n", "role": "user" }, { "content": "split", "role": "assistant" } ]
def x(self, dimension=None, num_bins=20, bin_range=None, adjoin=True, **kwargs ): from ..operation import histogram if not isinstance(dimension, list): dimension = [dimension] hists = [] for d in dimension[::-1]: hist = histogram(self, num_bins=num_bins, bin_range=bin_range, dimension=d, **kwargs) hists.append(hist) if adjoin: layout = self for didx in range(len(dimension)): layout = layout << hists[didx] elif len(dimension) > 1: layout = Layout(hists) else: layout = hists[0] return layout
hist
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimension=None, num_bins=20, bin_range=None, adjoin=True, **kwargs\n ):\n from ..operation import histogram\n if not isinstance(dimension, list):\n dimension = [dimension]\n hists = []\n for d in dimension[::-1]:\n hist = histogram(self, num_bins=num_bins, bin_range=bin_range,\n dimension=d, **kwargs)\n hists.append(hist)\n if adjoin:\n layout = self\n for didx in range(len(dimension)):\n layout = layout << hists[didx]\n elif len(dimension) > 1:\n layout = Layout(hists)\n else:\n layout = hists[0]\n return layout\n", "role": "user" }, { "content": "hist", "role": "assistant" } ]
def x(self, dimensions=None, multi_index=False): import pandas as pd if dimensions is None: dimensions = [d.name for d in self.dimensions()] else: dimensions = [self.get_dimension(d, strict=True).name for d in dimensions] column_names = dimensions dim_vals = OrderedDict([(dim, self.dimension_values(dim)) for dim in column_names]) df = pd.DataFrame(dim_vals) if multi_index: df = df.set_index([d for d in dimensions if d in self.kdims]) return df
dframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=None, multi_index=False):\n import pandas as pd\n if dimensions is None:\n dimensions = [d.name for d in self.dimensions()]\n else:\n dimensions = [self.get_dimension(d, strict=True).name for d in\n dimensions]\n column_names = dimensions\n dim_vals = OrderedDict([(dim, self.dimension_values(dim)) for dim in\n column_names])\n df = pd.DataFrame(dim_vals)\n if multi_index:\n df = df.set_index([d for d in dimensions if d in self.kdims])\n return df\n", "role": "user" }, { "content": "dframe", "role": "assistant" } ]
def x(self, dimensions=None): if dimensions is None: dims = [d for d in self.kdims + self.vdims] else: dims = [self.get_dimension(d, strict=True) for d in dimensions] columns, types = [], [] for dim in dims: column = self.dimension_values(dim) columns.append(column) types.append(column.dtype.kind) if len(set(types)) > 1: columns = [c.astype('object') for c in columns] return np.column_stack(columns)
array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dimensions=None):\n if dimensions is None:\n dims = [d for d in self.kdims + self.vdims]\n else:\n dims = [self.get_dimension(d, strict=True) for d in dimensions]\n columns, types = [], []\n for dim in dims:\n column = self.dimension_values(dim)\n columns.append(column)\n types.append(column.dtype.kind)\n if len(set(types)) > 1:\n columns = [c.astype('object') for c in columns]\n return np.column_stack(columns)\n", "role": "user" }, { "content": "array", "role": "assistant" } ]
def x(self, datatype=None): if config.future_deprecations: self.param.warning( 'The table method is deprecated and should no longer be used. Instead cast the %s to a a Table directly.' % type(self).__name__) if datatype and not isinstance(datatype, list): datatype = [datatype] from ..element import Table return Table(self, **dict(datatype=datatype) if datatype else {})
table
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datatype=None):\n if config.future_deprecations:\n self.param.warning(\n 'The table method is deprecated and should no longer be used. Instead cast the %s to a a Table directly.'\n % type(self).__name__)\n if datatype and not isinstance(datatype, list):\n datatype = [datatype]\n from ..element import Table\n return Table(self, **dict(datatype=datatype) if datatype else {})\n", "role": "user" }, { "content": "table", "role": "assistant" } ]
def x(self, kdims=None, vdims=None, **kwargs): if config.future_deprecations: self.param.warning( 'The mapping method is deprecated and should no longer be used. Use another one of the common formats instead, e.g. .dframe, .array or .columns.' ) length = len(self) if not kdims: kdims = self.kdims if kdims: keys = zip(*[self.dimension_values(dim.name) for dim in self.kdims]) else: keys = [()] * length if not vdims: vdims = self.vdims if vdims: values = zip(*[self.dimension_values(dim.name) for dim in vdims]) else: values = [()] * length return OrderedDict(zip(keys, values))
mapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kdims=None, vdims=None, **kwargs):\n if config.future_deprecations:\n self.param.warning(\n 'The mapping method is deprecated and should no longer be used. Use another one of the common formats instead, e.g. .dframe, .array or .columns.'\n )\n length = len(self)\n if not kdims:\n kdims = self.kdims\n if kdims:\n keys = zip(*[self.dimension_values(dim.name) for dim in self.kdims])\n else:\n keys = [()] * length\n if not vdims:\n vdims = self.vdims\n if vdims:\n values = zip(*[self.dimension_values(dim.name) for dim in vdims])\n else:\n values = [()] * length\n return OrderedDict(zip(keys, values))\n", "role": "user" }, { "content": "mapping", "role": "assistant" } ]
def x(self, row, col): ndims = self.ndims if col >= self.cols: raise Exception('Maximum column index is %d' % self.cols - 1) elif row >= self.rows: raise Exception('Maximum row index is %d' % self.rows - 1) elif row == 0: if col >= ndims: if self.vdims: return self.vdims[col - ndims].pprint_label else: return '' return self.kdims[col].pprint_label else: dim = self.get_dimension(col) return dim.pprint_value(self.iloc[row - 1, col])
pprint_cell
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, row, col):\n ndims = self.ndims\n if col >= self.cols:\n raise Exception('Maximum column index is %d' % self.cols - 1)\n elif row >= self.rows:\n raise Exception('Maximum row index is %d' % self.rows - 1)\n elif row == 0:\n if col >= ndims:\n if self.vdims:\n return self.vdims[col - ndims].pprint_label\n else:\n return ''\n return self.kdims[col].pprint_label\n else:\n dim = self.get_dimension(col)\n return dim.pprint_value(self.iloc[row - 1, col])\n", "role": "user" }, { "content": "pprint_cell", "role": "assistant" } ]
def x(self): dimensions = [] for dim in self.kdims: if len(set(self.dimension_values(dim.name))) == 1: dimensions.append(dim) return dimensions
static_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dimensions = []\n for dim in self.kdims:\n if len(set(self.dimension_values(dim.name))) == 1:\n dimensions.append(dim)\n return dimensions\n", "role": "user" }, { "content": "static_dimensions", "role": "assistant" } ]
def x(self, item, dims, constant_keys): if isinstance(item, Layout): item.fixed = False dim_vals = [(dim, val) for dim, val in dims[::-1] if dim not in self.drop] if isinstance(item, self.merge_type): new_item = item.clone(cdims=constant_keys) for dim, val in dim_vals: dim = asdim(dim) if dim not in new_item.kdims: new_item = new_item.add_dimension(dim, 0, val) elif isinstance(item, self._nest_order[self.merge_type]): if len(dim_vals): dimensions, key = zip(*dim_vals) new_item = self.merge_type({key: item}, kdims=list(dimensions), cdims=constant_keys) else: new_item = item else: new_item = item.clone(shared_data=False, cdims=constant_keys) for k, v in item.items(): new_item[k] = self._add_dimensions(v, dims[::-1], constant_keys) if isinstance(new_item, Layout): new_item.fixed = True return new_item
add_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, dims, constant_keys):\n if isinstance(item, Layout):\n item.fixed = False\n dim_vals = [(dim, val) for dim, val in dims[::-1] if dim not in self.drop]\n if isinstance(item, self.merge_type):\n new_item = item.clone(cdims=constant_keys)\n for dim, val in dim_vals:\n dim = asdim(dim)\n if dim not in new_item.kdims:\n new_item = new_item.add_dimension(dim, 0, val)\n elif isinstance(item, self._nest_order[self.merge_type]):\n if len(dim_vals):\n dimensions, key = zip(*dim_vals)\n new_item = self.merge_type({key: item}, kdims=list(dimensions),\n cdims=constant_keys)\n else:\n new_item = item\n else:\n new_item = item.clone(shared_data=False, cdims=constant_keys)\n for k, v in item.items():\n new_item[k] = self._add_dimensions(v, dims[::-1], constant_keys)\n if isinstance(new_item, Layout):\n new_item.fixed = True\n return new_item\n", "role": "user" }, { "content": "add_dimensions", "role": "assistant" } ]
def x(bin_range, bw, gridsize, cut, clip): kmin, kmax = bin_range[0] - bw * cut, bin_range[1] + bw * cut if isfinite(clip[0]): kmin = max(kmin, clip[0]) if isfinite(clip[1]): kmax = min(kmax, clip[1]) return np.linspace(kmin, kmax, gridsize)
kde_support
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(bin_range, bw, gridsize, cut, clip):\n kmin, kmax = bin_range[0] - bw * cut, bin_range[1] + bw * cut\n if isfinite(clip[0]):\n kmin = max(kmin, clip[0])\n if isfinite(clip[1]):\n kmax = min(kmax, clip[1])\n return np.linspace(kmin, kmax, gridsize)\n", "role": "user" }, { "content": "kde_support", "role": "assistant" } ]
def x(self, obj): if self.interactive: if isinstance(obj, list): return [self.get_plot(o) for o in obj] return self.get_plot(obj) from .plot import MPLPlot MPLPlot._close_figures = False try: plots = [] objects = obj if isinstance(obj, list) else [obj] for o in objects: plots.append(self.get_plot(o)) plt.show() except: raise finally: MPLPlot._close_figures = True return plots[0] if len(plots) == 1 else plots
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if self.interactive:\n if isinstance(obj, list):\n return [self.get_plot(o) for o in obj]\n return self.get_plot(obj)\n from .plot import MPLPlot\n MPLPlot._close_figures = False\n try:\n plots = []\n objects = obj if isinstance(obj, list) else [obj]\n for o in objects:\n plots.append(self.get_plot(o))\n plt.show()\n except:\n raise\n finally:\n MPLPlot._close_figures = True\n return plots[0] if len(plots) == 1 else plots\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(cls, obj, percent_size): from .plot import MPLPlot factor = percent_size / 100.0 obj = obj.last if isinstance(obj, HoloMap) else obj options = Store.lookup_options(cls.backend, obj, 'plot').options fig_size = options.get('fig_size', MPLPlot.fig_size) * factor return dict({'fig_size': fig_size}, **MPLPlot.lookup_options(obj, 'plot').options)
plot_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, percent_size):\n from .plot import MPLPlot\n factor = percent_size / 100.0\n obj = obj.last if isinstance(obj, HoloMap) else obj\n options = Store.lookup_options(cls.backend, obj, 'plot').options\n fig_size = options.get('fig_size', MPLPlot.fig_size) * factor\n return dict({'fig_size': fig_size}, **MPLPlot.lookup_options(obj,\n 'plot').options)\n", "role": "user" }, { "content": "plot_options", "role": "assistant" } ]
def x(self, plot): if self.fig == 'auto': figure_format = self.params('fig').objects[0] else: figure_format = self.fig return self.html(plot, figure_format)
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot):\n if self.fig == 'auto':\n figure_format = self.params('fig').objects[0]\n else:\n figure_format = self.fig\n return self.html(plot, figure_format)\n", "role": "user" }, { "content": "diff", "role": "assistant" } ]
def x(self, plot, fmt='png', bbox_inches='tight', as_script=False, **kwargs): if fmt in ['gif', 'mp4', 'webm']: if sys.version_info[0] == 3 and mpl.__version__[:-2] in ['1.2', '1.3']: raise Exception( '<b>Python 3 matplotlib animation support broken &lt;= 1.3</b>' ) with mpl.rc_context(rc=plot.fig_rcparams): anim = plot.anim(fps=self.fps) data = self._anim_data(anim, fmt) else: fig = plot.state traverse_fn = lambda x: x.handles.get('bbox_extra_artists', None) extra_artists = list(chain(*[artists for artists in plot.traverse( traverse_fn) if artists is not None])) kw = dict(format=fmt, facecolor=fig.get_facecolor(), edgecolor=fig. get_edgecolor(), dpi=self.dpi, bbox_inches=bbox_inches, bbox_extra_artists=extra_artists) kw.update(kwargs) try: kw = self._compute_bbox(fig, kw) except: pass bytes_io = BytesIO() fig.canvas.print_figure(bytes_io, **kw) data = bytes_io.getvalue() if as_script: b64 = base64.b64encode(data).decode('utf-8') mime_type, tag = MIME_TYPES[fmt], HTML_TAGS[fmt] src = HTML_TAGS['base64'].format(mime_type=mime_type, b64=b64) html = tag.format(src=src, mime_type=mime_type, css='') return html, '' if fmt == 'svg': data = data.decode('utf-8') return data
figure_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot, fmt='png', bbox_inches='tight', as_script=False, **kwargs):\n if fmt in ['gif', 'mp4', 'webm']:\n if sys.version_info[0] == 3 and mpl.__version__[:-2] in ['1.2', '1.3']:\n raise Exception(\n '<b>Python 3 matplotlib animation support broken &lt;= 1.3</b>'\n )\n with mpl.rc_context(rc=plot.fig_rcparams):\n anim = plot.anim(fps=self.fps)\n data = self._anim_data(anim, fmt)\n else:\n fig = plot.state\n traverse_fn = lambda x: x.handles.get('bbox_extra_artists', None)\n extra_artists = list(chain(*[artists for artists in plot.traverse(\n traverse_fn) if artists is not None]))\n kw = dict(format=fmt, facecolor=fig.get_facecolor(), edgecolor=fig.\n get_edgecolor(), dpi=self.dpi, bbox_inches=bbox_inches,\n bbox_extra_artists=extra_artists)\n kw.update(kwargs)\n try:\n kw = self._compute_bbox(fig, kw)\n except:\n pass\n bytes_io = BytesIO()\n fig.canvas.print_figure(bytes_io, **kw)\n data = bytes_io.getvalue()\n if as_script:\n b64 = base64.b64encode(data).decode('utf-8')\n mime_type, tag = MIME_TYPES[fmt], HTML_TAGS[fmt]\n src = HTML_TAGS['base64'].format(mime_type=mime_type, b64=b64)\n html = tag.format(src=src, mime_type=mime_type, css='')\n return html, ''\n if fmt == 'svg':\n data = data.decode('utf-8')\n return data\n", "role": "user" }, { "content": "figure_data", "role": "assistant" } ]
def x(self, anim, fmt): writer, _, anim_kwargs, extra_args = ANIMATION_OPTS[fmt] if extra_args != []: anim_kwargs = dict(anim_kwargs, extra_args=extra_args) if self.fps is not None: anim_kwargs['fps'] = max([int(self.fps), 1]) if self.dpi is not None: anim_kwargs['dpi'] = self.dpi if not hasattr(anim, '_encoded_video'): with NamedTemporaryFile(suffix='.%s' % fmt, delete=False) as f: anim.save(f.name, writer=writer, **anim_kwargs) video = f.read() f.close() os.remove(f.name) return video
anim_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, anim, fmt):\n writer, _, anim_kwargs, extra_args = ANIMATION_OPTS[fmt]\n if extra_args != []:\n anim_kwargs = dict(anim_kwargs, extra_args=extra_args)\n if self.fps is not None:\n anim_kwargs['fps'] = max([int(self.fps), 1])\n if self.dpi is not None:\n anim_kwargs['dpi'] = self.dpi\n if not hasattr(anim, '_encoded_video'):\n with NamedTemporaryFile(suffix='.%s' % fmt, delete=False) as f:\n anim.save(f.name, writer=writer, **anim_kwargs)\n video = f.read()\n f.close()\n os.remove(f.name)\n return video\n", "role": "user" }, { "content": "anim_data", "role": "assistant" } ]
def x(self, fig, kw): fig_id = id(fig) if kw['bbox_inches'] == 'tight': if not fig_id in MPLRenderer.drawn: fig.set_dpi(self.dpi) fig.canvas.draw() extra_artists = kw.pop('bbox_extra_artists', []) pad = mpl.rcParams['savefig.pad_inches'] bbox_inches = get_tight_bbox(fig, extra_artists, pad=pad) MPLRenderer.drawn[fig_id] = bbox_inches kw['bbox_inches'] = bbox_inches else: kw['bbox_inches'] = MPLRenderer.drawn[fig_id] return kw
compute_bbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fig, kw):\n fig_id = id(fig)\n if kw['bbox_inches'] == 'tight':\n if not fig_id in MPLRenderer.drawn:\n fig.set_dpi(self.dpi)\n fig.canvas.draw()\n extra_artists = kw.pop('bbox_extra_artists', [])\n pad = mpl.rcParams['savefig.pad_inches']\n bbox_inches = get_tight_bbox(fig, extra_artists, pad=pad)\n MPLRenderer.drawn[fig_id] = bbox_inches\n kw['bbox_inches'] = bbox_inches\n else:\n kw['bbox_inches'] = MPLRenderer.drawn[fig_id]\n return kw\n", "role": "user" }, { "content": "compute_bbox", "role": "assistant" } ]
def x(cls, inline=True): import matplotlib.pyplot as plt backend = plt.get_backend() if backend not in ['agg', 'module://ipykernel.pylab.backend_inline']: plt.switch_backend('agg')
load_nb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, inline=True):\n import matplotlib.pyplot as plt\n backend = plt.get_backend()\n if backend not in ['agg', 'module://ipykernel.pylab.backend_inline']:\n plt.switch_backend('agg')\n", "role": "user" }, { "content": "load_nb", "role": "assistant" } ]
def x(id, weakref=None): try: if Store._options_context: return weakrefs = Store._weakrefs.get(id, []) if weakref in weakrefs: weakrefs.remove(weakref) refs = [] for wr in list(weakrefs): r = wr() if r is None or r.id != id: weakrefs.remove(wr) else: refs.append(r) if not refs: for bk in Store.loaded_backends(): if id in Store._custom_options[bk]: Store._custom_options[bk].pop(id) if not weakrefs: Store._weakrefs.pop(id, None) except Exception as e: raise Exception( 'Cleanup of custom options tree with id %s failed with the following exception: %s, an unreferenced orphan tree may persist in memory' % (e, id))
cleanup_custom_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(id, weakref=None):\n try:\n if Store._options_context:\n return\n weakrefs = Store._weakrefs.get(id, [])\n if weakref in weakrefs:\n weakrefs.remove(weakref)\n refs = []\n for wr in list(weakrefs):\n r = wr()\n if r is None or r.id != id:\n weakrefs.remove(wr)\n else:\n refs.append(r)\n if not refs:\n for bk in Store.loaded_backends():\n if id in Store._custom_options[bk]:\n Store._custom_options[bk].pop(id)\n if not weakrefs:\n Store._weakrefs.pop(id, None)\n except Exception as e:\n raise Exception(\n 'Cleanup of custom options tree with id %s failed with the following exception: %s, an unreferenced orphan tree may persist in memory'\n % (e, id))\n", "role": "user" }, { "content": "cleanup_custom_options", "role": "assistant" } ]
def x(skip_invalid, warn_on_skip): settings = Options.skip_invalid, Options.warn_on_skip Options.skip_invalid, Options.warn_on_skip = skip_invalid, warn_on_skip yield Options.skip_invalid, Options.warn_on_skip = settings
options_policy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(skip_invalid, warn_on_skip):\n settings = Options.skip_invalid, Options.warn_on_skip\n Options.skip_invalid, Options.warn_on_skip = skip_invalid, warn_on_skip\n yield\n Options.skip_invalid, Options.warn_on_skip = settings\n", "role": "user" }, { "content": "options_policy", "role": "assistant" } ]
def x(self): allowed_keywords = self.allowed_keywords target = allowed_keywords.target matches = allowed_keywords.fuzzy_match(self.invalid_keyword) if not matches: matches = allowed_keywords.values similarity = 'Possible' else: similarity = 'Similar' loaded_backends = Store.loaded_backends() target = 'for {0}'.format(target) if target else '' if len(loaded_backends) == 1: loaded = ' in loaded backend {0!r}'.format(loaded_backends[0]) else: backend_list = ', '.join([('%r' % b) for b in loaded_backends[:-1]]) loaded = ' in loaded backends {0} and {1!r}'.format(backend_list, loaded_backends[-1]) suggestion = ( 'If you believe this keyword is correct, please make sure the backend has been imported or loaded with the hv.extension.' ) group = '{0} option'.format(self.group_name ) if self.group_name else 'keyword' msg = """Unexpected {group} {kw} {target}{loaded}. {similarity} keywords in the currently active {current_backend} renderer are: {matches} {suggestion}""" return msg.format(kw="'%s'" % self.invalid_keyword, target=target, group=group, loaded=loaded, similarity=similarity, current_backend= repr(Store.current_backend), matches=matches, suggestion=suggestion)
format_options_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n allowed_keywords = self.allowed_keywords\n target = allowed_keywords.target\n matches = allowed_keywords.fuzzy_match(self.invalid_keyword)\n if not matches:\n matches = allowed_keywords.values\n similarity = 'Possible'\n else:\n similarity = 'Similar'\n loaded_backends = Store.loaded_backends()\n target = 'for {0}'.format(target) if target else ''\n if len(loaded_backends) == 1:\n loaded = ' in loaded backend {0!r}'.format(loaded_backends[0])\n else:\n backend_list = ', '.join([('%r' % b) for b in loaded_backends[:-1]])\n loaded = ' in loaded backends {0} and {1!r}'.format(backend_list,\n loaded_backends[-1])\n suggestion = (\n 'If you believe this keyword is correct, please make sure the backend has been imported or loaded with the hv.extension.'\n )\n group = '{0} option'.format(self.group_name\n ) if self.group_name else 'keyword'\n msg = \"\"\"Unexpected {group} {kw} {target}{loaded}.\n\n{similarity} keywords in the currently active {current_backend} renderer are: {matches}\n\n{suggestion}\"\"\"\n return msg.format(kw=\"'%s'\" % self.invalid_keyword, target=target,\n group=group, loaded=loaded, similarity=similarity, current_backend=\n repr(Store.current_backend), matches=matches, suggestion=suggestion)\n", "role": "user" }, { "content": "format_options_error", "role": "assistant" } ]
def x(self): traceback.print_exception(self.etype, self.value, self.traceback)
print_traceback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n traceback.print_exception(self.etype, self.value, self.traceback)\n", "role": "user" }, { "content": "print_traceback", "role": "assistant" } ]
def x(self, allowed): kws = {k: v for k, v in self.kwargs.items() if k in allowed} return self.__class__(key=self.key, allowed_keywords=self. allowed_keywords, merge_keywords=self.merge_keywords, **kws)
filtered
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, allowed):\n kws = {k: v for k, v in self.kwargs.items() if k in allowed}\n return self.__class__(key=self.key, allowed_keywords=self.\n allowed_keywords, merge_keywords=self.merge_keywords, **kws)\n", "role": "user" }, { "content": "filtered", "role": "assistant" } ]
def x(self, num): kwargs = {kw: (arg[num] if isinstance(arg, Palette) else arg) for kw, arg in self.kwargs.items()} return self(max_cycles=num, **kwargs)
max_cycles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, num):\n kwargs = {kw: (arg[num] if isinstance(arg, Palette) else arg) for kw,\n arg in self.kwargs.items()}\n return self(max_cycles=num, **kwargs)\n", "role": "user" }, { "content": "max_cycles", "role": "assistant" } ]
def x(self): return any(isinstance(val, Cycle) for val in self.kwargs.values())
cyclic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return any(isinstance(val, Cycle) for val in self.kwargs.values())\n", "role": "user" }, { "content": "cyclic", "role": "assistant" } ]
def x(self, identifier, group_name, options): if group_name not in self.groups: raise KeyError('Group %s not defined on SettingTree' % group_name) if identifier in self.children: current_node = self[identifier] group_options = current_node.groups[group_name] else: group_options = Options(group_name, allowed_keywords=self.groups[ group_name].allowed_keywords) override_kwargs = dict(options.kwargs) old_allowed = group_options.allowed_keywords override_kwargs['allowed_keywords' ] = options.allowed_keywords + old_allowed try: return group_options(**override_kwargs ) if options.merge_keywords else Options(group_name, ** override_kwargs) except OptionError as e: raise OptionError(e.invalid_keyword, e.allowed_keywords, group_name =group_name, path=self.path)
merge_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, identifier, group_name, options):\n if group_name not in self.groups:\n raise KeyError('Group %s not defined on SettingTree' % group_name)\n if identifier in self.children:\n current_node = self[identifier]\n group_options = current_node.groups[group_name]\n else:\n group_options = Options(group_name, allowed_keywords=self.groups[\n group_name].allowed_keywords)\n override_kwargs = dict(options.kwargs)\n old_allowed = group_options.allowed_keywords\n override_kwargs['allowed_keywords'\n ] = options.allowed_keywords + old_allowed\n try:\n return group_options(**override_kwargs\n ) if options.merge_keywords else Options(group_name, **\n override_kwargs)\n except OptionError as e:\n raise OptionError(e.invalid_keyword, e.allowed_keywords, group_name\n =group_name, path=self.path)\n", "role": "user" }, { "content": "merge_options", "role": "assistant" } ]
def x(self, path, mode='node'): path = path.split('.') if isinstance(path, str) else list(path) item = self for child in path: escaped_child = sanitize_identifier(child, escape=False) matching_children = [c for c in item.children if child.endswith(c) or escaped_child.endswith(c)] matching_children = sorted(matching_children, key=lambda x: -len(x)) if matching_children: item = item[matching_children[0]] else: continue return item if mode == 'node' else item.path
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, mode='node'):\n path = path.split('.') if isinstance(path, str) else list(path)\n item = self\n for child in path:\n escaped_child = sanitize_identifier(child, escape=False)\n matching_children = [c for c in item.children if child.endswith(c) or\n escaped_child.endswith(c)]\n matching_children = sorted(matching_children, key=lambda x: -len(x))\n if matching_children:\n item = item[matching_children[0]]\n else:\n continue\n return item if mode == 'node' else item.path\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, obj, group, defaults=True): components = obj.__class__.__name__, group_sanitizer(obj.group ), label_sanitizer(obj.label) target = '.'.join([c for c in components if c]) return self.find(components).options(group, target=target, defaults= defaults)
closest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, group, defaults=True):\n components = obj.__class__.__name__, group_sanitizer(obj.group\n ), label_sanitizer(obj.label)\n target = '.'.join([c for c in components if c])\n return self.find(components).options(group, target=target, defaults=\n defaults)\n", "role": "user" }, { "content": "closest", "role": "assistant" } ]
def x(self, group, target=None, defaults=True): if target is None: target = self.path if self.groups.get(group, None) is None: return None if self.parent is None and target and self is not Store.options( ) and defaults: root_name = self.__class__.__name__ replacement = root_name + ('' if len(target) == len(root_name) else '.' ) option_key = target.replace(replacement, '') match = Store.options().find(option_key) if match is not Store.options(): return match.options(group) else: return Options() elif self.parent is None: return self.groups[group] parent_opts = self.parent.options(group, target, defaults) return Options(**dict(parent_opts.kwargs, **self.groups[group].kwargs))
options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group, target=None, defaults=True):\n if target is None:\n target = self.path\n if self.groups.get(group, None) is None:\n return None\n if self.parent is None and target and self is not Store.options(\n ) and defaults:\n root_name = self.__class__.__name__\n replacement = root_name + ('' if len(target) == len(root_name) else '.'\n )\n option_key = target.replace(replacement, '')\n match = Store.options().find(option_key)\n if match is not Store.options():\n return match.options(group)\n else:\n return Options()\n elif self.parent is None:\n return self.groups[group]\n parent_opts = self.parent.options(group, target, defaults)\n return Options(**dict(parent_opts.kwargs, **self.groups[group].kwargs))\n", "role": "user" }, { "content": "options", "role": "assistant" } ]
def x(cls, overlay, mode, backend=None): match_strength = [(op.match_level(overlay), op) for op in cls. definitions if op.mode == mode and (not op.backends or backend in op.backends)] matches = [(match[0], op, match[1]) for match, op in match_strength if match is not None] if matches == []: return None else: return sorted(matches)[0]
strongest_match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, overlay, mode, backend=None):\n match_strength = [(op.match_level(overlay), op) for op in cls.\n definitions if op.mode == mode and (not op.backends or backend in\n op.backends)]\n matches = [(match[0], op, match[1]) for match, op in match_strength if \n match is not None]\n if matches == []:\n return None\n else:\n return sorted(matches)[0]\n", "role": "user" }, { "content": "strongest_match", "role": "assistant" } ]
def x(cls, overlay, ranges=None, mode='data', backend=None): from .element import Element from .overlay import Overlay, CompositeOverlay unpack = False if not isinstance(overlay, CompositeOverlay): overlay = Overlay([overlay]) unpack = True prev_ids = tuple() processed = defaultdict(list) while True: match = cls.strongest_match(overlay, mode, backend) if match is None: if unpack and len(overlay) == 1: return overlay.values()[0] return overlay _, applicable_op, (start, stop) = match if isinstance(overlay, Overlay): values = overlay.values() sliced = Overlay(values[start:stop]) else: values = overlay.items() sliced = overlay.clone(values[start:stop]) items = sliced.traverse(lambda x: x, [Element]) if applicable_op and all(el in processed[applicable_op] for el in items ): return overlay result = applicable_op.apply(sliced, ranges, backend) if applicable_op.group: result = result.relabel(group=applicable_op.group) if isinstance(overlay, Overlay): result = [result] else: result = list(zip(sliced.keys(), [result])) processed[applicable_op] += [el for r in result for el in r. traverse(lambda x: x, [Element])] overlay = overlay.clone(values[:start] + result + values[stop:]) spec_fn = lambda x: not isinstance(x, CompositeOverlay) new_ids = tuple(overlay.traverse(lambda x: id(x), [spec_fn])) if new_ids == prev_ids: return overlay prev_ids = new_ids
collapse_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, overlay, ranges=None, mode='data', backend=None):\n from .element import Element\n from .overlay import Overlay, CompositeOverlay\n unpack = False\n if not isinstance(overlay, CompositeOverlay):\n overlay = Overlay([overlay])\n unpack = True\n prev_ids = tuple()\n processed = defaultdict(list)\n while True:\n match = cls.strongest_match(overlay, mode, backend)\n if match is None:\n if unpack and len(overlay) == 1:\n return overlay.values()[0]\n return overlay\n _, applicable_op, (start, stop) = match\n if isinstance(overlay, Overlay):\n values = overlay.values()\n sliced = Overlay(values[start:stop])\n else:\n values = overlay.items()\n sliced = overlay.clone(values[start:stop])\n items = sliced.traverse(lambda x: x, [Element])\n if applicable_op and all(el in processed[applicable_op] for el in items\n ):\n return overlay\n result = applicable_op.apply(sliced, ranges, backend)\n if applicable_op.group:\n result = result.relabel(group=applicable_op.group)\n if isinstance(overlay, Overlay):\n result = [result]\n else:\n result = list(zip(sliced.keys(), [result]))\n processed[applicable_op] += [el for r in result for el in r.\n traverse(lambda x: x, [Element])]\n overlay = overlay.clone(values[:start] + result + values[stop:])\n spec_fn = lambda x: not isinstance(x, CompositeOverlay)\n new_ids = tuple(overlay.traverse(lambda x: id(x), [spec_fn]))\n if new_ids == prev_ids:\n return overlay\n prev_ids = new_ids\n", "role": "user" }, { "content": "collapse_element", "role": "assistant" } ]
def x(cls, holomap, ranges=None, mode='data'): if cls.definitions == []: return holomap clone = holomap.clone(shared_data=False) data = zip(ranges[1], holomap.data.values() ) if ranges else holomap.data.items() for key, overlay in data: clone[key] = cls.collapse_element(overlay, ranges, mode) return clone
collapse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, holomap, ranges=None, mode='data'):\n if cls.definitions == []:\n return holomap\n clone = holomap.clone(shared_data=False)\n data = zip(ranges[1], holomap.data.values()\n ) if ranges else holomap.data.items()\n for key, overlay in data:\n clone[key] = cls.collapse_element(overlay, ranges, mode)\n return clone\n", "role": "user" }, { "content": "collapse", "role": "assistant" } ]
def x(cls, obj, mode='data', backend=None): from .overlay import CompositeOverlay element_compositors = [c for c in cls.definitions if len(c. _pattern_spec) == 1] overlay_compositors = [c for c in cls.definitions if len(c. _pattern_spec) > 1] if overlay_compositors: obj = obj.map(lambda obj: cls.collapse_element(obj, mode=mode, backend=backend), [CompositeOverlay]) element_patterns = [c.pattern for c in element_compositors] if element_compositors and obj.traverse(lambda x: x, element_patterns): obj = obj.map(lambda obj: cls.collapse_element(obj, mode=mode, backend=backend), element_patterns) return obj
map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, mode='data', backend=None):\n from .overlay import CompositeOverlay\n element_compositors = [c for c in cls.definitions if len(c.\n _pattern_spec) == 1]\n overlay_compositors = [c for c in cls.definitions if len(c.\n _pattern_spec) > 1]\n if overlay_compositors:\n obj = obj.map(lambda obj: cls.collapse_element(obj, mode=mode,\n backend=backend), [CompositeOverlay])\n element_patterns = [c.pattern for c in element_compositors]\n if element_compositors and obj.traverse(lambda x: x, element_patterns):\n obj = obj.map(lambda obj: cls.collapse_element(obj, mode=mode,\n backend=backend), element_patterns)\n return obj\n", "role": "user" }, { "content": "map", "role": "assistant" } ]
def x(self, overlay_items): level = 0 for spec, el in zip(self._pattern_spec, overlay_items): if spec[0] != type(el).__name__: return None level += 1 if len(spec) == 1: continue group = [el.group, group_sanitizer(el.group, escape=False)] if spec[1] in group: level += 1 else: return None if len(spec) == 3: group = [el.label, label_sanitizer(el.label, escape=False)] if spec[2] in group: level += 1 else: return None return level
slice_match_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, overlay_items):\n level = 0\n for spec, el in zip(self._pattern_spec, overlay_items):\n if spec[0] != type(el).__name__:\n return None\n level += 1\n if len(spec) == 1:\n continue\n group = [el.group, group_sanitizer(el.group, escape=False)]\n if spec[1] in group:\n level += 1\n else:\n return None\n if len(spec) == 3:\n group = [el.label, label_sanitizer(el.label, escape=False)]\n if spec[2] in group:\n level += 1\n else:\n return None\n return level\n", "role": "user" }, { "content": "slice_match_level", "role": "assistant" } ]
def x(self, overlay): slice_width = len(self._pattern_spec) if slice_width > len(overlay): return None best_lvl, match_slice = 0, None for i in range(len(overlay) - slice_width + 1): overlay_slice = overlay.values()[i:i + slice_width] lvl = self._slice_match_level(overlay_slice) if lvl is None: continue if lvl > best_lvl: best_lvl = lvl match_slice = i, i + slice_width return (best_lvl, match_slice) if best_lvl != 0 else None
match_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, overlay):\n slice_width = len(self._pattern_spec)\n if slice_width > len(overlay):\n return None\n best_lvl, match_slice = 0, None\n for i in range(len(overlay) - slice_width + 1):\n overlay_slice = overlay.values()[i:i + slice_width]\n lvl = self._slice_match_level(overlay_slice)\n if lvl is None:\n continue\n if lvl > best_lvl:\n best_lvl = lvl\n match_slice = i, i + slice_width\n return (best_lvl, match_slice) if best_lvl != 0 else None\n", "role": "user" }, { "content": "match_level", "role": "assistant" } ]
def x(self, value, input_ranges, backend=None): from .overlay import CompositeOverlay if backend is None: backend = Store.current_backend kwargs = {k: v for k, v in self.kwargs.items() if k != 'output_type'} if isinstance(value, CompositeOverlay) and len(value) == 1: value = value.values()[0] if self.transfer_parameters: plot_opts = Store.lookup_options(backend, value, 'plot').kwargs kwargs.update({k: v for k, v in plot_opts.items() if k in self. operation.params()}) transformed = self.operation(value, input_ranges=input_ranges, **kwargs) if self.transfer_options: Store.transfer_options(value, transformed, backend) return transformed
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value, input_ranges, backend=None):\n from .overlay import CompositeOverlay\n if backend is None:\n backend = Store.current_backend\n kwargs = {k: v for k, v in self.kwargs.items() if k != 'output_type'}\n if isinstance(value, CompositeOverlay) and len(value) == 1:\n value = value.values()[0]\n if self.transfer_parameters:\n plot_opts = Store.lookup_options(backend, value, 'plot').kwargs\n kwargs.update({k: v for k, v in plot_opts.items() if k in self.\n operation.params()})\n transformed = self.operation(value, input_ranges=input_ranges, **kwargs)\n if self.transfer_options:\n Store.transfer_options(value, transformed, backend)\n return transformed\n", "role": "user" }, { "content": "apply", "role": "assistant" } ]
def x(cls, backend): for hook in cls._backend_switch_hooks: hook(backend) cls.current_backend = backend
set_current_backend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, backend):\n for hook in cls._backend_switch_hooks:\n hook(backend)\n cls.current_backend = backend\n", "role": "user" }, { "content": "set_current_backend", "role": "assistant" } ]
def x(cls, filename): cls.load_counter_offset = StoreOptions.id_offset() val = pickle.load(filename) cls.load_counter_offset = None return val
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n cls.load_counter_offset = StoreOptions.id_offset()\n val = pickle.load(filename)\n cls.load_counter_offset = None\n return val\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(cls, pickle_string): cls.load_counter_offset = StoreOptions.id_offset() val = pickle.loads(pickle_string) cls.load_counter_offset = None return val
loads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, pickle_string):\n cls.load_counter_offset = StoreOptions.id_offset()\n val = pickle.loads(pickle_string)\n cls.load_counter_offset = None\n return val\n", "role": "user" }, { "content": "loads", "role": "assistant" } ]
def x(cls, obj, file, protocol=0): cls.save_option_state = True pickle.dump(obj, file, protocol=protocol) cls.save_option_state = False
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, file, protocol=0):\n cls.save_option_state = True\n pickle.dump(obj, file, protocol=protocol)\n cls.save_option_state = False\n", "role": "user" }, { "content": "dump", "role": "assistant" } ]
def x(cls, obj, protocol=0): cls.save_option_state = True val = pickle.dumps(obj, protocol=protocol) cls.save_option_state = False return val
dumps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, protocol=0):\n cls.save_option_state = True\n val = pickle.dumps(obj, protocol=protocol)\n cls.save_option_state = False\n return val\n", "role": "user" }, { "content": "dumps", "role": "assistant" } ]
def x(cls, obj, ansi=True, backend='matplotlib', visualization=True, recursive=False, pattern=None, elements=[]): parameterized_object = isinstance(obj, param.Parameterized) parameterized_class = isinstance(obj, type) and issubclass(obj, param. Parameterized) info = None if parameterized_object or parameterized_class: info = InfoPrinter.info(obj, ansi=ansi, backend=backend, visualization=visualization, pattern=pattern, elements=elements) if parameterized_object and recursive: hierarchy = obj.traverse(lambda x: type(x)) listed = [] for c in hierarchy[1:]: if c not in listed: inner_info = InfoPrinter.info(c, ansi=ansi, backend=backend, visualization=visualization, pattern=pattern) black = '\x1b[1;30m%s\x1b[0m' if ansi else '%s' info += '\n\n' + black % inner_info listed.append(c) return info
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=True, backend='matplotlib', visualization=True,\n recursive=False, pattern=None, elements=[]):\n parameterized_object = isinstance(obj, param.Parameterized)\n parameterized_class = isinstance(obj, type) and issubclass(obj, param.\n Parameterized)\n info = None\n if parameterized_object or parameterized_class:\n info = InfoPrinter.info(obj, ansi=ansi, backend=backend,\n visualization=visualization, pattern=pattern, elements=elements)\n if parameterized_object and recursive:\n hierarchy = obj.traverse(lambda x: type(x))\n listed = []\n for c in hierarchy[1:]:\n if c not in listed:\n inner_info = InfoPrinter.info(c, ansi=ansi, backend=backend,\n visualization=visualization, pattern=pattern)\n black = '\\x1b[1;30m%s\\x1b[0m' if ansi else '%s'\n info += '\\n\\n' + black % inner_info\n listed.append(c)\n return info\n", "role": "user" }, { "content": "info", "role": "assistant" } ]
def x(cls, backend, obj): ids = set([el for el in obj.traverse(lambda x: x.id) if el is not None]) if len(ids) == 0: raise Exception('Object does not own a custom options tree') elif len(ids) != 1: idlist = ','.join([str(el) for el in sorted(ids)]) raise Exception( 'Object contains elements combined across multiple custom trees (ids %s)' % idlist) return cls._custom_options[backend][list(ids)[0]]
lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, backend, obj):\n ids = set([el for el in obj.traverse(lambda x: x.id) if el is not None])\n if len(ids) == 0:\n raise Exception('Object does not own a custom options tree')\n elif len(ids) != 1:\n idlist = ','.join([str(el) for el in sorted(ids)])\n raise Exception(\n 'Object contains elements combined across multiple custom trees (ids %s)'\n % idlist)\n return cls._custom_options[backend][list(ids)[0]]\n", "role": "user" }, { "content": "lookup", "role": "assistant" } ]
def x(cls, obj, new_obj, backend=None): backend = cls.current_backend if backend is None else backend type_name = type(new_obj).__name__ group = type_name if obj.group == type(obj).__name__ else obj.group spec = '.'.join([s for s in (type_name, group, obj.label) if s]) options = [] for group in Options._option_groups: opts = cls.lookup_options(backend, obj, group) if opts and opts.kwargs: options.append(Options(group, **opts.kwargs)) if options: StoreOptions.set_options(new_obj, {spec: options}, backend)
transfer_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, new_obj, backend=None):\n backend = cls.current_backend if backend is None else backend\n type_name = type(new_obj).__name__\n group = type_name if obj.group == type(obj).__name__ else obj.group\n spec = '.'.join([s for s in (type_name, group, obj.label) if s])\n options = []\n for group in Options._option_groups:\n opts = cls.lookup_options(backend, obj, group)\n if opts and opts.kwargs:\n options.append(Options(group, **opts.kwargs))\n if options:\n StoreOptions.set_options(new_obj, {spec: options}, backend)\n", "role": "user" }, { "content": "transfer_options", "role": "assistant" } ]
def x(cls, component, new_options, backend=None): backend = cls.current_backend if backend is None else backend if component not in cls.registry[backend]: raise ValueError('Component %r not registered to a plotting class' % component) if not isinstance(new_options, list) or not all(isinstance(el, str) for el in new_options): raise ValueError('Please supply a list of style option keyword strings' ) with param.logging_level('CRITICAL'): for option in new_options: if option not in cls.registry[backend][component].style_opts: plot_class = cls.registry[backend][component] plot_class.style_opts = sorted(plot_class.style_opts + [option] ) cls._options[backend][component.name] = Options('style', merge_keywords =True, allowed_keywords=new_options)
add_style_opts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, component, new_options, backend=None):\n backend = cls.current_backend if backend is None else backend\n if component not in cls.registry[backend]:\n raise ValueError('Component %r not registered to a plotting class' %\n component)\n if not isinstance(new_options, list) or not all(isinstance(el, str) for\n el in new_options):\n raise ValueError('Please supply a list of style option keyword strings'\n )\n with param.logging_level('CRITICAL'):\n for option in new_options:\n if option not in cls.registry[backend][component].style_opts:\n plot_class = cls.registry[backend][component]\n plot_class.style_opts = sorted(plot_class.style_opts + [option]\n )\n cls._options[backend][component.name] = Options('style', merge_keywords\n =True, allowed_keywords=new_options)\n", "role": "user" }, { "content": "add_style_opts", "role": "assistant" } ]
def x(cls, associations, backend, style_aliases={}): if backend not in cls.registry: cls.registry[backend] = {} cls.registry[backend].update(associations) groups = Options._option_groups if backend not in cls._options: cls._options[backend] = OptionTree([], groups=groups) if backend not in cls._custom_options: cls._custom_options[backend] = {} for view_class, plot in cls.registry[backend].items(): expanded_opts = [opt for key in plot.style_opts for opt in style_aliases.get(key, [])] style_opts = sorted(set(opt for opt in expanded_opts + plot. style_opts if opt not in plot._disabled_opts)) plot_opts = [k for k in plot.params().keys() if k not in ['name']] with param.logging_level('CRITICAL'): plot.style_opts = style_opts plot_opts = Keywords(plot_opts, target=view_class.__name__) style_opts = Keywords(style_opts, target=view_class.__name__) opt_groups = {'plot': Options(allowed_keywords=plot_opts), 'output': Options(allowed_keywords=Options._output_allowed_kws), 'style': Options(allowed_keywords=style_opts), 'norm': Options(framewise =False, axiswise=False, allowed_keywords=['framewise', 'axiswise']) } name = view_class.__name__ cls._options[backend][name] = opt_groups
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, associations, backend, style_aliases={}):\n if backend not in cls.registry:\n cls.registry[backend] = {}\n cls.registry[backend].update(associations)\n groups = Options._option_groups\n if backend not in cls._options:\n cls._options[backend] = OptionTree([], groups=groups)\n if backend not in cls._custom_options:\n cls._custom_options[backend] = {}\n for view_class, plot in cls.registry[backend].items():\n expanded_opts = [opt for key in plot.style_opts for opt in\n style_aliases.get(key, [])]\n style_opts = sorted(set(opt for opt in expanded_opts + plot.\n style_opts if opt not in plot._disabled_opts))\n plot_opts = [k for k in plot.params().keys() if k not in ['name']]\n with param.logging_level('CRITICAL'):\n plot.style_opts = style_opts\n plot_opts = Keywords(plot_opts, target=view_class.__name__)\n style_opts = Keywords(style_opts, target=view_class.__name__)\n opt_groups = {'plot': Options(allowed_keywords=plot_opts), 'output':\n Options(allowed_keywords=Options._output_allowed_kws), 'style':\n Options(allowed_keywords=style_opts), 'norm': Options(framewise\n =False, axiswise=False, allowed_keywords=['framewise', 'axiswise'])\n }\n name = view_class.__name__\n cls._options[backend][name] = opt_groups\n", "role": "user" }, { "content": "register", "role": "assistant" } ]
def x(cls, group, objtype, hook): cls._display_hooks[group][objtype] = hook
set_display_hook
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, group, objtype, hook):\n cls._display_hooks[group][objtype] = hook\n", "role": "user" }, { "content": "set_display_hook", "role": "assistant" } ]
def x(cls, obj): class_hierarchy = inspect.getmro(type(obj)) hooks = [] for _, type_hooks in cls._display_hooks.items(): for cls in class_hierarchy: if cls in type_hooks: hooks.append(type_hooks[cls]) break data, metadata = {}, {} for hook in hooks: ret = hook(obj) if ret is None: continue d, md = ret data.update(d) metadata.update(md) return data, metadata
render
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj):\n class_hierarchy = inspect.getmro(type(obj))\n hooks = []\n for _, type_hooks in cls._display_hooks.items():\n for cls in class_hierarchy:\n if cls in type_hooks:\n hooks.append(type_hooks[cls])\n break\n data, metadata = {}, {}\n for hook in hooks:\n ret = hook(obj)\n if ret is None:\n continue\n d, md = ret\n data.update(d)\n metadata.update(md)\n return data, metadata\n", "role": "user" }, { "content": "render", "role": "assistant" } ]
def x(cls): if cls._errors_recorded is None: raise Exception('Cannot stop recording before it is started') recorded = cls._errors_recorded[:] cls._errors_recorded = None return recorded
stop_recording_skipped
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if cls._errors_recorded is None:\n raise Exception('Cannot stop recording before it is started')\n recorded = cls._errors_recorded[:]\n cls._errors_recorded = None\n return recorded\n", "role": "user" }, { "content": "stop_recording_skipped", "role": "assistant" } ]
def x(cls, tree): specs = {} for k in tree.keys(): spec_key = '.'.join(k) specs[spec_key] = {} for grp in tree[k].groups: kwargs = tree[k].groups[grp].kwargs if kwargs: specs[spec_key][grp] = kwargs return specs
tree_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tree):\n specs = {}\n for k in tree.keys():\n spec_key = '.'.join(k)\n specs[spec_key] = {}\n for grp in tree[k].groups:\n kwargs = tree[k].groups[grp].kwargs\n if kwargs:\n specs[spec_key][grp] = kwargs\n return specs\n", "role": "user" }, { "content": "tree_to_dict", "role": "assistant" } ]
def x(cls, obj, match_id, new_id, applied_keys, backend=None): applied = [] def x(o): if o.id == match_id or o.__class__.__name__ == 'DynamicMap': setattr(o, 'id', new_id) applied.append(o) obj.traverse(propagate, specs=set(applied_keys) | {'DynamicMap'}) if not new_id in Store.custom_options(backend=backend): raise AssertionError( 'New option id %d does not match any option trees in Store.custom_options.' % new_id) return applied
propagate_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, match_id, new_id, applied_keys, backend=None):\n applied = []\n\n def x(o):\n if o.id == match_id or o.__class__.__name__ == 'DynamicMap':\n setattr(o, 'id', new_id)\n applied.append(o)\n obj.traverse(propagate, specs=set(applied_keys) | {'DynamicMap'})\n if not new_id in Store.custom_options(backend=backend):\n raise AssertionError(\n 'New option id %d does not match any option trees in Store.custom_options.'\n % new_id)\n return applied\n", "role": "user" }, { "content": "propagate_ids", "role": "assistant" } ]
def x(cls, obj, ids): ids = iter(ids) obj.traverse(lambda o: setattr(o, 'id', next(ids)))
restore_ids
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, ids):\n ids = iter(ids)\n obj.traverse(lambda o: setattr(o, 'id', next(ids)))\n", "role": "user" }, { "content": "restore_ids", "role": "assistant" } ]
def x(cls, spec, options): for key in sorted(spec.keys()): if isinstance(spec[key], (list, tuple)): customization = {v.key: v for v in spec[key]} else: customization = {k: (Options(**v) if isinstance(v, dict) else v ) for k, v in spec[key].items()} customization = {k: v.keywords_target(key.split('.')[0]) for k, v in customization.items()} options[str(key)] = customization return options
apply_customizations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, spec, options):\n for key in sorted(spec.keys()):\n if isinstance(spec[key], (list, tuple)):\n customization = {v.key: v for v in spec[key]}\n else:\n customization = {k: (Options(**v) if isinstance(v, dict) else v\n ) for k, v in spec[key].items()}\n customization = {k: v.keywords_target(key.split('.')[0]) for k, v in\n customization.items()}\n options[str(key)] = customization\n return options\n", "role": "user" }, { "content": "apply_customizations", "role": "assistant" } ]
def x(cls, spec, backends=None): loaded_backends = Store.loaded_backends() if backends is None else backends error_info = {} backend_errors = defaultdict(set) for backend in loaded_backends: cls.start_recording_skipped() with options_policy(skip_invalid=True, warn_on_skip=False): options = OptionTree(items=Store.options(backend).data.items(), groups=Store.options(backend).groups) cls.apply_customizations(spec, options) for error in cls.stop_recording_skipped(): error_key = (error.invalid_keyword, error.allowed_keywords. target, error.group_name) error_info[error_key + (backend,)] = error.allowed_keywords backend_errors[error_key].add(backend) for (keyword, target, group_name), backends in backend_errors.items(): if set(backends) == set(loaded_backends): key = keyword, target, group_name, Store.current_backend raise OptionError(keyword, group_name=group_name, allowed_keywords=error_info[key])
validate_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, spec, backends=None):\n loaded_backends = Store.loaded_backends() if backends is None else backends\n error_info = {}\n backend_errors = defaultdict(set)\n for backend in loaded_backends:\n cls.start_recording_skipped()\n with options_policy(skip_invalid=True, warn_on_skip=False):\n options = OptionTree(items=Store.options(backend).data.items(),\n groups=Store.options(backend).groups)\n cls.apply_customizations(spec, options)\n for error in cls.stop_recording_skipped():\n error_key = (error.invalid_keyword, error.allowed_keywords.\n target, error.group_name)\n error_info[error_key + (backend,)] = error.allowed_keywords\n backend_errors[error_key].add(backend)\n for (keyword, target, group_name), backends in backend_errors.items():\n if set(backends) == set(loaded_backends):\n key = keyword, target, group_name, Store.current_backend\n raise OptionError(keyword, group_name=group_name,\n allowed_keywords=error_info[key])\n", "role": "user" }, { "content": "validate_spec", "role": "assistant" } ]