source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(cls, spec, backends=None): try: cls.validate_spec(spec, backends=backends) except OptionError as e: return e.format_options_error()
validation_error_message
[ { "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 try:\n cls.validate_spec(spec, backends=backends)\n except OptionError as e:\n return e.format_options_error()\n", "role": "user" }, { "content": "validation_error_message", "role": "assistant" } ]
def x(cls, spec): expanded_spec = {} applied_keys = [] compositor_defs = {el.group: el.output_type.__name__ for el in Compositor.definitions} for key, val in spec.items(): if key not in compositor_defs: expanded_spec[key] = val else: applied_keys = ['Overlay'] type_name = compositor_defs[key] expanded_spec[str(type_name + '.' + key)] = val return expanded_spec, applied_keys
expand_compositor_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, spec):\n expanded_spec = {}\n applied_keys = []\n compositor_defs = {el.group: el.output_type.__name__ for el in\n Compositor.definitions}\n for key, val in spec.items():\n if key not in compositor_defs:\n expanded_spec[key] = val\n else:\n applied_keys = ['Overlay']\n type_name = compositor_defs[key]\n expanded_spec[str(type_name + '.' + key)] = val\n return expanded_spec, applied_keys\n", "role": "user" }, { "content": "expand_compositor_keys", "role": "assistant" } ]
def x(cls, obj, options=None): clones, id_mapping = {}, [] obj_ids = cls.get_object_ids(obj) offset = cls.id_offset() obj_ids = [None] if len(obj_ids) == 0 else obj_ids for tree_id in obj_ids: if tree_id is not None and tree_id in Store.custom_options(): original = Store.custom_options()[tree_id] clone = OptionTree(items=original.items(), groups=original.groups) clones[tree_id + offset + 1] = clone id_mapping.append((tree_id, tree_id + offset + 1)) else: clone = OptionTree(groups=Store.options().groups) clones[offset] = clone id_mapping.append((tree_id, offset)) for k in Store.options(): if k in [(opt.split('.')[0],) for opt in options]: group = {grp: Options(allowed_keywords=opt.allowed_keywords ) for grp, opt in Store.options()[k].groups.items()} clone[k] = group return {k: (cls.apply_customizations(options, t) if options else t) for k, t in clones.items()}, id_mapping
create_custom_trees
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, options=None):\n clones, id_mapping = {}, []\n obj_ids = cls.get_object_ids(obj)\n offset = cls.id_offset()\n obj_ids = [None] if len(obj_ids) == 0 else obj_ids\n for tree_id in obj_ids:\n if tree_id is not None and tree_id in Store.custom_options():\n original = Store.custom_options()[tree_id]\n clone = OptionTree(items=original.items(), groups=original.groups)\n clones[tree_id + offset + 1] = clone\n id_mapping.append((tree_id, tree_id + offset + 1))\n else:\n clone = OptionTree(groups=Store.options().groups)\n clones[offset] = clone\n id_mapping.append((tree_id, offset))\n for k in Store.options():\n if k in [(opt.split('.')[0],) for opt in options]:\n group = {grp: Options(allowed_keywords=opt.allowed_keywords\n ) for grp, opt in Store.options()[k].groups.items()}\n clone[k] = group\n return {k: (cls.apply_customizations(options, t) if options else t) for\n k, t in clones.items()}, id_mapping\n", "role": "user" }, { "content": "create_custom_trees", "role": "assistant" } ]
def x(cls, groups, options=None, **kwargs): groups = set(groups) if options is not None and set(options.keys()) <= groups: kwargs, options = options, None elif options is not None and any(k in groups for k in options): raise Exception('All keys must be a subset of %s' % ', '.join(groups)) options = {} if options is None else dict(**options) all_keys = set(k for d in kwargs.values() for k in d) for spec_key in all_keys: additions = {} for k, d in kwargs.items(): if spec_key in d: kws = d[spec_key] additions.update({k: kws}) if spec_key not in options: options[spec_key] = {} for key in additions: if key in options[spec_key]: options[spec_key][key].update(additions[key]) else: options[spec_key][key] = additions[key] return options
merge_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, groups, options=None, **kwargs):\n groups = set(groups)\n if options is not None and set(options.keys()) <= groups:\n kwargs, options = options, None\n elif options is not None and any(k in groups for k in options):\n raise Exception('All keys must be a subset of %s' % ', '.join(groups))\n options = {} if options is None else dict(**options)\n all_keys = set(k for d in kwargs.values() for k in d)\n for spec_key in all_keys:\n additions = {}\n for k, d in kwargs.items():\n if spec_key in d:\n kws = d[spec_key]\n additions.update({k: kws})\n if spec_key not in options:\n options[spec_key] = {}\n for key in additions:\n if key in options[spec_key]:\n options[spec_key][key].update(additions[key])\n else:\n options[spec_key][key] = additions[key]\n return options\n", "role": "user" }, { "content": "merge_options", "role": "assistant" } ]
def x(cls, obj, state=None): if state is None: ids = cls.capture_ids(obj) original_custom_keys = set(Store.custom_options().keys()) return ids, original_custom_keys else: ids, original_custom_keys = state current_custom_keys = set(Store.custom_options().keys()) for key in current_custom_keys.difference(original_custom_keys): del Store.custom_options()[key] cls.restore_ids(obj, ids)
state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, state=None):\n if state is None:\n ids = cls.capture_ids(obj)\n original_custom_keys = set(Store.custom_options().keys())\n return ids, original_custom_keys\n else:\n ids, original_custom_keys = state\n current_custom_keys = set(Store.custom_options().keys())\n for key in current_custom_keys.difference(original_custom_keys):\n del Store.custom_options()[key]\n cls.restore_ids(obj, ids)\n", "role": "user" }, { "content": "state", "role": "assistant" } ]
def x(cls, obj, options=None, **kwargs): if options is None and kwargs == {}: yield else: Store._options_context = True optstate = cls.state(obj) groups = Store.options().groups.keys() options = cls.merge_options(groups, options, **kwargs) cls.set_options(obj, options) yield if options is not None: Store._options_context = True cls.state(obj, state=optstate)
options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, options=None, **kwargs):\n if options is None and kwargs == {}:\n yield\n else:\n Store._options_context = True\n optstate = cls.state(obj)\n groups = Store.options().groups.keys()\n options = cls.merge_options(groups, options, **kwargs)\n cls.set_options(obj, options)\n yield\n if options is not None:\n Store._options_context = True\n cls.state(obj, state=optstate)\n", "role": "user" }, { "content": "options", "role": "assistant" } ]
def x(cls): max_ids = [] for backend in Store.renderers.keys(): store_ids = Store.custom_options(backend=backend).keys() max_id = max(store_ids) + 1 if len(store_ids) > 0 else 0 max_ids.append(max_id) return max(max_ids) if len(max_ids) else 0
id_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n max_ids = []\n for backend in Store.renderers.keys():\n store_ids = Store.custom_options(backend=backend).keys()\n max_id = max(store_ids) + 1 if len(store_ids) > 0 else 0\n max_ids.append(max_id)\n return max(max_ids) if len(max_ids) else 0\n", "role": "user" }, { "content": "id_offset", "role": "assistant" } ]
def x(cls, id_mapping, custom_trees, backend=None): backend = Store.current_backend if backend is None else backend Store.custom_options(backend=backend).update(custom_trees) for b in Store.loaded_backends(): if b == backend: continue backend_trees = Store._custom_options[b] for old_id, new_id in id_mapping: tree = backend_trees.get(old_id, None) if tree is not None: backend_trees[new_id] = tree
update_backends
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, id_mapping, custom_trees, backend=None):\n backend = Store.current_backend if backend is None else backend\n Store.custom_options(backend=backend).update(custom_trees)\n for b in Store.loaded_backends():\n if b == backend:\n continue\n backend_trees = Store._custom_options[b]\n for old_id, new_id in id_mapping:\n tree = backend_trees.get(old_id, None)\n if tree is not None:\n backend_trees[new_id] = tree\n", "role": "user" }, { "content": "update_backends", "role": "assistant" } ]
def x(cls, obj, options=None, backend=None, **kwargs): options = cls.merge_options(Store.options(backend=backend).groups.keys( ), options, **kwargs) spec, compositor_applied = cls.expand_compositor_keys(options) custom_trees, id_mapping = cls.create_custom_trees(obj, spec) cls.update_backends(id_mapping, custom_trees, backend=backend) not_used = [] for match_id, new_id in id_mapping: applied = cls.propagate_ids(obj, match_id, new_id, compositor_applied + list(spec.keys()), backend=backend) if not applied: not_used.append(new_id) for new_id in set(not_used): cleanup_custom_options(new_id) return obj
set_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj, options=None, backend=None, **kwargs):\n options = cls.merge_options(Store.options(backend=backend).groups.keys(\n ), options, **kwargs)\n spec, compositor_applied = cls.expand_compositor_keys(options)\n custom_trees, id_mapping = cls.create_custom_trees(obj, spec)\n cls.update_backends(id_mapping, custom_trees, backend=backend)\n not_used = []\n for match_id, new_id in id_mapping:\n applied = cls.propagate_ids(obj, match_id, new_id, \n compositor_applied + list(spec.keys()), backend=backend)\n if not applied:\n not_used.append(new_id)\n for new_id in set(not_used):\n cleanup_custom_options(new_id)\n return obj\n", "role": "user" }, { "content": "set_options", "role": "assistant" } ]
def x(color): if not isinstance(color, basestring): return False elif RGB_HEX_REGEX.match(color): return True elif color in COLOR_ALIASES: return True elif color in cnames: return True return False
is_color
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color):\n if not isinstance(color, basestring):\n return False\n elif RGB_HEX_REGEX.match(color):\n return True\n elif color in COLOR_ALIASES:\n return True\n elif color in cnames:\n return True\n return False\n", "role": "user" }, { "content": "is_color", "role": "assistant" } ]
def x(style, value, vectorized=True): validator = get_validator(style) if validator is None: return None if isinstance(value, (np.ndarray, list)) and vectorized: return all(validator(v) for v in value) try: valid = validator(value) return False if valid == False else True except: return False
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(style, value, vectorized=True):\n validator = get_validator(style)\n if validator is None:\n return None\n if isinstance(value, (np.ndarray, list)) and vectorized:\n return all(validator(v) for v in value)\n try:\n valid = validator(value)\n return False if valid == False else True\n except:\n return False\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(style, group, other_groups, blacklist=[]): group = group + '_' filtered = {} for k, v in style.items(): if any(k.startswith(p) for p in other_groups) or k.startswith(group ) or k in blacklist: continue filtered[k] = v for k, v in style.items(): if not k.startswith(group) or k in blacklist: continue filtered[k[len(group):]] = v return filtered
filter_styles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(style, group, other_groups, blacklist=[]):\n group = group + '_'\n filtered = {}\n for k, v in style.items():\n if any(k.startswith(p) for p in other_groups) or k.startswith(group\n ) or k in blacklist:\n continue\n filtered[k] = v\n for k, v in style.items():\n if not k.startswith(group) or k in blacklist:\n continue\n filtered[k[len(group):]] = v\n return filtered\n", "role": "user" }, { "content": "filter_styles", "role": "assistant" } ]
def x(formatter): if isinstance(formatter, ticker.Formatter): return formatter elif callable(formatter): args = [arg for arg in _getargspec(formatter).args if arg != 'self'] wrapped = formatter if len(args) == 1: def x(val, pos=None): return formatter(val) return ticker.FuncFormatter(wrapped) elif isinstance(formatter, basestring): if re.findall('\\{(\\w+)\\}', formatter): return ticker.StrMethodFormatter(formatter) else: return ticker.FormatStrFormatter(formatter)
wrap_formatter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(formatter):\n if isinstance(formatter, ticker.Formatter):\n return formatter\n elif callable(formatter):\n args = [arg for arg in _getargspec(formatter).args if arg != 'self']\n wrapped = formatter\n if len(args) == 1:\n\n def x(val, pos=None):\n return formatter(val)\n return ticker.FuncFormatter(wrapped)\n elif isinstance(formatter, basestring):\n if re.findall('\\\\{(\\\\w+)\\\\}', formatter):\n return ticker.StrMethodFormatter(formatter)\n else:\n return ticker.FormatStrFormatter(formatter)\n", "role": "user" }, { "content": "wrap_formatter", "role": "assistant" } ]
def x(ax1, ax2): b1, t1 = ax1.get_position().intervaly b2, t2 = ax2.get_position().intervaly return t1 > b2 and b1 < t2
axis_overlap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ax1, ax2):\n b1, t1 = ax1.get_position().intervaly\n b2, t2 = ax2.get_position().intervaly\n return t1 > b2 and b1 < t2\n", "role": "user" }, { "content": "axis_overlap", "role": "assistant" } ]
def x(rows): merged_rows = [] for row in rows: overlap = False for mrow in merged_rows: if any(axis_overlap(ax1, ax2) for ax1 in row for ax2 in mrow): mrow += row overlap = True break if not overlap: merged_rows.append(row) if rows == merged_rows: return rows else: return resolve_rows(merged_rows)
resolve_rows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rows):\n merged_rows = []\n for row in rows:\n overlap = False\n for mrow in merged_rows:\n if any(axis_overlap(ax1, ax2) for ax1 in row for ax2 in mrow):\n mrow += row\n overlap = True\n break\n if not overlap:\n merged_rows.append(row)\n if rows == merged_rows:\n return rows\n else:\n return resolve_rows(merged_rows)\n", "role": "user" }, { "content": "resolve_rows", "role": "assistant" } ]
def x(fig, nrows, ncols, title=None, extra_artists=[], vspace=0.2, hspace=0.2): fig.canvas.draw() w, h = fig.get_size_inches() rows = resolve_rows([[ax] for ax in fig.axes]) rs, cs = len(rows), max([len(r) for r in rows]) heights = [[] for i in range(cs)] widths = [[] for i in range(rs)] for r, row in enumerate(rows): for c, ax in enumerate(row): bbox = ax.get_tightbbox(fig.canvas.get_renderer()) heights[c].append(bbox.height) widths[r].append(bbox.width) height = max([sum(c) for c in heights]) + nrows * vspace * fig.dpi width = max([sum(r) for r in widths]) + ncols * hspace * fig.dpi aspect = height / width offset = 0 if title and title.get_text(): offset = title.get_window_extent().height / fig.dpi fig.set_size_inches(w, w * aspect + offset) fig.canvas.draw() if title and title.get_text(): extra_artists = [a for a in extra_artists if a is not title] bbox = get_tight_bbox(fig, extra_artists) top = bbox.intervaly[1] if title and title.get_text(): title.set_y(top / (w * aspect))
fix_aspect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, nrows, ncols, title=None, extra_artists=[], vspace=0.2, hspace=0.2):\n fig.canvas.draw()\n w, h = fig.get_size_inches()\n rows = resolve_rows([[ax] for ax in fig.axes])\n rs, cs = len(rows), max([len(r) for r in rows])\n heights = [[] for i in range(cs)]\n widths = [[] for i in range(rs)]\n for r, row in enumerate(rows):\n for c, ax in enumerate(row):\n bbox = ax.get_tightbbox(fig.canvas.get_renderer())\n heights[c].append(bbox.height)\n widths[r].append(bbox.width)\n height = max([sum(c) for c in heights]) + nrows * vspace * fig.dpi\n width = max([sum(r) for r in widths]) + ncols * hspace * fig.dpi\n aspect = height / width\n offset = 0\n if title and title.get_text():\n offset = title.get_window_extent().height / fig.dpi\n fig.set_size_inches(w, w * aspect + offset)\n fig.canvas.draw()\n if title and title.get_text():\n extra_artists = [a for a in extra_artists if a is not title]\n bbox = get_tight_bbox(fig, extra_artists)\n top = bbox.intervaly[1]\n if title and title.get_text():\n title.set_y(top / (w * aspect))\n", "role": "user" }, { "content": "fix_aspect", "role": "assistant" } ]
def x(fig, bbox_extra_artists=[], pad=None): renderer = fig.canvas.get_renderer() bbox_inches = fig.get_tightbbox(renderer) bbox_artists = bbox_extra_artists[:] bbox_artists += fig.get_default_bbox_extra_artists() bbox_filtered = [] for a in bbox_artists: bbox = a.get_window_extent(renderer) if isinstance(bbox, tuple): continue if a.get_clip_on(): clip_box = a.get_clip_box() if clip_box is not None: bbox = Bbox.intersection(bbox, clip_box) clip_path = a.get_clip_path() if clip_path is not None and bbox is not None: clip_path = clip_path.get_fully_transformed_path() bbox = Bbox.intersection(bbox, clip_path.get_extents()) if bbox is not None and (bbox.width != 0 or bbox.height != 0): bbox_filtered.append(bbox) if bbox_filtered: _bbox = Bbox.union(bbox_filtered) trans = Affine2D().scale(1.0 / fig.dpi) bbox_extra = TransformedBbox(_bbox, trans) bbox_inches = Bbox.union([bbox_inches, bbox_extra]) return bbox_inches.padded(pad) if pad else bbox_inches
get_tight_bbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fig, bbox_extra_artists=[], pad=None):\n renderer = fig.canvas.get_renderer()\n bbox_inches = fig.get_tightbbox(renderer)\n bbox_artists = bbox_extra_artists[:]\n bbox_artists += fig.get_default_bbox_extra_artists()\n bbox_filtered = []\n for a in bbox_artists:\n bbox = a.get_window_extent(renderer)\n if isinstance(bbox, tuple):\n continue\n if a.get_clip_on():\n clip_box = a.get_clip_box()\n if clip_box is not None:\n bbox = Bbox.intersection(bbox, clip_box)\n clip_path = a.get_clip_path()\n if clip_path is not None and bbox is not None:\n clip_path = clip_path.get_fully_transformed_path()\n bbox = Bbox.intersection(bbox, clip_path.get_extents())\n if bbox is not None and (bbox.width != 0 or bbox.height != 0):\n bbox_filtered.append(bbox)\n if bbox_filtered:\n _bbox = Bbox.union(bbox_filtered)\n trans = Affine2D().scale(1.0 / fig.dpi)\n bbox_extra = TransformedBbox(_bbox, trans)\n bbox_inches = Bbox.union([bbox_inches, bbox_extra])\n return bbox_inches.padded(pad) if pad else bbox_inches\n", "role": "user" }, { "content": "get_tight_bbox", "role": "assistant" } ]
def x(image): if isinstance(image, RGB): rgb = image.rgb data = np.dstack([np.flipud(rgb.dimension_values(d, flat=False)) for d in rgb.vdims]) else: data = image.dimension_values(2, flat=False) if type(image) is Raster: data = data.T else: data = np.flipud(data) return data
get_raster_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(image):\n if isinstance(image, RGB):\n rgb = image.rgb\n data = np.dstack([np.flipud(rgb.dimension_values(d, flat=False)) for\n d in rgb.vdims])\n else:\n data = image.dimension_values(2, flat=False)\n if type(image) is Raster:\n data = data.T\n else:\n data = np.flipud(data)\n return data\n", "role": "user" }, { "content": "get_raster_array", "role": "assistant" } ]
def x(array): n = len(array) codes = np.ones(n, dtype=Path.code_type) * Path.LINETO codes[0] = Path.MOVETO codes[-1] = Path.CLOSEPOLY return codes
ring_coding
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array):\n n = len(array)\n codes = np.ones(n, dtype=Path.code_type) * Path.LINETO\n codes[0] = Path.MOVETO\n codes[-1] = Path.CLOSEPOLY\n return codes\n", "role": "user" }, { "content": "ring_coding", "role": "assistant" } ]
def x(element): paths = element.split(datatype='array', dimensions=element.kdims) has_holes = isinstance(element, Polygons) and element.interface.has_holes( element) holes = element.interface.holes(element) if has_holes else None mpl_paths = [] for i, path in enumerate(paths): splits = np.where(np.isnan(path[:, :2].astype('float')).sum(axis=1))[0] arrays = np.split(path, splits + 1) if len(splits) else [path] subpath = [] for j, array in enumerate(arrays): if j != len(arrays) - 1: array = array[:-1] if (array[0] != array[-1]).any(): array = np.append(array, array[:1], axis=0) interiors = [] for interior in (holes[i][j] if has_holes else []): if (interior[0] != interior[-1]).any(): interior = np.append(interior, interior[:1], axis=0) interiors.append(interior) vertices = np.concatenate([array] + interiors) codes = np.concatenate([ring_coding(array)] + [ring_coding(h) for h in interiors]) subpath.append(PathPatch(Path(vertices, codes))) mpl_paths.append(subpath) return mpl_paths
polygons_to_path_patches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element):\n paths = element.split(datatype='array', dimensions=element.kdims)\n has_holes = isinstance(element, Polygons) and element.interface.has_holes(\n element)\n holes = element.interface.holes(element) if has_holes else None\n mpl_paths = []\n for i, path in enumerate(paths):\n splits = np.where(np.isnan(path[:, :2].astype('float')).sum(axis=1))[0]\n arrays = np.split(path, splits + 1) if len(splits) else [path]\n subpath = []\n for j, array in enumerate(arrays):\n if j != len(arrays) - 1:\n array = array[:-1]\n if (array[0] != array[-1]).any():\n array = np.append(array, array[:1], axis=0)\n interiors = []\n for interior in (holes[i][j] if has_holes else []):\n if (interior[0] != interior[-1]).any():\n interior = np.append(interior, interior[:1], axis=0)\n interiors.append(interior)\n vertices = np.concatenate([array] + interiors)\n codes = np.concatenate([ring_coding(array)] + [ring_coding(h) for\n h in interiors])\n subpath.append(PathPatch(Path(vertices, codes)))\n mpl_paths.append(subpath)\n return mpl_paths\n", "role": "user" }, { "content": "polygons_to_path_patches", "role": "assistant" } ]
def x(self): if isinstance(self, GenericOverlayPlot): zorders = [] elif self.batched: zorders = list(range(self.zorder, self.zorder + len(self.hmap.last))) else: zorders = [self.zorder] if isinstance(self, GenericOverlayPlot) and not self.batched: sources = [] elif not self.static or isinstance(self.hmap, DynamicMap): sources = [o for i, inputs in self.stream_sources.items() for o in inputs if i in zorders] else: sources = [self.hmap.last] return sources
link_sources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if isinstance(self, GenericOverlayPlot):\n zorders = []\n elif self.batched:\n zorders = list(range(self.zorder, self.zorder + len(self.hmap.last)))\n else:\n zorders = [self.zorder]\n if isinstance(self, GenericOverlayPlot) and not self.batched:\n sources = []\n elif not self.static or isinstance(self.hmap, DynamicMap):\n sources = [o for i, inputs in self.stream_sources.items() for o in\n inputs if i in zorders]\n else:\n sources = [self.hmap.last]\n return sources\n", "role": "user" }, { "content": "link_sources", "role": "assistant" } ]
def x(self): cb_classes = set() registry = list(Stream.registry.items()) callbacks = Stream._callbacks['bokeh'] for source in self.link_sources: streams = [s for src, streams in registry for s in streams if src is source or src._plot_id is not None and src._plot_id == source. _plot_id] cb_classes |= {(callbacks[type(stream)], stream) for stream in streams if type(stream) in callbacks and stream.linked and stream.source is not None} cbs = [] sorted_cbs = sorted(cb_classes, key=lambda x: id(x[0])) for cb, group in groupby(sorted_cbs, lambda x: x[0]): cb_streams = [s for _, s in group] cbs.append(cb(self, cb_streams, source)) return cbs
construct_callbacks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cb_classes = set()\n registry = list(Stream.registry.items())\n callbacks = Stream._callbacks['bokeh']\n for source in self.link_sources:\n streams = [s for src, streams in registry for s in streams if src is\n source or src._plot_id is not None and src._plot_id == source.\n _plot_id]\n cb_classes |= {(callbacks[type(stream)], stream) for stream in\n streams if type(stream) in callbacks and stream.linked and \n stream.source is not None}\n cbs = []\n sorted_cbs = sorted(cb_classes, key=lambda x: id(x[0]))\n for cb, group in groupby(sorted_cbs, lambda x: x[0]):\n cb_streams = [s for _, s in group]\n cbs.append(cb(self, cb_streams, source))\n return cbs\n", "role": "user" }, { "content": "construct_callbacks", "role": "assistant" } ]
def x(self): if self.renderer.mode == 'server': return if self.comm is None: raise Exception('Renderer does not have a comm.') if self._root and 'embedded' in self._root.tags: return msg = self.renderer.diff(self, binary=True) if msg is None: return self.comm.send(msg.header_json) self.comm.send(msg.metadata_json) self.comm.send(msg.content_json) for header, payload in msg.buffers: self.comm.send(json.dumps(header)) self.comm.send(buffers=[payload])
push
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.renderer.mode == 'server':\n return\n if self.comm is None:\n raise Exception('Renderer does not have a comm.')\n if self._root and 'embedded' in self._root.tags:\n return\n msg = self.renderer.diff(self, binary=True)\n if msg is None:\n return\n self.comm.send(msg.header_json)\n self.comm.send(msg.metadata_json)\n self.comm.send(msg.content_json)\n for header, payload in msg.buffers:\n self.comm.send(json.dumps(header))\n self.comm.send(buffers=[payload])\n", "role": "user" }, { "content": "push", "role": "assistant" } ]
def x(self, root): if root is None: return for plot in self.traverse(lambda x: x): plot._root = root
set_root
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, root):\n if root is None:\n return\n for plot in self.traverse(lambda x: x):\n plot._root = root\n", "role": "user" }, { "content": "set_root", "role": "assistant" } ]
def x(self, data): data = self._postprocess_data(data) return ColumnDataSource(data=data)
init_datasource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n data = self._postprocess_data(data)\n return ColumnDataSource(data=data)\n", "role": "user" }, { "content": "init_datasource", "role": "assistant" } ]
def x(self, data): new_data = {} for k, values in data.items(): values = decode_bytes(values) if len(values) and isinstance(values[0], cftime_types): if any(v.calendar not in _STANDARD_CALENDARS for v in values): self.param.warning( 'Converting cftime.datetime from a non-standard calendar (%s) to a standard calendar for plotting. This may lead to subtle errors in formatting dates, for accurate tick formatting switch to the matplotlib backend.' % values[0].calendar) values = cftime_to_timestamp(values, 'ms') new_data[k] = values return new_data
postprocess_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n new_data = {}\n for k, values in data.items():\n values = decode_bytes(values)\n if len(values) and isinstance(values[0], cftime_types):\n if any(v.calendar not in _STANDARD_CALENDARS for v in values):\n self.param.warning(\n 'Converting cftime.datetime from a non-standard calendar (%s) to a standard calendar for plotting. This may lead to subtle errors in formatting dates, for accurate tick formatting switch to the matplotlib backend.'\n % values[0].calendar)\n values = cftime_to_timestamp(values, 'ms')\n new_data[k] = values\n return new_data\n", "role": "user" }, { "content": "postprocess_data", "role": "assistant" } ]
def x(self, source, data): if not self.document: return data = self._postprocess_data(data) empty = all(len(v) == 0 for v in data.values()) if self.streaming and self.streaming[0 ].data is self.current_frame.data and self._stream_data and not empty: stream = self.streaming[0] if stream._triggering: data = {k: v[-stream._chunk_length:] for k, v in data.items()} source.stream(data, stream.length) return if cds_column_replace(source, data): source.data = data else: source.data.update(data)
update_datasource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, data):\n if not self.document:\n return\n data = self._postprocess_data(data)\n empty = all(len(v) == 0 for v in data.values())\n if self.streaming and self.streaming[0\n ].data is self.current_frame.data and self._stream_data and not empty:\n stream = self.streaming[0]\n if stream._triggering:\n data = {k: v[-stream._chunk_length:] for k, v in data.items()}\n source.stream(data, stream.length)\n return\n if cds_column_replace(source, data):\n source.data = data\n else:\n source.data.update(data)\n", "role": "user" }, { "content": "update_datasource", "role": "assistant" } ]
def x(self, plot): subplots = self.traverse(lambda x: x, [GenericElementPlot]) merged_tools = {t: list(plot.select({'type': TOOL_TYPES[t]})) for t in self._merged_tools} for subplot in subplots: for cb in subplot.callbacks: for c in cb.callbacks: for tool, objs in merged_tools.items(): if tool in c.args and objs: c.args[tool] = objs[0] if self.top_level: c.code = c.code.replace('PLACEHOLDER_PLOT_ID', self.id)
update_callbacks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot):\n subplots = self.traverse(lambda x: x, [GenericElementPlot])\n merged_tools = {t: list(plot.select({'type': TOOL_TYPES[t]})) for t in\n self._merged_tools}\n for subplot in subplots:\n for cb in subplot.callbacks:\n for c in cb.callbacks:\n for tool, objs in merged_tools.items():\n if tool in c.args and objs:\n c.args[tool] = objs[0]\n if self.top_level:\n c.code = c.code.replace('PLACEHOLDER_PLOT_ID', self.id)\n", "role": "user" }, { "content": "update_callbacks", "role": "assistant" } ]
def x(self): plots = self.traverse(lambda x: x, [BokehPlot]) for plot in plots: if not isinstance(plot, (GenericCompositePlot, GenericElementPlot, GenericOverlayPlot)): continue streams = list(plot.streams) plot.streams = [] plot._document = None if plot.subplots: plot.subplots.clear() if isinstance(plot, GenericElementPlot): for callback in plot.callbacks: streams += callback.streams callback.cleanup() for stream in set(streams): stream._subscribers = [(p, subscriber) for p, subscriber in stream._subscribers if get_method_owner(subscriber) not in plots] if self.comm and self.root is self.handles.get('plot'): self.comm.close()
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n plots = self.traverse(lambda x: x, [BokehPlot])\n for plot in plots:\n if not isinstance(plot, (GenericCompositePlot, GenericElementPlot,\n GenericOverlayPlot)):\n continue\n streams = list(plot.streams)\n plot.streams = []\n plot._document = None\n if plot.subplots:\n plot.subplots.clear()\n if isinstance(plot, GenericElementPlot):\n for callback in plot.callbacks:\n streams += callback.streams\n callback.cleanup()\n for stream in set(streams):\n stream._subscribers = [(p, subscriber) for p, subscriber in\n stream._subscribers if get_method_owner(subscriber) not in\n plots]\n if self.comm and self.root is self.handles.get('plot'):\n self.comm.close()\n", "role": "user" }, { "content": "cleanup", "role": "assistant" } ]
def x(self, key, label='fontsize', common=True): size = super(BokehPlot, self)._fontsize(key, label, common) return {k: (v if isinstance(v, basestring) else '%spt' % v) for k, v in size.items()}
fontsize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, label='fontsize', common=True):\n size = super(BokehPlot, self)._fontsize(key, label, common)\n return {k: (v if isinstance(v, basestring) else '%spt' % v) for k, v in\n size.items()}\n", "role": "user" }, { "content": "fontsize", "role": "assistant" } ]
def x(self): get_sources = lambda x: (id(x.current_frame.data), x) filter_fn = (lambda x: x.shared_datasource and x.current_frame is not None and not isinstance(x.current_frame.data, np.ndarray) and 'source' in x.handles) data_sources = self.traverse(get_sources, [filter_fn]) grouped_sources = groupby(sorted(data_sources, key=lambda x: x[0]), lambda x: x[0]) shared_sources = [] source_cols = {} plots = [] for _, group in grouped_sources: group = list(group) if len(group) > 1: source_data = {} for _, plot in group: source_data.update(plot.handles['source'].data) new_source = ColumnDataSource(source_data) for _, plot in group: renderer = plot.handles.get('glyph_renderer') for callback in plot.callbacks: callback.reset() if renderer is None: continue elif 'data_source' in renderer.properties(): renderer.update(data_source=new_source) else: renderer.update(source=new_source) if hasattr(renderer, 'view'): renderer.view.update(source=new_source) plot.handles['source'] = plot.handles['cds'] = new_source plots.append(plot) shared_sources.append(new_source) source_cols[id(new_source)] = [c for c in new_source.data] for plot in plots: if plot.hooks and plot.finalize_hooks: self.param.warning( 'Supply either hooks or finalize_hooks not both; using hooks and ignoring finalize_hooks.' ) hooks = plot.hooks or plot.finalize_hooks for hook in hooks: hook(plot, plot.current_frame) for callback in plot.callbacks: callback.initialize(plot_id=self.id) self.handles['shared_sources'] = shared_sources self.handles['source_cols'] = source_cols
sync_sources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n get_sources = lambda x: (id(x.current_frame.data), x)\n filter_fn = (lambda x: x.shared_datasource and x.current_frame is not\n None and not isinstance(x.current_frame.data, np.ndarray) and \n 'source' in x.handles)\n data_sources = self.traverse(get_sources, [filter_fn])\n grouped_sources = groupby(sorted(data_sources, key=lambda x: x[0]), lambda\n x: x[0])\n shared_sources = []\n source_cols = {}\n plots = []\n for _, group in grouped_sources:\n group = list(group)\n if len(group) > 1:\n source_data = {}\n for _, plot in group:\n source_data.update(plot.handles['source'].data)\n new_source = ColumnDataSource(source_data)\n for _, plot in group:\n renderer = plot.handles.get('glyph_renderer')\n for callback in plot.callbacks:\n callback.reset()\n if renderer is None:\n continue\n elif 'data_source' in renderer.properties():\n renderer.update(data_source=new_source)\n else:\n renderer.update(source=new_source)\n if hasattr(renderer, 'view'):\n renderer.view.update(source=new_source)\n plot.handles['source'] = plot.handles['cds'] = new_source\n plots.append(plot)\n shared_sources.append(new_source)\n source_cols[id(new_source)] = [c for c in new_source.data]\n for plot in plots:\n if plot.hooks and plot.finalize_hooks:\n self.param.warning(\n 'Supply either hooks or finalize_hooks not both; using hooks and ignoring finalize_hooks.'\n )\n hooks = plot.hooks or plot.finalize_hooks\n for hook in hooks:\n hook(plot, plot.current_frame)\n for callback in plot.callbacks:\n callback.initialize(plot_id=self.id)\n self.handles['shared_sources'] = shared_sources\n self.handles['source_cols'] = source_cols\n", "role": "user" }, { "content": "sync_sources", "role": "assistant" } ]
def x(self): streams = [s for s in self.streams if any(k in self.dimensions for k in s.contents)] for s in streams: s.add_subscriber(self._stream_update, 1)
link_dimensioned_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n streams = [s for s in self.streams if any(k in self.dimensions for k in\n s.contents)]\n for s in streams:\n s.add_subscriber(self._stream_update, 1)\n", "role": "user" }, { "content": "link_dimensioned_streams", "role": "assistant" } ]
def x(self, key, ranges=None): ranges = self.compute_ranges(self.layout, key, ranges) for coord in self.layout.keys(full_grid=True): subplot = self.subplots.get(wrap_tuple(coord), None) if subplot is not None: subplot.update_frame(key, ranges) title = self._get_title_div(key) if title: self.handles['title']
update_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, ranges=None):\n ranges = self.compute_ranges(self.layout, key, ranges)\n for coord in self.layout.keys(full_grid=True):\n subplot = self.subplots.get(wrap_tuple(coord), None)\n if subplot is not None:\n subplot.update_frame(key, ranges)\n title = self._get_title_div(key)\n if title:\n self.handles['title']\n", "role": "user" }, { "content": "update_frame", "role": "assistant" } ]
def x(self, layout, positions, layout_dimensions, ranges, num=0): subplots = {} adjoint_clone = layout.clone(shared_data=False, id=layout.id) main_plot = None for pos in positions: element = layout.get(pos, None) if element is None or not element.traverse(lambda x: x, [Element, Empty]): continue if not displayable(element): element = collate(element) subplot_opts = dict(adjoined=main_plot) vtype = element.type if isinstance(element, HoloMap ) else element.__class__ plot_type = Store.registry[self.renderer.backend].get(vtype, None) plotopts = self.lookup_options(element, 'plot').options side_opts = {} if pos != 'main': plot_type = AdjointLayoutPlot.registry.get(vtype, plot_type) if pos == 'right': yaxis = ('right-bare' if plot_type and 'bare' in plot_type. yaxis else 'right') width = plot_type.width if plot_type else 0 side_opts = dict(height=main_plot.height, yaxis=yaxis, width=width, invert_axes=True, labelled=['y'], xticks=1, xaxis=main_plot.xaxis) else: xaxis = ('top-bare' if plot_type and 'bare' in plot_type. xaxis else 'top') height = plot_type.height if plot_type else 0 side_opts = dict(width=main_plot.width, xaxis=xaxis, height =height, labelled=['x'], yticks=1, yaxis=main_plot.yaxis) plotopts = dict(side_opts, **plotopts) plotopts.update(subplot_opts) if vtype is Empty: adjoint_clone[pos] = element subplots[pos] = None continue elif plot_type is None: self.param.warning( 'Bokeh plotting class for %s type not found, object will not be rendered.' % vtype.__name__) continue num = num if len(self.coords) > 1 else 0 subplot = plot_type(element, keys=self.keys, dimensions=self. dimensions, layout_dimensions=layout_dimensions, ranges=ranges, subplot=True, uniform=self.uniform, layout_num=num, renderer= self.renderer, **dict({'shared_axes': self.shared_axes}, ** plotopts)) subplots[pos] = subplot if isinstance(plot_type, type) and issubclass(plot_type, GenericCompositePlot): adjoint_clone[pos] = subplots[pos].layout else: adjoint_clone[pos] = subplots[pos].hmap if pos == 'main': main_plot = subplot return subplots, adjoint_clone
create_subplots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, layout, positions, layout_dimensions, ranges, num=0):\n subplots = {}\n adjoint_clone = layout.clone(shared_data=False, id=layout.id)\n main_plot = None\n for pos in positions:\n element = layout.get(pos, None)\n if element is None or not element.traverse(lambda x: x, [Element,\n Empty]):\n continue\n if not displayable(element):\n element = collate(element)\n subplot_opts = dict(adjoined=main_plot)\n vtype = element.type if isinstance(element, HoloMap\n ) else element.__class__\n plot_type = Store.registry[self.renderer.backend].get(vtype, None)\n plotopts = self.lookup_options(element, 'plot').options\n side_opts = {}\n if pos != 'main':\n plot_type = AdjointLayoutPlot.registry.get(vtype, plot_type)\n if pos == 'right':\n yaxis = ('right-bare' if plot_type and 'bare' in plot_type.\n yaxis else 'right')\n width = plot_type.width if plot_type else 0\n side_opts = dict(height=main_plot.height, yaxis=yaxis,\n width=width, invert_axes=True, labelled=['y'], xticks=1,\n xaxis=main_plot.xaxis)\n else:\n xaxis = ('top-bare' if plot_type and 'bare' in plot_type.\n xaxis else 'top')\n height = plot_type.height if plot_type else 0\n side_opts = dict(width=main_plot.width, xaxis=xaxis, height\n =height, labelled=['x'], yticks=1, yaxis=main_plot.yaxis)\n plotopts = dict(side_opts, **plotopts)\n plotopts.update(subplot_opts)\n if vtype is Empty:\n adjoint_clone[pos] = element\n subplots[pos] = None\n continue\n elif plot_type is None:\n self.param.warning(\n 'Bokeh plotting class for %s type not found, object will not be rendered.'\n % vtype.__name__)\n continue\n num = num if len(self.coords) > 1 else 0\n subplot = plot_type(element, keys=self.keys, dimensions=self.\n dimensions, layout_dimensions=layout_dimensions, ranges=ranges,\n subplot=True, uniform=self.uniform, layout_num=num, renderer=\n self.renderer, **dict({'shared_axes': self.shared_axes}, **\n plotopts))\n subplots[pos] = subplot\n if isinstance(plot_type, type) and issubclass(plot_type,\n GenericCompositePlot):\n adjoint_clone[pos] = subplots[pos].layout\n else:\n adjoint_clone[pos] = subplots[pos].hmap\n if pos == 'main':\n main_plot = subplot\n return subplots, adjoint_clone\n", "role": "user" }, { "content": "create_subplots", "role": "assistant" } ]
def x(self): widths = [] for c in range(self.cols): c_widths = [] for r in range(self.rows): subplot = self.subplots.get((r, c), None) nsubplots = 1 if subplot is None else len(subplot.layout) c_widths.append(2 if nsubplots > 1 else 1) widths.append(max(c_widths)) heights = [] for r in range(self.rows): r_heights = [] for c in range(self.cols): subplot = self.subplots.get((r, c), None) nsubplots = 1 if subplot is None else len(subplot.layout) r_heights.append(2 if nsubplots > 2 else 1) heights.append(max(r_heights)) rows = sum(heights) cols = sum(widths) grid = [([None] * cols) for _ in range(rows)] return grid
compute_grid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n widths = []\n for c in range(self.cols):\n c_widths = []\n for r in range(self.rows):\n subplot = self.subplots.get((r, c), None)\n nsubplots = 1 if subplot is None else len(subplot.layout)\n c_widths.append(2 if nsubplots > 1 else 1)\n widths.append(max(c_widths))\n heights = []\n for r in range(self.rows):\n r_heights = []\n for c in range(self.cols):\n subplot = self.subplots.get((r, c), None)\n nsubplots = 1 if subplot is None else len(subplot.layout)\n r_heights.append(2 if nsubplots > 2 else 1)\n heights.append(max(r_heights))\n rows = sum(heights)\n cols = sum(widths)\n grid = [([None] * cols) for _ in range(rows)]\n return grid\n", "role": "user" }, { "content": "compute_grid", "role": "assistant" } ]
def x(self, key, ranges=None): ranges = self.compute_ranges(self.layout, key, ranges) for r, c in self.coords: subplot = self.subplots.get((r, c), None) if subplot is not None: subplot.update_frame(key, ranges) title = self._get_title_div(key) if title: self.handles['title'] = title
update_frame
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, ranges=None):\n ranges = self.compute_ranges(self.layout, key, ranges)\n for r, c in self.coords:\n subplot = self.subplots.get((r, c), None)\n if subplot is not None:\n subplot.update_frame(key, ranges)\n title = self._get_title_div(key)\n if title:\n self.handles['title'] = title\n", "role": "user" }, { "content": "update_frame", "role": "assistant" } ]
def x(self, ranges=None, plots=[]): if plots is None: plots = [] adjoined_plots = [] for pos in self.view_positions: subplot = self.subplots.get(pos, None) if subplot is None: adjoined_plots.append(empty_plot(0, 0)) else: passed_plots = plots + adjoined_plots adjoined_plots.append(subplot.initialize_plot(ranges=ranges, plots=passed_plots)) self.drawn = True if not adjoined_plots: adjoined_plots = [None] return adjoined_plots
initialize_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ranges=None, plots=[]):\n if plots is None:\n plots = []\n adjoined_plots = []\n for pos in self.view_positions:\n subplot = self.subplots.get(pos, None)\n if subplot is None:\n adjoined_plots.append(empty_plot(0, 0))\n else:\n passed_plots = plots + adjoined_plots\n adjoined_plots.append(subplot.initialize_plot(ranges=ranges,\n plots=passed_plots))\n self.drawn = True\n if not adjoined_plots:\n adjoined_plots = [None]\n return adjoined_plots\n", "role": "user" }, { "content": "initialize_plot", "role": "assistant" } ]
def x(self_or_cls, obj, doc=None, renderer=None, **kwargs): if doc is None: doc = Document() if self_or_cls.notebook_context else curdoc() if self_or_cls.notebook_context: curdoc().theme = self_or_cls.theme doc.theme = self_or_cls.theme plot = super(BokehRenderer, self_or_cls).get_plot(obj, renderer, **kwargs) plot.document = doc 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, doc=None, renderer=None, **kwargs):\n if doc is None:\n doc = Document() if self_or_cls.notebook_context else curdoc()\n if self_or_cls.notebook_context:\n curdoc().theme = self_or_cls.theme\n doc.theme = self_or_cls.theme\n plot = super(BokehRenderer, self_or_cls).get_plot(obj, renderer, **kwargs)\n plot.document = doc\n return plot\n", "role": "user" }, { "content": "get_plot", "role": "assistant" } ]
def x(self_or_cls, plot, show=False, new_window=False, websocket_origin= None, port=0): if not isinstance(self_or_cls, BokehRenderer ) or self_or_cls.mode != 'server': renderer = self_or_cls.instance(mode='server') else: renderer = self_or_cls def x(doc): renderer(plot, doc=doc) handler = FunctionHandler(modify_doc) app = Application(handler) if not show: return app elif self_or_cls.notebook_context and not new_window: if isinstance(websocket_origin, list): if len(websocket_origin) > 1: raise ValueError( 'In the notebook only a single websocket origin may be defined, which must match the URL of the notebook server.' ) websocket_origin = websocket_origin[0] opts = dict(notebook_url=websocket_origin) if websocket_origin else {} return bkshow(app, **opts) from tornado.ioloop import IOLoop loop = IOLoop.current() if websocket_origin and not isinstance(websocket_origin, list): websocket_origin = [websocket_origin] opts = dict(allow_websocket_origin=websocket_origin ) if websocket_origin else {} opts['io_loop'] = loop server = Server({'/': app}, port=port, **opts) def x(): server.show('/') server.io_loop.add_callback(show_callback) server.start() def x(*args, **kwargs): loop.add_callback_from_signal(do_stop) def x(*args, **kwargs): loop.stop() signal.signal(signal.SIGINT, sig_exit) try: loop.start() except RuntimeError: pass return server
app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self_or_cls, plot, show=False, new_window=False, websocket_origin=\n None, port=0):\n if not isinstance(self_or_cls, BokehRenderer\n ) or self_or_cls.mode != 'server':\n renderer = self_or_cls.instance(mode='server')\n else:\n renderer = self_or_cls\n\n def x(doc):\n renderer(plot, doc=doc)\n handler = FunctionHandler(modify_doc)\n app = Application(handler)\n if not show:\n return app\n elif self_or_cls.notebook_context and not new_window:\n if isinstance(websocket_origin, list):\n if len(websocket_origin) > 1:\n raise ValueError(\n 'In the notebook only a single websocket origin may be defined, which must match the URL of the notebook server.'\n )\n websocket_origin = websocket_origin[0]\n opts = dict(notebook_url=websocket_origin) if websocket_origin else {}\n return bkshow(app, **opts)\n from tornado.ioloop import IOLoop\n loop = IOLoop.current()\n if websocket_origin and not isinstance(websocket_origin, list):\n websocket_origin = [websocket_origin]\n opts = dict(allow_websocket_origin=websocket_origin\n ) if websocket_origin else {}\n opts['io_loop'] = loop\n server = Server({'/': app}, port=port, **opts)\n\n def x():\n server.show('/')\n server.io_loop.add_callback(show_callback)\n server.start()\n\n def x(*args, **kwargs):\n loop.add_callback_from_signal(do_stop)\n\n def x(*args, **kwargs):\n loop.stop()\n signal.signal(signal.SIGINT, sig_exit)\n try:\n loop.start()\n except RuntimeError:\n pass\n return server\n", "role": "user" }, { "content": "app", "role": "assistant" } ]
def x(self_or_cls, obj, doc=None): if not isinstance(obj, (Plot, BokehServerWidgets)): if not isinstance(self_or_cls, BokehRenderer ) or self_or_cls.mode != 'server': renderer = self_or_cls.instance(mode='server') else: renderer = self_or_cls plot, _ = renderer._validate(obj, 'auto') else: plot = obj root = plot.state if isinstance(plot, BokehServerWidgets): plot = plot.plot if doc is None: doc = plot.document else: plot.document = doc plot.traverse(lambda x: attach_periodic(x), [GenericElementPlot]) doc.add_root(root) return doc
server_doc
[ { "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, doc=None):\n if not isinstance(obj, (Plot, BokehServerWidgets)):\n if not isinstance(self_or_cls, BokehRenderer\n ) or self_or_cls.mode != 'server':\n renderer = self_or_cls.instance(mode='server')\n else:\n renderer = self_or_cls\n plot, _ = renderer._validate(obj, 'auto')\n else:\n plot = obj\n root = plot.state\n if isinstance(plot, BokehServerWidgets):\n plot = plot.plot\n if doc is None:\n doc = plot.document\n else:\n plot.document = doc\n plot.traverse(lambda x: attach_periodic(x), [GenericElementPlot])\n doc.add_root(root)\n return doc\n", "role": "user" }, { "content": "server_doc", "role": "assistant" } ]
def x(self, plot, fmt='html', doc=None, as_script=False, **kwargs): model = plot.state if doc is None: doc = plot.document else: plot.document = doc for m in model.references(): m._document = None doc.theme = self.theme doc.add_root(model) logger = logging.getLogger(bokeh.core.validation.check.__file__) logger.disabled = True if fmt == 'png': from bokeh.io.export import get_screenshot_as_png img = get_screenshot_as_png(plot.state, None) imgByteArr = BytesIO() img.save(imgByteArr, format='PNG') data = imgByteArr.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) div = tag.format(src=src, mime_type=mime_type, css='') js = '' else: try: with silence_warnings(EMPTY_LAYOUT, MISSING_RENDERERS): js, div, _ = notebook_content(model) html = NOTEBOOK_DIV.format(plot_script=js, plot_div=div) data = encode_utf8(html) doc.hold() except: logger.disabled = False raise logger.disabled = False plot.document = doc if as_script: return div, js 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='html', doc=None, as_script=False, **kwargs):\n model = plot.state\n if doc is None:\n doc = plot.document\n else:\n plot.document = doc\n for m in model.references():\n m._document = None\n doc.theme = self.theme\n doc.add_root(model)\n logger = logging.getLogger(bokeh.core.validation.check.__file__)\n logger.disabled = True\n if fmt == 'png':\n from bokeh.io.export import get_screenshot_as_png\n img = get_screenshot_as_png(plot.state, None)\n imgByteArr = BytesIO()\n img.save(imgByteArr, format='PNG')\n data = imgByteArr.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 div = tag.format(src=src, mime_type=mime_type, css='')\n js = ''\n else:\n try:\n with silence_warnings(EMPTY_LAYOUT, MISSING_RENDERERS):\n js, div, _ = notebook_content(model)\n html = NOTEBOOK_DIV.format(plot_script=js, plot_div=div)\n data = encode_utf8(html)\n doc.hold()\n except:\n logger.disabled = False\n raise\n logger.disabled = False\n plot.document = doc\n if as_script:\n return div, js\n return data\n", "role": "user" }, { "content": "figure_data", "role": "assistant" } ]
def x(self, plot, binary=True): events = list(plot.document._held_events) if not events: return None msg = Protocol('1.0').create('PATCH-DOC', events, use_buffers=binary) plot.document._held_events = [] return msg
diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plot, binary=True):\n events = list(plot.document._held_events)\n if not events:\n return None\n msg = Protocol('1.0').create('PATCH-DOC', events, use_buffers=binary)\n plot.document._held_events = []\n return msg\n", "role": "user" }, { "content": "diff", "role": "assistant" } ]
def x(cls, obj, percent_size): obj = obj.last if isinstance(obj, HoloMap) else obj plot = Store.registry[cls.backend].get(type(obj), None) if not hasattr(plot, 'width') or not hasattr(plot, 'height'): from .plot import BokehPlot plot = BokehPlot options = plot.lookup_options(obj, 'plot').options width = options.get('width', plot.width) height = options.get('height', plot.height) if width is not None: width = int(width) if height is not None: height = int(height) return dict(options, **{'width': width, 'height': height})
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 obj = obj.last if isinstance(obj, HoloMap) else obj\n plot = Store.registry[cls.backend].get(type(obj), None)\n if not hasattr(plot, 'width') or not hasattr(plot, 'height'):\n from .plot import BokehPlot\n plot = BokehPlot\n options = plot.lookup_options(obj, 'plot').options\n width = options.get('width', plot.width)\n height = options.get('height', plot.height)\n if width is not None:\n width = int(width)\n if height is not None:\n height = int(height)\n return dict(options, **{'width': width, 'height': height})\n", "role": "user" }, { "content": "plot_options", "role": "assistant" } ]
def x(self_or_cls, plot): if isinstance(plot, Plot): plot = plot.state elif not isinstance(plot, Model): raise ValueError( 'Can only compute sizes for HoloViews and bokeh plot objects.') return compute_plot_size(plot)
get_size
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self_or_cls, plot):\n if isinstance(plot, Plot):\n plot = plot.state\n elif not isinstance(plot, Model):\n raise ValueError(\n 'Can only compute sizes for HoloViews and bokeh plot objects.')\n return compute_plot_size(plot)\n", "role": "user" }, { "content": "get_size", "role": "assistant" } ]
def x(cls, inline=True): LOAD_MIME_TYPE = bokeh.io.notebook.LOAD_MIME_TYPE bokeh.io.notebook.LOAD_MIME_TYPE = MIME_TYPES['jlab-hv-load'] load_notebook(hide_banner=True, resources=INLINE if inline else CDN) bokeh.io.notebook.LOAD_MIME_TYPE = LOAD_MIME_TYPE bokeh.io.notebook.curstate().output_notebook()
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 LOAD_MIME_TYPE = bokeh.io.notebook.LOAD_MIME_TYPE\n bokeh.io.notebook.LOAD_MIME_TYPE = MIME_TYPES['jlab-hv-load']\n load_notebook(hide_banner=True, resources=INLINE if inline else CDN)\n bokeh.io.notebook.LOAD_MIME_TYPE = LOAD_MIME_TYPE\n bokeh.io.notebook.curstate().output_notebook()\n", "role": "user" }, { "content": "load_nb", "role": "assistant" } ]
def x(old_opts, new_opts): merged = dict(old_opts) for option_type, options in new_opts.items(): if option_type not in merged: merged[option_type] = {} merged[option_type].update(options) return merged
merge_option_dicts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(old_opts, new_opts):\n merged = dict(old_opts)\n for option_type, options in new_opts.items():\n if option_type not in merged:\n merged[option_type] = {}\n merged[option_type].update(options)\n return merged\n", "role": "user" }, { "content": "merge_option_dicts", "role": "assistant" } ]
def x(options): merged_options = {} for obj in options: if isinstance(obj, dict): new_opts = obj else: new_opts = {obj.key: obj.kwargs} merged_options = merge_option_dicts(merged_options, new_opts) return merged_options
merge_options_to_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(options):\n merged_options = {}\n for obj in options:\n if isinstance(obj, dict):\n new_opts = obj\n else:\n new_opts = {obj.key: obj.kwargs}\n merged_options = merge_option_dicts(merged_options, new_opts)\n return merged_options\n", "role": "user" }, { "content": "merge_options_to_dict", "role": "assistant" } ]
def x(args, kwargs): from .options import Options groups = set(Options._option_groups) opts = {kw for kw in kwargs if kw != 'clone'} apply_groups = False options = None new_kwargs = {} if len(args) > 0 and isinstance(args[0], dict): apply_groups = True if not set(args[0]).issubset(groups) and all(isinstance(v, dict) and not set(v).issubset(groups) for v in args[0].values()): apply_groups = False elif set(args[0].keys()) <= groups: new_kwargs = args[0] else: options = args[0] elif opts and opts.issubset(set(groups)): apply_groups = True elif kwargs.get('options', None) is not None: apply_groups = True elif not args and not kwargs: apply_groups = True return apply_groups, options, new_kwargs
deprecated_opts_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args, kwargs):\n from .options import Options\n groups = set(Options._option_groups)\n opts = {kw for kw in kwargs if kw != 'clone'}\n apply_groups = False\n options = None\n new_kwargs = {}\n if len(args) > 0 and isinstance(args[0], dict):\n apply_groups = True\n if not set(args[0]).issubset(groups) and all(isinstance(v, dict) and\n not set(v).issubset(groups) for v in args[0].values()):\n apply_groups = False\n elif set(args[0].keys()) <= groups:\n new_kwargs = args[0]\n else:\n options = args[0]\n elif opts and opts.issubset(set(groups)):\n apply_groups = True\n elif kwargs.get('options', None) is not None:\n apply_groups = True\n elif not args and not kwargs:\n apply_groups = True\n return apply_groups, options, new_kwargs\n", "role": "user" }, { "content": "deprecated_opts_signature", "role": "assistant" } ]
def x(obj): try: return hash(json.dumps(obj, cls=HashableJSON, sort_keys=True)) except: return None
deephash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n try:\n return hash(json.dumps(obj, cls=HashableJSON, sort_keys=True))\n except:\n return None\n", "role": "user" }, { "content": "deephash", "role": "assistant" } ]
def x(identifier): if identifier[0].upper().isupper() is False and identifier[0] != '_': return True else: return identifier[0].isupper()
tree_attribute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(identifier):\n if identifier[0].upper().isupper() is False and identifier[0] != '_':\n return True\n else:\n return identifier[0].isupper()\n", "role": "user" }, { "content": "tree_attribute", "role": "assistant" } ]
def x(callable_obj): if isinstance(callable_obj, type) and issubclass(callable_obj, param. ParameterizedFunction): spec = _getargspec(callable_obj.__call__) args = spec.args[1:] elif inspect.isfunction(callable_obj): spec = _getargspec(callable_obj) args = spec.args elif isinstance(callable_obj, partial): arglen = len(callable_obj.args) spec = _getargspec(callable_obj.func) args = [arg for arg in spec.args[arglen:] if arg not in callable_obj.keywords] elif inspect.ismethod(callable_obj): spec = _getargspec(callable_obj) args = spec.args[1:] else: return argspec(callable_obj.__call__) return inspect.ArgSpec(args=args, varargs=spec.varargs, keywords= get_keywords(spec), defaults=spec.defaults)
argspec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callable_obj):\n if isinstance(callable_obj, type) and issubclass(callable_obj, param.\n ParameterizedFunction):\n spec = _getargspec(callable_obj.__call__)\n args = spec.args[1:]\n elif inspect.isfunction(callable_obj):\n spec = _getargspec(callable_obj)\n args = spec.args\n elif isinstance(callable_obj, partial):\n arglen = len(callable_obj.args)\n spec = _getargspec(callable_obj.func)\n args = [arg for arg in spec.args[arglen:] if arg not in\n callable_obj.keywords]\n elif inspect.ismethod(callable_obj):\n spec = _getargspec(callable_obj)\n args = spec.args[1:]\n else:\n return argspec(callable_obj.__call__)\n return inspect.ArgSpec(args=args, varargs=spec.varargs, keywords=\n get_keywords(spec), defaults=spec.defaults)\n", "role": "user" }, { "content": "argspec", "role": "assistant" } ]
def x(callback, kdims, streams): argspec = callback.argspec name = callback.name kdims = [kdim.name for kdim in kdims] stream_params = stream_parameters(streams) defaults = argspec.defaults if argspec.defaults else [] all_posargs = argspec.args[:-len(defaults)] if defaults else argspec.args posargs = [arg for arg in all_posargs if arg not in stream_params] kwargs = argspec.args[-len(defaults):] if argspec.keywords is None: unassigned_streams = set(stream_params) - set(argspec.args) if unassigned_streams: unassigned = ','.join(unassigned_streams) raise KeyError( 'Callable {name!r} missing keywords to accept stream parameters: {unassigned}' .format(name=name, unassigned=unassigned)) if len(posargs) > len(kdims) + len(stream_params): raise KeyError( 'Callable {name!r} accepts more positional arguments than there are kdims and stream parameters' .format(name=name)) if kdims == []: return [] if set(kdims) == set(posargs): return kdims elif len(posargs) == len(kdims): if argspec.args[:len(kdims)] != posargs: raise KeyError( 'Unmatched positional kdim arguments only allowed at the start of the signature of {name!r}' .format(name=name)) return posargs elif argspec.varargs: return None elif set(posargs) - set(kdims): raise KeyError( 'Callable {name!r} accepts more positional arguments {posargs} than there are key dimensions {kdims}' .format(name=name, posargs=posargs, kdims=kdims)) elif set(kdims).issubset(set(kwargs)): return kdims elif set(kdims).issubset(set(posargs + kwargs)): return kdims else: raise KeyError( 'Callback {name!r} signature over {names} does not accommodate required kdims {kdims}' .format(name=name, names=list(set(posargs + kwargs)), kdims=kdims))
validate_dynamic_argspec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callback, kdims, streams):\n argspec = callback.argspec\n name = callback.name\n kdims = [kdim.name for kdim in kdims]\n stream_params = stream_parameters(streams)\n defaults = argspec.defaults if argspec.defaults else []\n all_posargs = argspec.args[:-len(defaults)] if defaults else argspec.args\n posargs = [arg for arg in all_posargs if arg not in stream_params]\n kwargs = argspec.args[-len(defaults):]\n if argspec.keywords is None:\n unassigned_streams = set(stream_params) - set(argspec.args)\n if unassigned_streams:\n unassigned = ','.join(unassigned_streams)\n raise KeyError(\n 'Callable {name!r} missing keywords to accept stream parameters: {unassigned}'\n .format(name=name, unassigned=unassigned))\n if len(posargs) > len(kdims) + len(stream_params):\n raise KeyError(\n 'Callable {name!r} accepts more positional arguments than there are kdims and stream parameters'\n .format(name=name))\n if kdims == []:\n return []\n if set(kdims) == set(posargs):\n return kdims\n elif len(posargs) == len(kdims):\n if argspec.args[:len(kdims)] != posargs:\n raise KeyError(\n 'Unmatched positional kdim arguments only allowed at the start of the signature of {name!r}'\n .format(name=name))\n return posargs\n elif argspec.varargs:\n return None\n elif set(posargs) - set(kdims):\n raise KeyError(\n 'Callable {name!r} accepts more positional arguments {posargs} than there are key dimensions {kdims}'\n .format(name=name, posargs=posargs, kdims=kdims))\n elif set(kdims).issubset(set(kwargs)):\n return kdims\n elif set(kdims).issubset(set(posargs + kwargs)):\n return kdims\n else:\n raise KeyError(\n 'Callback {name!r} signature over {names} does not accommodate required kdims {kdims}'\n .format(name=name, names=list(set(posargs + kwargs)), kdims=kdims))\n", "role": "user" }, { "content": "validate_dynamic_argspec", "role": "assistant" } ]
def x(callable_obj): try: if isinstance(callable_obj, type) and issubclass(callable_obj, param.ParameterizedFunction): return callable_obj.__name__ elif isinstance(callable_obj, param.Parameterized ) and 'operation' in callable_obj.params(): return callable_obj.operation.__name__ elif isinstance(callable_obj, partial): return str(callable_obj) elif inspect.isfunction(callable_obj): return callable_obj.__name__ elif inspect.ismethod(callable_obj): meth = callable_obj if sys.version_info < (3, 0): owner = meth.im_class if meth.im_self is None else meth.im_self else: owner = meth.__self__ if meth.__name__ == '__call__': return type(owner).__name__ return '.'.join([owner.__name__, meth.__name__]) elif isinstance(callable_obj, types.GeneratorType): return callable_obj.__name__ else: return type(callable_obj).__name__ except: return str(callable_obj)
callable_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(callable_obj):\n try:\n if isinstance(callable_obj, type) and issubclass(callable_obj,\n param.ParameterizedFunction):\n return callable_obj.__name__\n elif isinstance(callable_obj, param.Parameterized\n ) and 'operation' in callable_obj.params():\n return callable_obj.operation.__name__\n elif isinstance(callable_obj, partial):\n return str(callable_obj)\n elif inspect.isfunction(callable_obj):\n return callable_obj.__name__\n elif inspect.ismethod(callable_obj):\n meth = callable_obj\n if sys.version_info < (3, 0):\n owner = meth.im_class if meth.im_self is None else meth.im_self\n else:\n owner = meth.__self__\n if meth.__name__ == '__call__':\n return type(owner).__name__\n return '.'.join([owner.__name__, meth.__name__])\n elif isinstance(callable_obj, types.GeneratorType):\n return callable_obj.__name__\n else:\n return type(callable_obj).__name__\n except:\n return str(callable_obj)\n", "role": "user" }, { "content": "callable_name", "role": "assistant" } ]
def x(obj, key, vdim_selection=False): if isinstance(key, np.ndarray) and key.dtype.kind == 'b': return key wrapped_key = wrap_tuple(key) if wrapped_key.count(Ellipsis) == 0: return key if wrapped_key.count(Ellipsis) != 1: raise Exception('Only one ellipsis allowed at a time.') dim_count = len(obj.dimensions()) index = wrapped_key.index(Ellipsis) head = wrapped_key[:index] tail = wrapped_key[index + 1:] padlen = dim_count - (len(head) + len(tail)) if vdim_selection: if wrapped_key[-1] in obj.vdims: padlen = len(obj.kdims) + 1 - len(head + tail) return head + (slice(None),) * padlen + tail
process_ellipses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, key, vdim_selection=False):\n if isinstance(key, np.ndarray) and key.dtype.kind == 'b':\n return key\n wrapped_key = wrap_tuple(key)\n if wrapped_key.count(Ellipsis) == 0:\n return key\n if wrapped_key.count(Ellipsis) != 1:\n raise Exception('Only one ellipsis allowed at a time.')\n dim_count = len(obj.dimensions())\n index = wrapped_key.index(Ellipsis)\n head = wrapped_key[:index]\n tail = wrapped_key[index + 1:]\n padlen = dim_count - (len(head) + len(tail))\n if vdim_selection:\n if wrapped_key[-1] in obj.vdims:\n padlen = len(obj.kdims) + 1 - len(head + tail)\n return head + (slice(None),) * padlen + tail\n", "role": "user" }, { "content": "process_ellipses", "role": "assistant" } ]
def x(s): index = s.find('capital') if index == -1: return s tail = s[index:].replace('capital', '').strip() tail = tail[0].upper() + tail[1:] return s[:index] + tail
capitalize_unicode_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s):\n index = s.find('capital')\n if index == -1:\n return s\n tail = s[index:].replace('capital', '').strip()\n tail = tail[0].upper() + tail[1:]\n return s[:index] + tail\n", "role": "user" }, { "content": "capitalize_unicode_name", "role": "assistant" } ]
def x(arraylike, strict=True): if isinstance(arraylike, np.ndarray): return arraylike elif isinstance(arraylike, list): return np.asarray(arraylike, dtype=object) elif not isinstance(arraylike, np.ndarray) and isinstance(arraylike, arraylike_types): return arraylike.values elif hasattr(arraylike, '__array__'): return np.asarray(arraylike) elif strict: raise ValueError('Could not convert %s type to array' % type(arraylike) ) return arraylike
asarray
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arraylike, strict=True):\n if isinstance(arraylike, np.ndarray):\n return arraylike\n elif isinstance(arraylike, list):\n return np.asarray(arraylike, dtype=object)\n elif not isinstance(arraylike, np.ndarray) and isinstance(arraylike,\n arraylike_types):\n return arraylike.values\n elif hasattr(arraylike, '__array__'):\n return np.asarray(arraylike)\n elif strict:\n raise ValueError('Could not convert %s type to array' % type(arraylike)\n )\n return arraylike\n", "role": "user" }, { "content": "asarray", "role": "assistant" } ]
def x(val): if isinstance(val, (np.datetime64, np.timedelta64)) or isinstance(val, np.ndarray) and val.dtype.kind == 'M': if numpy_version >= '1.13': return np.isnat(val) else: return val.view('i8') == nat_as_integer elif pd and val is pd.NaT: return True elif pd and isinstance(val, pandas_datetime_types + pandas_timedelta_types ): return pd.isna(val) else: return False
isnat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n if isinstance(val, (np.datetime64, np.timedelta64)) or isinstance(val,\n np.ndarray) and val.dtype.kind == 'M':\n if numpy_version >= '1.13':\n return np.isnat(val)\n else:\n return val.view('i8') == nat_as_integer\n elif pd and val is pd.NaT:\n return True\n elif pd and isinstance(val, pandas_datetime_types + pandas_timedelta_types\n ):\n return pd.isna(val)\n else:\n return False\n", "role": "user" }, { "content": "isnat", "role": "assistant" } ]
def x(val): if not np.isscalar(val): val = asarray(val, strict=False) if val is None: return False elif isinstance(val, np.ndarray): if val.dtype.kind == 'M': return ~isnat(val) elif val.dtype.kind == 'O': return np.array([isfinite(v) for v in val], dtype=bool) elif val.dtype.kind in 'US': return np.ones_like(val, dtype=bool) return np.isfinite(val) elif isinstance(val, datetime_types + timedelta_types): return not isnat(val) elif isinstance(val, basestring): return True return np.isfinite(val)
isfinite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n if not np.isscalar(val):\n val = asarray(val, strict=False)\n if val is None:\n return False\n elif isinstance(val, np.ndarray):\n if val.dtype.kind == 'M':\n return ~isnat(val)\n elif val.dtype.kind == 'O':\n return np.array([isfinite(v) for v in val], dtype=bool)\n elif val.dtype.kind in 'US':\n return np.ones_like(val, dtype=bool)\n return np.isfinite(val)\n elif isinstance(val, datetime_types + timedelta_types):\n return not isnat(val)\n elif isinstance(val, basestring):\n return True\n return np.isfinite(val)\n", "role": "user" }, { "content": "isfinite", "role": "assistant" } ]
def x(value): if isinstance(value, np.ndarray): return value.dtype.kind == 'M' or value.dtype.kind == 'O' and len(value ) and isinstance(value[0], datetime_types) else: return isinstance(value, datetime_types)
isdatetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if isinstance(value, np.ndarray):\n return value.dtype.kind == 'M' or value.dtype.kind == 'O' and len(value\n ) and isinstance(value[0], datetime_types)\n else:\n return isinstance(value, datetime_types)\n", "role": "user" }, { "content": "isdatetime", "role": "assistant" } ]
def x(lims, olims): try: limzip = zip(list(lims), list(olims), [np.nanmin, np.nanmax]) limits = tuple([float(fn([l, ol])) for l, ol, fn in limzip]) except: limits = np.NaN, np.NaN return limits
find_minmax
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lims, olims):\n try:\n limzip = zip(list(lims), list(olims), [np.nanmin, np.nanmax])\n limits = tuple([float(fn([l, ol])) for l, ol, fn in limzip])\n except:\n limits = np.NaN, np.NaN\n return limits\n", "role": "user" }, { "content": "find_minmax", "role": "assistant" } ]
def x(values, soft_range=[]): try: values = np.array(values) values = np.squeeze(values) if len(values.shape) > 1 else values if len(soft_range): values = np.concatenate([values, soft_range]) if values.dtype.kind == 'M': return values.min(), values.max() return np.nanmin(values), np.nanmax(values) except: try: values = sorted(values) return values[0], values[-1] except: return None, None
find_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, soft_range=[]):\n try:\n values = np.array(values)\n values = np.squeeze(values) if len(values.shape) > 1 else values\n if len(soft_range):\n values = np.concatenate([values, soft_range])\n if values.dtype.kind == 'M':\n return values.min(), values.max()\n return np.nanmin(values), np.nanmax(values)\n except:\n try:\n values = sorted(values)\n return values[0], values[-1]\n except:\n return None, None\n", "role": "user" }, { "content": "find_range", "role": "assistant" } ]
def x(ranges, combined=True): try: with warnings.catch_warnings(): warnings.filterwarnings('ignore', 'All-NaN (slice|axis) encountered') values = [tuple(np.NaN if v is None else v for v in r) for r in ranges] if pd and any(isinstance(v, datetime_types) and not isinstance( v, cftime_types) for r in values for v in r): converted = [] for l, h in values: if isinstance(l, datetime_types) and isinstance(h, datetime_types): l, h = pd.Timestamp(l).to_datetime64(), pd.Timestamp(h ).to_datetime64() converted.append((l, h)) values = converted arr = np.array(values) if not len(arr): return np.NaN, np.NaN elif arr.dtype.kind in 'OSU': arr = list(python2sort([v for r in values for v in r if not is_nan(v) and v is not None])) return arr[0], arr[-1] elif arr.dtype.kind in 'M': return (arr.min(), arr.max()) if combined else (arr[:, 0]. min(), arr[:, 1].min()) if combined: return np.nanmin(arr), np.nanmax(arr) else: return np.nanmin(arr[:, 0]), np.nanmax(arr[:, 1]) except: return np.NaN, np.NaN
max_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ranges, combined=True):\n try:\n with warnings.catch_warnings():\n warnings.filterwarnings('ignore',\n 'All-NaN (slice|axis) encountered')\n values = [tuple(np.NaN if v is None else v for v in r) for r in\n ranges]\n if pd and any(isinstance(v, datetime_types) and not isinstance(\n v, cftime_types) for r in values for v in r):\n converted = []\n for l, h in values:\n if isinstance(l, datetime_types) and isinstance(h,\n datetime_types):\n l, h = pd.Timestamp(l).to_datetime64(), pd.Timestamp(h\n ).to_datetime64()\n converted.append((l, h))\n values = converted\n arr = np.array(values)\n if not len(arr):\n return np.NaN, np.NaN\n elif arr.dtype.kind in 'OSU':\n arr = list(python2sort([v for r in values for v in r if not\n is_nan(v) and v is not None]))\n return arr[0], arr[-1]\n elif arr.dtype.kind in 'M':\n return (arr.min(), arr.max()) if combined else (arr[:, 0].\n min(), arr[:, 1].min())\n if combined:\n return np.nanmin(arr), np.nanmax(arr)\n else:\n return np.nanmin(arr[:, 0]), np.nanmax(arr[:, 1])\n except:\n return np.NaN, np.NaN\n", "role": "user" }, { "content": "max_range", "role": "assistant" } ]
def x(lower, upper, padding=None, log=False): if padding is not None and not isinstance(padding, tuple): padding = padding, padding if is_number(lower) and is_number(upper) and padding is not None: if not isinstance(lower, datetime_types ) and log and lower > 0 and upper > 0: log_min = np.log(lower) / np.log(10) log_max = np.log(upper) / np.log(10) lspan = (log_max - log_min) * (1 + padding[0] * 2) uspan = (log_max - log_min) * (1 + padding[1] * 2) center = (log_min + log_max) / 2.0 start, end = np.power(10, center - lspan / 2.0), np.power(10, center + uspan / 2.0) else: if isinstance(lower, datetime_types) and not isinstance(lower, cftime_types): lower, upper = np.datetime64(lower), np.datetime64(upper) span = (upper - lower).astype('>m8[ns]') else: span = upper - lower lpad = span * padding[0] upad = span * padding[1] start, end = lower - lpad, upper + upad else: start, end = lower, upper return start, end
range_pad
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lower, upper, padding=None, log=False):\n if padding is not None and not isinstance(padding, tuple):\n padding = padding, padding\n if is_number(lower) and is_number(upper) and padding is not None:\n if not isinstance(lower, datetime_types\n ) and log and lower > 0 and upper > 0:\n log_min = np.log(lower) / np.log(10)\n log_max = np.log(upper) / np.log(10)\n lspan = (log_max - log_min) * (1 + padding[0] * 2)\n uspan = (log_max - log_min) * (1 + padding[1] * 2)\n center = (log_min + log_max) / 2.0\n start, end = np.power(10, center - lspan / 2.0), np.power(10, \n center + uspan / 2.0)\n else:\n if isinstance(lower, datetime_types) and not isinstance(lower,\n cftime_types):\n lower, upper = np.datetime64(lower), np.datetime64(upper)\n span = (upper - lower).astype('>m8[ns]')\n else:\n span = upper - lower\n lpad = span * padding[0]\n upad = span * padding[1]\n start, end = lower - lpad, upper + upad\n else:\n start, end = lower, upper\n return start, end\n", "role": "user" }, { "content": "range_pad", "role": "assistant" } ]
def x(lower, upper, hard_range, soft_range, padding=None, log=False): lower, upper = range_pad(lower, upper, padding, log) lower = max_range([(lower, None), (soft_range[0], None)])[0] upper = max_range([(None, upper), (None, soft_range[1])])[1] dmin, dmax = hard_range lower = lower if dmin is None or not isfinite(dmin) else dmin upper = upper if dmax is None or not isfinite(dmax) else dmax return lower, upper
dimension_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lower, upper, hard_range, soft_range, padding=None, log=False):\n lower, upper = range_pad(lower, upper, padding, log)\n lower = max_range([(lower, None), (soft_range[0], None)])[0]\n upper = max_range([(None, upper), (None, soft_range[1])])[1]\n dmin, dmax = hard_range\n lower = lower if dmin is None or not isfinite(dmin) else dmin\n upper = upper if dmax is None or not isfinite(dmax) else dmax\n return lower, upper\n", "role": "user" }, { "content": "dimension_range", "role": "assistant" } ]
def x(extents, zrange=False): if zrange: num = 6 inds = [(0, 3), (1, 4), (2, 5)] extents = [(e if len(e) == 6 else (e[0], e[1], None, e[2], e[3], None)) for e in extents] else: num = 4 inds = [(0, 2), (1, 3)] arr = list(zip(*extents)) if extents else [] extents = [np.NaN] * num if len(arr) == 0: return extents with warnings.catch_warnings(): warnings.filterwarnings('ignore', 'All-NaN (slice|axis) encountered') for lidx, uidx in inds: lower = [v for v in arr[lidx] if v is not None and not is_nan(v)] upper = [v for v in arr[uidx] if v is not None and not is_nan(v)] if lower and isinstance(lower[0], datetime_types): extents[lidx] = np.min(lower) elif any(isinstance(l, basestring) for l in lower): extents[lidx] = np.sort(lower)[0] elif lower: extents[lidx] = np.nanmin(lower) if upper and isinstance(upper[0], datetime_types): extents[uidx] = np.max(upper) elif any(isinstance(u, basestring) for u in upper): extents[uidx] = np.sort(upper)[-1] elif upper: extents[uidx] = np.nanmax(upper) return tuple(extents)
max_extents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(extents, zrange=False):\n if zrange:\n num = 6\n inds = [(0, 3), (1, 4), (2, 5)]\n extents = [(e if len(e) == 6 else (e[0], e[1], None, e[2], e[3],\n None)) for e in extents]\n else:\n num = 4\n inds = [(0, 2), (1, 3)]\n arr = list(zip(*extents)) if extents else []\n extents = [np.NaN] * num\n if len(arr) == 0:\n return extents\n with warnings.catch_warnings():\n warnings.filterwarnings('ignore', 'All-NaN (slice|axis) encountered')\n for lidx, uidx in inds:\n lower = [v for v in arr[lidx] if v is not None and not is_nan(v)]\n upper = [v for v in arr[uidx] if v is not None and not is_nan(v)]\n if lower and isinstance(lower[0], datetime_types):\n extents[lidx] = np.min(lower)\n elif any(isinstance(l, basestring) for l in lower):\n extents[lidx] = np.sort(lower)[0]\n elif lower:\n extents[lidx] = np.nanmin(lower)\n if upper and isinstance(upper[0], datetime_types):\n extents[uidx] = np.max(upper)\n elif any(isinstance(u, basestring) for u in upper):\n extents[uidx] = np.sort(upper)[-1]\n elif upper:\n extents[uidx] = np.nanmax(upper)\n return tuple(extents)\n", "role": "user" }, { "content": "max_extents", "role": "assistant" } ]
def x(n, upper=True): casenum = 65 if upper else 97 label = '' count = 0 if n == 0: return str(chr(n + casenum)) while n >= 0: mod, div = n % 26, n for _ in range(count): div //= 26 div %= 26 if count == 0: val = mod else: val = div label += str(chr(val + casenum)) count += 1 n -= 26 ** count return label[::-1]
int_to_alpha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n, upper=True):\n casenum = 65 if upper else 97\n label = ''\n count = 0\n if n == 0:\n return str(chr(n + casenum))\n while n >= 0:\n mod, div = n % 26, n\n for _ in range(count):\n div //= 26\n div %= 26\n if count == 0:\n val = mod\n else:\n val = div\n label += str(chr(val + casenum))\n count += 1\n n -= 26 ** count\n return label[::-1]\n", "role": "user" }, { "content": "int_to_alpha", "role": "assistant" } ]
def x(seq): seen = set() for item in seq: if item not in seen: seen.add(item) yield item
unique_iterator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seq):\n seen = set()\n for item in seq:\n if item not in seen:\n seen.add(item)\n yield item\n", "role": "user" }, { "content": "unique_iterator", "role": "assistant" } ]
def x(arr): if not len(arr): return np.asarray(arr) elif pd: if isinstance(arr, np.ndarray) and arr.dtype.kind not in 'MO': return pd.unique(arr) values = [] for v in arr: if isinstance(v, datetime_types) and not isinstance(v, cftime_types ): v = pd.Timestamp(v).to_datetime64() values.append(v) return pd.unique(values) else: arr = np.asarray(arr) _, uniq_inds = np.unique(arr, return_index=True) return arr[np.sort(uniq_inds)]
unique_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arr):\n if not len(arr):\n return np.asarray(arr)\n elif pd:\n if isinstance(arr, np.ndarray) and arr.dtype.kind not in 'MO':\n return pd.unique(arr)\n values = []\n for v in arr:\n if isinstance(v, datetime_types) and not isinstance(v, cftime_types\n ):\n v = pd.Timestamp(v).to_datetime64()\n values.append(v)\n return pd.unique(values)\n else:\n arr = np.asarray(arr)\n _, uniq_inds = np.unique(arr, return_index=True)\n return arr[np.sort(uniq_inds)]\n", "role": "user" }, { "content": "unique_array", "role": "assistant" } ]
def x(element, specification): match_tuple = () match = specification.get((), {}) for spec in [type(element).__name__, group_sanitizer(element.group, escape=False), label_sanitizer(element.label, escape=False)]: match_tuple += spec, if match_tuple in specification: match = specification[match_tuple] return match
match_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(element, specification):\n match_tuple = ()\n match = specification.get((), {})\n for spec in [type(element).__name__, group_sanitizer(element.group,\n escape=False), label_sanitizer(element.label, escape=False)]:\n match_tuple += spec,\n if match_tuple in specification:\n match = specification[match_tuple]\n return match\n", "role": "user" }, { "content": "match_spec", "role": "assistant" } ]
def x(dimensions_list): dvalues = defaultdict(list) dimensions = [] for dims in dimensions_list: for d in dims: dvalues[d.name].append(d.values) if d not in dimensions: dimensions.append(d) dvalues = {k: list(unique_iterator(itertools.chain(*vals))) for k, vals in dvalues.items()} return [d(values=dvalues.get(d.name, [])) for d in dimensions]
merge_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dimensions_list):\n dvalues = defaultdict(list)\n dimensions = []\n for dims in dimensions_list:\n for d in dims:\n dvalues[d.name].append(d.values)\n if d not in dimensions:\n dimensions.append(d)\n dvalues = {k: list(unique_iterator(itertools.chain(*vals))) for k, vals in\n dvalues.items()}\n return [d(values=dvalues.get(d.name, [])) for d in dimensions]\n", "role": "user" }, { "content": "merge_dimensions", "role": "assistant" } ]
def x(odict, kdims, vdims, key_index): sortkws = {} ndims = len(kdims) dimensions = kdims + vdims indexes = [(dimensions[i], int(i not in range(ndims)), i if i in range( ndims) else i - ndims) for i in key_index] cached_values = {d.name: ([None] + list(d.values)) for d in dimensions} if len(set(key_index)) != len(key_index): raise ValueError('Cannot sort on duplicated dimensions') else: sortkws['key'] = lambda x: tuple(cached_values[dim.name].index(x[t] [d]) if dim.values else x[t][d] for i, (dim, t, d) in enumerate (indexes)) if sys.version_info.major == 3: return python2sort(odict.items(), **sortkws) else: return sorted(odict.items(), **sortkws)
dimension_sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(odict, kdims, vdims, key_index):\n sortkws = {}\n ndims = len(kdims)\n dimensions = kdims + vdims\n indexes = [(dimensions[i], int(i not in range(ndims)), i if i in range(\n ndims) else i - ndims) for i in key_index]\n cached_values = {d.name: ([None] + list(d.values)) for d in dimensions}\n if len(set(key_index)) != len(key_index):\n raise ValueError('Cannot sort on duplicated dimensions')\n else:\n sortkws['key'] = lambda x: tuple(cached_values[dim.name].index(x[t]\n [d]) if dim.values else x[t][d] for i, (dim, t, d) in enumerate\n (indexes))\n if sys.version_info.major == 3:\n return python2sort(odict.items(), **sortkws)\n else:\n return sorted(odict.items(), **sortkws)\n", "role": "user" }, { "content": "dimension_sort", "role": "assistant" } ]
def x(graph): levels_by_name = {} names_by_level = defaultdict(list) def x(name, level): levels_by_name[name] = level names_by_level[level].append(name) def x(name): stack = [name] while stack: name = stack.pop() if name in levels_by_name: continue if name not in graph or not graph[name]: level = 0 add_level_to_name(name, level) continue children = graph[name] children_not_calculated = [child for child in children if child not in levels_by_name] if children_not_calculated: stack.append(name) stack.extend(children_not_calculated) continue level = 1 + max(levels_by_name[lname] for lname in children) add_level_to_name(name, level) for name in graph: walk_depth_first(name) return list(itertools.takewhile(lambda x: x is not None, ( names_by_level.get(i, None) for i in itertools.count())))
sort_topologically
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n levels_by_name = {}\n names_by_level = defaultdict(list)\n\n def x(name, level):\n levels_by_name[name] = level\n names_by_level[level].append(name)\n\n def x(name):\n stack = [name]\n while stack:\n name = stack.pop()\n if name in levels_by_name:\n continue\n if name not in graph or not graph[name]:\n level = 0\n add_level_to_name(name, level)\n continue\n children = graph[name]\n children_not_calculated = [child for child in children if child\n not in levels_by_name]\n if children_not_calculated:\n stack.append(name)\n stack.extend(children_not_calculated)\n continue\n level = 1 + max(levels_by_name[lname] for lname in children)\n add_level_to_name(name, level)\n for name in graph:\n walk_depth_first(name)\n return list(itertools.takewhile(lambda x: x is not None, (\n names_by_level.get(i, None) for i in itertools.count())))\n", "role": "user" }, { "content": "sort_topologically", "role": "assistant" } ]
def x(graph): path = set() def x(vertex): path.add(vertex) for neighbour in graph.get(vertex, ()): if neighbour in path or visit(neighbour): return True path.remove(vertex) return False return any(visit(v) for v in graph)
is_cyclic
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph):\n path = set()\n\n def x(vertex):\n path.add(vertex)\n for neighbour in graph.get(vertex, ()):\n if neighbour in path or visit(neighbour):\n return True\n path.remove(vertex)\n return False\n return any(visit(v) for v in graph)\n", "role": "user" }, { "content": "is_cyclic", "role": "assistant" } ]
def x(graph, nodes): edges = itertools.chain.from_iterable(graph.values()) return len(graph) == len(nodes) and len(set(edges)) == len(nodes)
one_to_one
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(graph, nodes):\n edges = itertools.chain.from_iterable(graph.values())\n return len(graph) == len(nodes) and len(set(edges)) == len(nodes)\n", "role": "user" }, { "content": "one_to_one", "role": "assistant" } ]
def x(o, k, v): k = wrap_tuple(k) return (type(v).__name__, v.group, v.label) + k if len(o.kdims) else (type (v).__name__,) + k
get_overlay_spec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o, k, v):\n k = wrap_tuple(k)\n return (type(v).__name__, v.group, v.label) + k if len(o.kdims) else (type\n (v).__name__,) + k\n", "role": "user" }, { "content": "get_overlay_spec", "role": "assistant" } ]
def x(hmap): orderings = {} for o in hmap: okeys = [get_overlay_spec(o, k, v) for k, v in o.data.items()] if len(okeys) == 1 and not okeys[0] in orderings: orderings[okeys[0]] = [] else: orderings.update({k: ([] if k == v else [v]) for k, v in zip( okeys[1:], okeys)}) return [i for g in sort_topologically(orderings) for i in sorted(g)]
layer_sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hmap):\n orderings = {}\n for o in hmap:\n okeys = [get_overlay_spec(o, k, v) for k, v in o.data.items()]\n if len(okeys) == 1 and not okeys[0] in orderings:\n orderings[okeys[0]] = []\n else:\n orderings.update({k: ([] if k == v else [v]) for k, v in zip(\n okeys[1:], okeys)})\n return [i for g in sort_topologically(orderings) for i in sorted(g)]\n", "role": "user" }, { "content": "layer_sort", "role": "assistant" } ]
def x(ordering, length=2): group_orderings = defaultdict(list) for el in ordering: group_orderings[el[:length]].append(el) return group_orderings
layer_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ordering, length=2):\n group_orderings = defaultdict(list)\n for el in ordering:\n group_orderings[el[:length]].append(el)\n return group_orderings\n", "role": "user" }, { "content": "layer_groups", "role": "assistant" } ]
def x(selects, length=None, depth=None): if length == None and depth == None: length = depth = len(selects[0]) getter = operator.itemgetter(depth - length) if length > 1: selects = sorted(selects, key=getter) grouped_selects = defaultdict(dict) for k, v in itertools.groupby(selects, getter): grouped_selects[k] = group_select(list(v), length - 1, depth) return grouped_selects else: return list(selects)
group_select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(selects, length=None, depth=None):\n if length == None and depth == None:\n length = depth = len(selects[0])\n getter = operator.itemgetter(depth - length)\n if length > 1:\n selects = sorted(selects, key=getter)\n grouped_selects = defaultdict(dict)\n for k, v in itertools.groupby(selects, getter):\n grouped_selects[k] = group_select(list(v), length - 1, depth)\n return grouped_selects\n else:\n return list(selects)\n", "role": "user" }, { "content": "group_select", "role": "assistant" } ]
def x(obj, dimensions, selects, depth=None): ndims = len(dimensions) depth = depth if depth is not None else ndims items = [] if isinstance(selects, dict): for k, v in selects.items(): items += iterative_select(obj.select(**{dimensions[ndims - depth]: k}), dimensions, v, depth - 1) else: for s in selects: items.append((s, obj.select(**{dimensions[-1]: s[-1]}))) return items
iterative_select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, dimensions, selects, depth=None):\n ndims = len(dimensions)\n depth = depth if depth is not None else ndims\n items = []\n if isinstance(selects, dict):\n for k, v in selects.items():\n items += iterative_select(obj.select(**{dimensions[ndims -\n depth]: k}), dimensions, v, depth - 1)\n else:\n for s in selects:\n items.append((s, obj.select(**{dimensions[-1]: s[-1]})))\n return items\n", "role": "user" }, { "content": "iterative_select", "role": "assistant" } ]
def x(folder, filename): matches = [] if os.path.isabs(filename) and os.path.isfile(filename): return filename for root, _, filenames in os.walk(folder): for fn in fnmatch.filter(filenames, filename): matches.append(os.path.join(root, fn)) if not matches: raise IOError('File %s could not be found' % filename) return matches[-1]
find_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(folder, filename):\n matches = []\n if os.path.isabs(filename) and os.path.isfile(filename):\n return filename\n for root, _, filenames in os.walk(folder):\n for fn in fnmatch.filter(filenames, filename):\n matches.append(os.path.join(root, fn))\n if not matches:\n raise IOError('File %s could not be found' % filename)\n return matches[-1]\n", "role": "user" }, { "content": "find_file", "role": "assistant" } ]
def x(data): dd = None if 'dask' in sys.modules and 'pandas' in sys.modules: import dask.dataframe as dd return pd is not None and isinstance(data, pd.DataFrame ) or dd is not None and isinstance(data, dd.DataFrame)
is_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n dd = None\n if 'dask' in sys.modules and 'pandas' in sys.modules:\n import dask.dataframe as dd\n return pd is not None and isinstance(data, pd.DataFrame\n ) or dd is not None and isinstance(data, dd.DataFrame)\n", "role": "user" }, { "content": "is_dataframe", "role": "assistant" } ]
def x(data): dd = None if 'dask' in sys.modules: import dask.dataframe as dd return pd is not None and isinstance(data, pd.Series ) or dd is not None and isinstance(data, dd.Series)
is_series
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data):\n dd = None\n if 'dask' in sys.modules:\n import dask.dataframe as dd\n return pd is not None and isinstance(data, pd.Series\n ) or dd is not None and isinstance(data, dd.Series)\n", "role": "user" }, { "content": "is_series", "role": "assistant" } ]
def x(obj, has_deps=False): parameterized = inspect.ismethod(obj) and isinstance(get_method_owner( obj), param.Parameterized) if parameterized and has_deps: return getattr(obj, '_dinfo', {}).get('dependencies') return parameterized
is_param_method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, has_deps=False):\n parameterized = inspect.ismethod(obj) and isinstance(get_method_owner(\n obj), param.Parameterized)\n if parameterized and has_deps:\n return getattr(obj, '_dinfo', {}).get('dependencies')\n return parameterized\n", "role": "user" }, { "content": "is_param_method", "role": "assistant" } ]
def x(parameterized): params = parameterized.params().values() constants = [p.constant for p in params] for p in params: p.constant = False try: yield except: raise finally: for p, const in zip(params, constants): p.constant = const
disable_constant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(parameterized):\n params = parameterized.params().values()\n constants = [p.constant for p in params]\n for p in params:\n p.constant = False\n try:\n yield\n except:\n raise\n finally:\n for p, const in zip(params, constants):\n p.constant = const\n", "role": "user" }, { "content": "disable_constant", "role": "assistant" } ]
def x(ndmapping, attr): label = None els = itervalues(ndmapping.data) while label is None: try: el = next(els) except StopIteration: return None if not getattr(el, '_auxiliary_component', True): label = getattr(el, attr) if attr == 'group': tp = type(el).__name__ if tp == label: return None return label
get_ndmapping_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ndmapping, attr):\n label = None\n els = itervalues(ndmapping.data)\n while label is None:\n try:\n el = next(els)\n except StopIteration:\n return None\n if not getattr(el, '_auxiliary_component', True):\n label = getattr(el, attr)\n if attr == 'group':\n tp = type(el).__name__\n if tp == label:\n return None\n return label\n", "role": "user" }, { "content": "get_ndmapping_label", "role": "assistant" } ]
def x(stream, exclude_params=['name'], reverse=False): filtered = [k for k in stream.params().keys() if k not in exclude_params] mapping = {k: stream._rename.get(k, k) for k in filtered} if reverse: return {v: k for k, v in mapping.items()} else: return mapping
stream_name_mapping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream, exclude_params=['name'], reverse=False):\n filtered = [k for k in stream.params().keys() if k not in exclude_params]\n mapping = {k: stream._rename.get(k, k) for k in filtered}\n if reverse:\n return {v: k for k, v in mapping.items()}\n else:\n return mapping\n", "role": "user" }, { "content": "stream_name_mapping", "role": "assistant" } ]
def x(stream, kwargs, reverse=False): mapped_kwargs = {} mapping = stream_name_mapping(stream, reverse=reverse) for k, v in kwargs.items(): if k not in mapping: msg = 'Could not map key {key} {direction} renamed equivalent' direction = 'from' if reverse else 'to' raise KeyError(msg.format(key=repr(k), direction=direction)) mapped_kwargs[mapping[k]] = v return mapped_kwargs
rename_stream_kwargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream, kwargs, reverse=False):\n mapped_kwargs = {}\n mapping = stream_name_mapping(stream, reverse=reverse)\n for k, v in kwargs.items():\n if k not in mapping:\n msg = 'Could not map key {key} {direction} renamed equivalent'\n direction = 'from' if reverse else 'to'\n raise KeyError(msg.format(key=repr(k), direction=direction))\n mapped_kwargs[mapping[k]] = v\n return mapped_kwargs\n", "role": "user" }, { "content": "rename_stream_kwargs", "role": "assistant" } ]
def x(streams, no_duplicates=True, exclude=['name']): param_groups = [] for s in streams: if not s.contents and isinstance(s.hashkey, dict): param_groups.append(list(s.hashkey)) else: param_groups.append(list(s.contents)) names = [name for group in param_groups for name in group] if no_duplicates: clashes = sorted(set([n for n in names if names.count(n) > 1])) clash_streams = [] for s in streams: for c in clashes: if c in s.contents or not s.contents and isinstance(s. hashkey, dict) and c in s.hashkey: clash_streams.append(s) if clashes: clashing = ', '.join([repr(c) for c in clash_streams[:-1]]) raise Exception( 'The supplied stream objects %s and %s clash on the following parameters: %r' % (clashing, clash_streams[-1], clashes)) return [name for name in names if name not in exclude]
stream_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(streams, no_duplicates=True, exclude=['name']):\n param_groups = []\n for s in streams:\n if not s.contents and isinstance(s.hashkey, dict):\n param_groups.append(list(s.hashkey))\n else:\n param_groups.append(list(s.contents))\n names = [name for group in param_groups for name in group]\n if no_duplicates:\n clashes = sorted(set([n for n in names if names.count(n) > 1]))\n clash_streams = []\n for s in streams:\n for c in clashes:\n if c in s.contents or not s.contents and isinstance(s.\n hashkey, dict) and c in s.hashkey:\n clash_streams.append(s)\n if clashes:\n clashing = ', '.join([repr(c) for c in clash_streams[:-1]])\n raise Exception(\n 'The supplied stream objects %s and %s clash on the following parameters: %r'\n % (clashing, clash_streams[-1], clashes))\n return [name for name in names if name not in exclude]\n", "role": "user" }, { "content": "stream_parameters", "role": "assistant" } ]
def x(streams, kdims, no_duplicates=True): names = stream_parameters(streams, no_duplicates) return [name for name in names if name not in kdims]
dimensionless_contents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(streams, kdims, no_duplicates=True):\n names = stream_parameters(streams, no_duplicates)\n return [name for name in names if name not in kdims]\n", "role": "user" }, { "content": "dimensionless_contents", "role": "assistant" } ]
def x(streams, kdims, no_duplicates=True): params = stream_parameters(streams, no_duplicates) return [d for d in kdims if d not in params]
unbound_dimensions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(streams, kdims, no_duplicates=True):\n params = stream_parameters(streams, no_duplicates)\n return [d for d in kdims if d not in params]\n", "role": "user" }, { "content": "unbound_dimensions", "role": "assistant" } ]
def x(unwrapped, kdims, streams): param_groups = [(s.contents.keys(), s) for s in streams] pairs = [(name, s) for group, s in param_groups for name in group] substituted = [] for pos, el in enumerate(wrap_tuple(unwrapped)): if el is None and pos < len(kdims): matches = [(name, s) for name, s in pairs if name == kdims[pos] .name] if len(matches) == 1: name, stream = matches[0] el = stream.contents[name] substituted.append(el) return tuple(substituted)
wrap_tuple_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(unwrapped, kdims, streams):\n param_groups = [(s.contents.keys(), s) for s in streams]\n pairs = [(name, s) for group, s in param_groups for name in group]\n substituted = []\n for pos, el in enumerate(wrap_tuple(unwrapped)):\n if el is None and pos < len(kdims):\n matches = [(name, s) for name, s in pairs if name == kdims[pos]\n .name]\n if len(matches) == 1:\n name, stream = matches[0]\n el = stream.contents[name]\n substituted.append(el)\n return tuple(substituted)\n", "role": "user" }, { "content": "wrap_tuple_streams", "role": "assistant" } ]
def x(streams, kdims, keys): stream_params = stream_parameters(streams) inds, dims = zip(*[(ind, kdim) for ind, kdim in enumerate(kdims) if kdim not in stream_params]) get = operator.itemgetter(*inds) keys = (get(k) for k in keys) return dims, [wrap_tuple(k) for k in keys] if len(inds) == 1 else list(keys )
drop_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(streams, kdims, keys):\n stream_params = stream_parameters(streams)\n inds, dims = zip(*[(ind, kdim) for ind, kdim in enumerate(kdims) if \n kdim not in stream_params])\n get = operator.itemgetter(*inds)\n keys = (get(k) for k in keys)\n return dims, [wrap_tuple(k) for k in keys] if len(inds) == 1 else list(keys\n )\n", "role": "user" }, { "content": "drop_streams", "role": "assistant" } ]
def x(obj): return iter(obj.values() ) if sys.version_info.major == 3 else obj.itervalues()
itervalues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return iter(obj.values()\n ) if sys.version_info.major == 3 else obj.itervalues()\n", "role": "user" }, { "content": "itervalues", "role": "assistant" } ]
def x(obj): return iter(obj.keys()) if sys.version_info.major == 3 else obj.iterkeys()
iterkeys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n return iter(obj.keys()) if sys.version_info.major == 3 else obj.iterkeys()\n", "role": "user" }, { "content": "iterkeys", "role": "assistant" } ]
def x(item): sanitizers = [group_sanitizer, label_sanitizer] if isinstance(item, tuple): path, item = item if item.label: if len(path) > 1 and item.label == path[1]: path = path[:2] else: path = path[:1] + (item.label,) else: path = path[:1] else: path = (item.group, item.label) if item.label else (item.group,) return tuple(capitalize(fn(p)) for p, fn in zip(path, sanitizers))
get_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item):\n sanitizers = [group_sanitizer, label_sanitizer]\n if isinstance(item, tuple):\n path, item = item\n if item.label:\n if len(path) > 1 and item.label == path[1]:\n path = path[:2]\n else:\n path = path[:1] + (item.label,)\n else:\n path = path[:1]\n else:\n path = (item.group, item.label) if item.label else (item.group,)\n return tuple(capitalize(fn(p)) for p, fn in zip(path, sanitizers))\n", "role": "user" }, { "content": "get_path", "role": "assistant" } ]
def x(path, counts, new): added = False while any(path == c[:i] for c in counts for i in range(1, len(c) + 1)): count = counts[path] counts[path] += 1 if not new and len(path) > 1 or added: path = path[:-1] else: added = True path = path + (int_to_roman(count),) if len(path) == 1: path = path + (int_to_roman(counts.get(path, 1)),) if path not in counts: counts[path] = 1 return path
make_path_unique
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path, counts, new):\n added = False\n while any(path == c[:i] for c in counts for i in range(1, len(c) + 1)):\n count = counts[path]\n counts[path] += 1\n if not new and len(path) > 1 or added:\n path = path[:-1]\n else:\n added = True\n path = path + (int_to_roman(count),)\n if len(path) == 1:\n path = path + (int_to_roman(counts.get(path, 1)),)\n if path not in counts:\n counts[path] = 1\n return path\n", "role": "user" }, { "content": "make_path_unique", "role": "assistant" } ]
def x(arrays, flat=True, copy=False): arrays = np.broadcast_arrays(*np.ix_(*arrays)) if flat: return tuple(arr.flatten() if copy else arr.flat for arr in arrays) return tuple(arr.copy() if copy else arr for arr in arrays)
cartesian_product
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arrays, flat=True, copy=False):\n arrays = np.broadcast_arrays(*np.ix_(*arrays))\n if flat:\n return tuple(arr.flatten() if copy else arr.flat for arr in arrays)\n return tuple(arr.copy() if copy else arr for arr in arrays)\n", "role": "user" }, { "content": "cartesian_product", "role": "assistant" } ]
def x(values, index): lengths = [len(v) for v in values] length = np.product(lengths) if index >= length: raise IndexError( 'Index %d out of bounds for cross-product of size %d' % (index, length)) indexes = [] for i in range(1, len(values))[::-1]: p = np.product(lengths[-i:]) indexes.append(index // p) index -= indexes[-1] * p indexes.append(index) return tuple(v[i] for v, i in zip(values, indexes))
cross_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values, index):\n lengths = [len(v) for v in values]\n length = np.product(lengths)\n if index >= length:\n raise IndexError(\n 'Index %d out of bounds for cross-product of size %d' % (index,\n length))\n indexes = []\n for i in range(1, len(values))[::-1]:\n p = np.product(lengths[-i:])\n indexes.append(index // p)\n index -= indexes[-1] * p\n indexes.append(index)\n return tuple(v[i] for v, i in zip(values, indexes))\n", "role": "user" }, { "content": "cross_index", "role": "assistant" } ]
def x(arrays): dtypes = ','.join(array.dtype.str for array in arrays) recarray = np.empty(len(arrays[0]), dtype=dtypes) for i, array in enumerate(arrays): recarray['f%s' % i] = array return recarray.argsort()
arglexsort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arrays):\n dtypes = ','.join(array.dtype.str for array in arrays)\n recarray = np.empty(len(arrays[0]), dtype=dtypes)\n for i, array in enumerate(arrays):\n recarray['f%s' % i] = array\n return recarray.argsort()\n", "role": "user" }, { "content": "arglexsort", "role": "assistant" } ]
def x(dmap): dimensioned = [] for stream in dmap.streams: stream_params = stream_parameters([stream]) if set([str(k) for k in dmap.kdims]) & set(stream_params): dimensioned.append(stream) return dimensioned
dimensioned_streams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dmap):\n dimensioned = []\n for stream in dmap.streams:\n stream_params = stream_parameters([stream])\n if set([str(k) for k in dmap.kdims]) & set(stream_params):\n dimensioned.append(stream)\n return dimensioned\n", "role": "user" }, { "content": "dimensioned_streams", "role": "assistant" } ]