source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(curried_dict): result = {} for a, a_dict in curried_dict.items(): for b, value in a_dict.items(): result[a, b] = value return result
uncurry_nested_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(curried_dict):\n result = {}\n for a, a_dict in curried_dict.items():\n for b, value in a_dict.items():\n result[a, b] = value\n ret...
def x(pair_dict, array_fn, dtype='float32', square_result=False): row_key_set, column_key_set = pair_dict_key_sets(pair_dict) if square_result: combined_key_set = row_key_set.union(column_key_set) row_key_list = column_key_list = list(sorted(combined_key_set)) row_key_indices = column_key_indices = {k: i for i, k in enumerate( row_key_list)} else: row_key_list = list(sorted(row_key_set)) column_key_list = list(sorted(column_key_set)) row_key_indices = {k: i for i, k in enumerate(row_key_list)} column_key_indices = {k: i for i, k in enumerate(column_key_list)} n_rows = len(row_key_indices) n_cols = len(column_key_indices) shape = n_rows, n_cols result = array_fn(shape, dtype) for (row_key, column_key), value in pair_dict.items(): i = row_key_indices[row_key] j = column_key_indices[column_key] result[i, j] = value return result, row_key_list, column_key_list
array_from_pair_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pair_dict, array_fn, dtype='float32', square_result=False):\n row_key_set, column_key_set = pair_dict_key_sets(pair_dict)\n if square_result:\n co...
def x(nested_dict): result = defaultdict(dict) for k1, d in nested_dict.items(): for k2, v in d.items(): result[k2][k1] = v return result
transpose_nested_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nested_dict):\n result = defaultdict(dict)\n for k1, d in nested_dict.items():\n for k2, v in d.items():\n result[k2][k1] = v\n retu...
def x(values_dict): reverse_lookup = defaultdict(list) for column_key, column_dict in values_dict.items(): for row_key, value in column_dict.items(): entry = column_key, value reverse_lookup[row_key].append(entry) return reverse_lookup
reverse_lookup_from_nested_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(values_dict):\n reverse_lookup = defaultdict(list)\n for column_key, column_dict in values_dict.items():\n for row_key, value in column_dict.items...
def x(nb): if nb.nbformat < 4: for ws in nb.worksheets: for cell in ws.cells: yield cell else: for cell in nb.cells: yield cell
cells
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nb):\n if nb.nbformat < 4:\n for ws in nb.worksheets:\n for cell in ws.cells:\n yield cell\n else:\n for cell in ...
def x(nb): nb.metadata.pop('signature', None) nb.metadata.pop('widgets', None) for cell in _cells(nb): if 'outputs' in cell: cell['outputs'] = [] if 'prompt_number' in cell: cell['prompt_number'] = None return nb
strip_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(nb):\n nb.metadata.pop('signature', None)\n nb.metadata.pop('widgets', None)\n for cell in _cells(nb):\n if 'outputs' in cell:\n cel...
def x(self, proposal): min = proposal['value'] if min > self.max: raise TraitError('Setting min > max') if min > self.value: self.value = min return min
validate_min
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proposal):\n min = proposal['value']\n if min > self.max:\n raise TraitError('Setting min > max')\n if min > self.value:\n self.va...
def x(self, proposal): max = proposal['value'] if max < self.min: raise TraitError('setting max < min') if max < self.value: self.value = max return max
validate_max
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proposal):\n max = proposal['value']\n if max < self.min:\n raise TraitError('setting max < min')\n if max < self.value:\n self.va...
def x(self, proposal): value = proposal['value'] if self.base ** self.min > value or self.base ** self.max < value: value = min(max(value, self.base ** self.min), self.base ** self.max) return value
validate_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proposal):\n value = proposal['value']\n if self.base ** self.min > value or self.base ** self.max < value:\n value = min(max(value, self.ba...
def x(): if 'matplotlib' not in sys.modules: return try: import matplotlib as mpl from ipykernel.pylab.backend_inline import flush_figures except ImportError: return if mpl.get_backend() == 'module://ipykernel.pylab.backend_inline': flush_figures()
show_inline_matplotlib_plots
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if 'matplotlib' not in sys.modules:\n return\n try:\n import matplotlib as mpl\n from ipykernel.pylab.backend_inline import flu...
def x(f, controls): out = Output() def x(change): kwargs = {k: v.value for k, v in controls.items()} show_inline_matplotlib_plots() with out: clear_output(wait=True) f(**kwargs) show_inline_matplotlib_plots() for k, w in controls.items(): w.observe(observer, 'value') show_inline_matplotlib_plots() observer(None) return out
interactive_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f, controls):\n out = Output()\n\n def x(change):\n kwargs = {k: v.value for k, v in controls.items()}\n show_inline_matplotlib_plots()\n ...
def x(o, pattern): if not len(o) == len(pattern): return False comps = zip(o, pattern) return all(isinstance(obj, kind) for obj, kind in comps)
matches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o, pattern):\n if not len(o) == len(pattern):\n return False\n comps = zip(o, pattern)\n return all(isinstance(obj, kind) for obj, kind in comp...
def x(min, max, value=None, step=None): if value is None: if min is None or max is None: raise ValueError( 'unable to infer range, value from: ({0}, {1}, {2})'.format (min, max, value)) diff = max - min value = min + diff / 2 if not isinstance(value, type(diff)): value = min + diff // 2 else: if not isinstance(value, Real): raise TypeError('expected a real number, got: %r' % value) if value == 0: vrange = value, value + 1 elif value > 0: vrange = -value, 3 * value else: vrange = 3 * value, -value if min is None: min = vrange[0] if max is None: max = vrange[1] if step is not None: tick = int((value - min) / step) value = min + tick * step if not min <= value <= max: raise ValueError( 'value must be between min and max (min={0}, value={1}, max={2})' .format(min, value, max)) return min, max, value
get_min_max_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(min, max, value=None, step=None):\n if value is None:\n if min is None or max is None:\n raise ValueError(\n 'unable to inf...
def x(param, kwargs): name = param.name kind = param.kind ann = param.annotation default = param.default not_found = name, empty, empty if kind in (Parameter.POSITIONAL_OR_KEYWORD, Parameter.KEYWORD_ONLY): if name in kwargs: value = kwargs.pop(name) elif ann is not empty: warn( 'Using function annotations to implicitly specify interactive controls is deprecated. Use an explicit keyword argument for the parameter instead.' , DeprecationWarning) value = ann elif default is not empty: value = default else: yield not_found yield name, value, default elif kind == Parameter.VAR_KEYWORD: for k, v in kwargs.copy().items(): kwargs.pop(k) yield k, v, empty
yield_abbreviations_for_parameter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(param, kwargs):\n name = param.name\n kind = param.kind\n ann = param.annotation\n default = param.default\n not_found = name, empty, empty\n ...
def x(self, *args): self.kwargs = {} if self.manual: self.manual_button.disabled = True try: show_inline_matplotlib_plots() with self.out: if self.clear_output: clear_output(wait=True) for widget in self.kwargs_widgets: value = widget.get_interact_value() self.kwargs[widget._kwarg] = value self.result = self.f(**self.kwargs) show_inline_matplotlib_plots() if self.auto_display and self.result is not None: display(self.result) except Exception as e: ip = get_ipython() if ip is None: self.log.warn('Exception in interact callback: %s', e, exc_info =True) else: ip.showtraceback() finally: if self.manual: self.manual_button.disabled = False
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n self.kwargs = {}\n if self.manual:\n self.manual_button.disabled = True\n try:\n show_inline_matplotlib_plots()\n ...
def x(self, kwargs): new_kwargs = [] try: sig = self.signature() except (ValueError, TypeError): return [(key, value, value) for key, value in kwargs.items()] for param in sig.parameters.values(): for name, value, default in _yield_abbreviations_for_parameter(param, kwargs): if value is empty: raise ValueError( 'cannot find widget or abbreviation for argument: {!r}' .format(name)) new_kwargs.append((name, value, default)) return new_kwargs
find_abbreviations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs):\n new_kwargs = []\n try:\n sig = self.signature()\n except (ValueError, TypeError):\n return [(key, value, value) for key...
def x(self, seq): result = [] for name, abbrev, default in seq: widget = self.widget_from_abbrev(abbrev, default) if not (isinstance(widget, ValueWidget) or isinstance(widget, fixed)): if widget is None: raise ValueError('{!r} cannot be transformed to a widget'. format(abbrev)) else: raise TypeError('{!r} is not a ValueWidget'.format(widget)) if not widget.description: widget.description = name widget._kwarg = name result.append(widget) return result
widgets_from_abbreviations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, seq):\n result = []\n for name, abbrev, default in seq:\n widget = self.widget_from_abbrev(abbrev, default)\n if not (isinstance(widg...
def x(cls, abbrev, default=empty): if isinstance(abbrev, ValueWidget) or isinstance(abbrev, fixed): return abbrev if isinstance(abbrev, tuple): widget = cls.widget_from_tuple(abbrev) if default is not empty: try: widget.value = default except Exception: pass return widget widget = cls.widget_from_single_value(abbrev) if widget is not None: return widget if isinstance(abbrev, Iterable): widget = cls.widget_from_iterable(abbrev) if default is not empty: try: widget.value = default except Exception: pass return widget return None
widget_from_abbrev
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, abbrev, default=empty):\n if isinstance(abbrev, ValueWidget) or isinstance(abbrev, fixed):\n return abbrev\n if isinstance(abbrev, tuple):\n ...
def x(o): if isinstance(o, string_types): return Text(value=unicode_type(o)) elif isinstance(o, bool): return Checkbox(value=o) elif isinstance(o, Integral): min, max, value = _get_min_max_value(None, None, o) return IntSlider(value=o, min=min, max=max) elif isinstance(o, Real): min, max, value = _get_min_max_value(None, None, o) return FloatSlider(value=o, min=min, max=max) else: return None
widget_from_single_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n if isinstance(o, string_types):\n return Text(value=unicode_type(o))\n elif isinstance(o, bool):\n return Checkbox(value=o)\n elif...
def x(o): if _matches(o, (Real, Real)): min, max, value = _get_min_max_value(o[0], o[1]) if all(isinstance(_, Integral) for _ in o): cls = IntSlider else: cls = FloatSlider return cls(value=value, min=min, max=max) elif _matches(o, (Real, Real, Real)): step = o[2] if step <= 0: raise ValueError('step must be >= 0, not %r' % step) min, max, value = _get_min_max_value(o[0], o[1], step=step) if all(isinstance(_, Integral) for _ in o): cls = IntSlider else: cls = FloatSlider return cls(value=value, min=min, max=max, step=step)
widget_from_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n if _matches(o, (Real, Real)):\n min, max, value = _get_min_max_value(o[0], o[1])\n if all(isinstance(_, Integral) for _ in o):\n ...
def x(o): if isinstance(o, (list, dict)): return Dropdown(options=o) elif isinstance(o, Mapping): return Dropdown(options=list(o.items())) else: return Dropdown(options=list(o))
widget_from_iterable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(o):\n if isinstance(o, (list, dict)):\n return Dropdown(options=o)\n elif isinstance(o, Mapping):\n return Dropdown(options=list(o.items())...
def x(self, f): return self.cls(f, self.opts, **self.kwargs)
widget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n return self.cls(f, self.opts, **self.kwargs)\n", "role": "user" }, { "content": "widget", "role": "assistant" } ]
def x(self, **kwds): opts = dict(self.opts) for k in kwds: try: _ = opts[k] except KeyError: raise ValueError('invalid option {!r}'.format(k)) opts[k] = kwds[k] return type(self)(self.cls, opts, self.kwargs)
options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwds):\n opts = dict(self.opts)\n for k in kwds:\n try:\n _ = opts[k]\n except KeyError:\n raise ValueError('...
def x(self, index, title): index = unicode_type(int(index)) self._titles[index] = title self.send_state('_titles')
set_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, title):\n index = unicode_type(int(index))\n self._titles[index] = title\n self.send_state('_titles')\n", "role": "user" }, { ...
def x(self, index): index = unicode_type(int(index)) if index in self._titles: return self._titles[index] else: return None
get_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index):\n index = unicode_type(int(index))\n if index in self._titles:\n return self._titles[index]\n else:\n return None\n", ...
def x(filename): sys.stdout.flush() subprocess.call('bash {}'.format(filename), shell=True)
bash
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n sys.stdout.flush()\n subprocess.call('bash {}'.format(filename), shell=True)\n", "role": "user" }, { "content": "bash", "rol...
def x(state, buffer_paths, buffers): for buffer_path, buffer in zip(buffer_paths, buffers): obj = state for key in buffer_path[:-1]: obj = obj[key] obj[buffer_path[-1]] = buffer
put_buffers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state, buffer_paths, buffers):\n for buffer_path, buffer in zip(buffer_paths, buffers):\n obj = state\n for key in buffer_path[:-1]:\n ...
def x(substate, path, buffer_paths, buffers): if isinstance(substate, (list, tuple)): is_cloned = False for i, v in enumerate(substate): if isinstance(v, _binary_types): if not is_cloned: substate = list(substate) is_cloned = True substate[i] = None buffers.append(v) buffer_paths.append(path + [i]) elif isinstance(v, (dict, list, tuple)): vnew = _separate_buffers(v, path + [i], buffer_paths, buffers) if v is not vnew: if not is_cloned: substate = list(substate) is_cloned = True substate[i] = vnew elif isinstance(substate, dict): is_cloned = False for k, v in substate.items(): if isinstance(v, _binary_types): if not is_cloned: substate = dict(substate) is_cloned = True del substate[k] buffers.append(v) buffer_paths.append(path + [k]) elif isinstance(v, (dict, list, tuple)): vnew = _separate_buffers(v, path + [k], buffer_paths, buffers) if v is not vnew: if not is_cloned: substate = dict(substate) is_cloned = True substate[k] = vnew else: raise ValueError('expected state to be a list or dict, not %r' % substate) return substate
separate_buffers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(substate, path, buffer_paths, buffers):\n if isinstance(substate, (list, tuple)):\n is_cloned = False\n for i, v in enumerate(substate):\n ...
def x(state): buffer_paths, buffers = [], [] state = _separate_buffers(state, [], buffer_paths, buffers) return state, buffer_paths, buffers
remove_buffers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(state):\n buffer_paths, buffers = [], []\n state = _separate_buffers(state, [], buffer_paths, buffers)\n return state, buffer_paths, buffers\n", "...
def x(a, b): if len(a) != len(b): return False if a == b: return True for ia, ib in zip(a, b): if PY3: if memoryview(ia).cast('B') != memoryview(ib).cast('B'): return False else: if isinstance(ia, memoryview) and ia.format != 'B': ia = ia.tobytes() if isinstance(ib, memoryview) and ib.format != 'B': ib = ib.tobytes() if ia != ib: return False return True
buffer_list_equal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n if len(a) != len(b):\n return False\n if a == b:\n return True\n for ia, ib in zip(a, b):\n if PY3:\n if memo...
def x(method): def x(self, *args, **kwargs): try: return method(self, *args, **kwargs) except Exception as e: ip = get_ipython() if ip is None: self.log.warning('Exception in widget method %s: %s', method, e, exc_info=True) else: ip.showtraceback() return m
show_traceback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n\n def x(self, *args, **kwargs):\n try:\n return method(self, *args, **kwargs)\n except Exception as e:\n ip =...
def x(name=''): def x(widget): w = widget.class_traits() Widget.widget_types.register(w['_model_module'].default_value, w[ '_model_module_version'].default_value, w['_model_name']. default_value, w['_view_module'].default_value, w[ '_view_module_version'].default_value, w['_view_name']. default_value, widget) return widget if isinstance(name, string_types): import warnings warnings.warn( 'Widget registration using a string name has been deprecated. Widget registration now uses a plain `@register` decorator.' , DeprecationWarning) return reg else: return reg(name)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name=''):\n\n def x(widget):\n w = widget.class_traits()\n Widget.widget_types.register(w['_model_module'].default_value, w[\n '_mo...
def x(self, callback, remove=False): if remove and callback in self.callbacks: self.callbacks.remove(callback) elif not remove and callback not in self.callbacks: self.callbacks.append(callback)
register_callback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, remove=False):\n if remove and callback in self.callbacks:\n self.callbacks.remove(callback)\n elif not remove and callback not in...
def x(self, model_module, model_module_version_range, model_name, view_module, view_module_version_range, view_name, klass): model_module = self._registry.setdefault(model_module, {}) model_version = model_module.setdefault(model_module_version_range, {}) model_name = model_version.setdefault(model_name, {}) view_module = model_name.setdefault(view_module, {}) view_version = view_module.setdefault(view_module_version_range, {}) view_version[view_name] = klass
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_module, model_module_version_range, model_name,\n view_module, view_module_version_range, view_name, klass):\n model_module = self._registry....
def x(self, model_module, model_module_version, model_name, view_module, view_module_version, view_name): module_versions = self._registry[model_module] model_names = list(module_versions.values())[0] view_modules = model_names[model_name] view_versions = view_modules[view_module] view_names = list(view_versions.values())[0] widget_class = view_names[view_name] return widget_class
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_module, model_module_version, model_name, view_module,\n view_module_version, view_name):\n module_versions = self._registry[model_module]\n ...
def x(widget): if Widget._widget_construction_callback is not None and callable(Widget ._widget_construction_callback): Widget._widget_construction_callback(widget)
call_widget_constructed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widget):\n if Widget._widget_construction_callback is not None and callable(Widget\n ._widget_construction_callback):\n Widget._widget_constru...
def x(comm, msg): version = msg.get('metadata', {}).get('version', '') if version.split('.')[0] != PROTOCOL_VERSION_MAJOR: raise ValueError( 'Incompatible widget protocol versions: received version %r, expected version %r' % (version, __protocol_version__)) data = msg['content']['data'] state = data['state'] widget_class = Widget.widget_types.get(state['_model_module'], state[ '_model_module_version'], state['_model_name'], state[ '_view_module'], state['_view_module_version'], state['_view_name']) widget = widget_class(comm=comm) if 'buffer_paths' in data: _put_buffers(state, data['buffer_paths'], msg['buffers']) widget.set_state(state)
handle_comm_opened
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(comm, msg):\n version = msg.get('metadata', {}).get('version', '')\n if version.split('.')[0] != PROTOCOL_VERSION_MAJOR:\n raise ValueError(\n ...
def x(drop_defaults=False, widgets=None): state = {} if widgets is None: widgets = Widget.widgets.values() for widget in widgets: state[widget.model_id] = widget._get_embed_state(drop_defaults= drop_defaults) return {'version_major': 2, 'version_minor': 0, 'state': state}
get_manager_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(drop_defaults=False, widgets=None):\n state = {}\n if widgets is None:\n widgets = Widget.widgets.values()\n for widget in widgets:\n st...
def x(self): if self.comm is None: state, buffer_paths, buffers = _remove_buffers(self.get_state()) args = dict(target_name='jupyter.widget', data={'state': state, 'buffer_paths': buffer_paths}, buffers=buffers, metadata={ 'version': __protocol_version__}) if self._model_id is not None: args['comm_id'] = self._model_id self.comm = Comm(**args)
open
[ { "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.comm is None:\n state, buffer_paths, buffers = _remove_buffers(self.get_state())\n args = dict(target_name='jupyter.widget', ...
def x(self, change): if change['new'] is None: return self._model_id = self.model_id self.comm.on_msg(self._handle_msg) Widget.widgets[self.model_id] = self
comm_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, change):\n if change['new'] is None:\n return\n self._model_id = self.model_id\n self.comm.on_msg(self._handle_msg)\n Widget.widgets[s...
def x(self): if self.comm is not None: Widget.widgets.pop(self.model_id, None) self.comm.close() self.comm = None self._ipython_display_ = None
close
[ { "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.comm is not None:\n Widget.widgets.pop(self.model_id, None)\n self.comm.close()\n self.comm = None\n self._ipyt...
def x(self, key=None): state = self.get_state(key=key) if len(state) > 0: if self._property_lock: for name, value in state.items(): if name in self._property_lock: self._property_lock[name] = value state, buffer_paths, buffers = _remove_buffers(state) msg = {'method': 'update', 'state': state, 'buffer_paths': buffer_paths } self._send(msg, buffers=buffers)
send_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key=None):\n state = self.get_state(key=key)\n if len(state) > 0:\n if self._property_lock:\n for name, value in state.items():\n...
def x(self, key=None, drop_defaults=False): if key is None: keys = self.keys elif isinstance(key, string_types): keys = [key] elif isinstance(key, collections.Iterable): keys = key else: raise ValueError('key must be a string, an iterable of keys, or None') state = {} traits = self.traits() for k in keys: to_json = self.trait_metadata(k, 'to_json', self._trait_to_json) value = to_json(getattr(self, k), self) if not PY3 and isinstance(traits[k], Bytes) and isinstance(value, bytes ): value = memoryview(value) if not drop_defaults or not self._compare(value, traits[k]. default_value): state[k] = value return state
get_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key=None, drop_defaults=False):\n if key is None:\n keys = self.keys\n elif isinstance(key, string_types):\n keys = [key]\n elif i...
def x(self, sync_data): with self._lock_property(**sync_data), self.hold_trait_notifications(): for name in sync_data: if name in self.keys: from_json = self.trait_metadata(name, 'from_json', self. _trait_from_json) self.set_trait(name, from_json(sync_data[name], self))
set_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sync_data):\n with self._lock_property(**sync_data), self.hold_trait_notifications():\n for name in sync_data:\n if name in self.key...
def x(self, callback, remove=False): self._msg_callbacks.register_callback(callback, remove=remove)
on_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, remove=False):\n self._msg_callbacks.register_callback(callback, remove=remove)\n", "role": "user" }, { "content": "on_msg", ...
def x(self, callback, remove=False): self._display_callbacks.register_callback(callback, remove=remove)
on_displayed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback, remove=False):\n self._display_callbacks.register_callback(callback, remove=remove)\n", "role": "user" }, { "content": "on_displ...
def x(self, **traits): super(Widget, self).add_traits(**traits) for name, trait in traits.items(): if trait.get_metadata('sync'): self.keys.append(name) self.send_state(name)
add_traits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **traits):\n super(Widget, self).add_traits(**traits)\n for name, trait in traits.items():\n if trait.get_metadata('sync'):\n sel...
def x(self, change): name = change['name'] if self.comm is not None and self.comm.kernel is not None: if name in self.keys and self._should_send_property(name, getattr( self, name)): self.send_state(key=name) super(Widget, self).notify_change(change)
notify_change
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, change):\n name = change['name']\n if self.comm is not None and self.comm.kernel is not None:\n if name in self.keys and self._should_send_p...
def x(self): if self._holding_sync is True: yield else: try: self._holding_sync = True yield finally: self._holding_sync = False self.send_state(self._states_to_send) self._states_to_send.clear()
hold_sync
[ { "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._holding_sync is True:\n yield\n else:\n try:\n self._holding_sync = True\n yield\n finally:\...
def x(self, key, value): to_json = self.trait_metadata(key, 'to_json', self._trait_to_json) if key in self._property_lock: split_value = _remove_buffers({key: to_json(value, self)}) split_lock = _remove_buffers({key: self._property_lock[key]}) if jsonloads(jsondumps(split_value[0])) == split_lock[0 ] and split_value[1] == split_lock[1] and _buffer_list_equal( split_value[2], split_lock[2]): return False if self._holding_sync: self._states_to_send.add(key) return False else: return True
should_send_property
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value):\n to_json = self.trait_metadata(key, 'to_json', self._trait_to_json)\n if key in self._property_lock:\n split_value = _remove_b...
def x(self, msg): data = msg['content']['data'] method = data['method'] if method == 'update': if 'state' in data: state = data['state'] if 'buffer_paths' in data: _put_buffers(state, data['buffer_paths'], msg['buffers']) self.set_state(state) elif method == 'request_state': self.send_state() elif method == 'custom': if 'content' in data: self._handle_custom_msg(data['content'], msg['buffers']) else: self.log.error( 'Unknown front-end to back-end widget msg with method "%s"' % method)
handle_msg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n data = msg['content']['data']\n method = data['method']\n if method == 'update':\n if 'state' in data:\n state = data[...
def x(self, **kwargs): plaintext = repr(self) if len(plaintext) > 110: plaintext = plaintext[:110] + '…' data = {'text/plain': plaintext} if self._view_name is not None: data['application/vnd.jupyter.widget-view+json'] = {'version_major': 2, 'version_minor': 0, 'model_id': self._model_id} display(data, raw=True) if self._view_name is not None: self._handle_displayed(**kwargs)
ipython_display_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n plaintext = repr(self)\n if len(plaintext) > 110:\n plaintext = plaintext[:110] + '…'\n data = {'text/plain': plaintext}\n ...
def x(self, msg, buffers=None): if self.comm is not None and self.comm.kernel is not None: self.comm.send(data=msg, buffers=buffers)
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg, buffers=None):\n if self.comm is not None and self.comm.kernel is not None:\n self.comm.send(data=msg, buffers=buffers)\n", "role": "u...
def x(cls): def x(self, value=None, **kwargs): if value is not None: kwargs['value'] = value super(cls, self).__init__(**kwargs) __init__.__doc__ = _int_doc_t cls.__init__ = __init__ return cls
int_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self, value=None, **kwargs):\n if value is not None:\n kwargs['value'] = value\n super(cls, self).__init__(**kwargs...
def x(cls): def x(self, value=None, min=None, max=None, step=None, **kwargs): if value is not None: kwargs['value'] = value if min is not None: kwargs['min'] = min if max is not None: kwargs['max'] = max if step is not None: kwargs['step'] = step super(cls, self).__init__(**kwargs) __init__.__doc__ = _bounded_int_doc_t cls.__init__ = __init__ return cls
bounded_int_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n\n def x(self, value=None, min=None, max=None, step=None, **kwargs):\n if value is not None:\n kwargs['value'] = value\n if ...
def x(pydt, manager): if pydt is None: return None else: return dict(year=pydt.year, month=pydt.month - 1, date=pydt.day, hours=pydt.hour, minutes=pydt.minute, seconds=pydt.second, milliseconds=pydt.microsecond / 1000)
datetime_to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pydt, manager):\n if pydt is None:\n return None\n else:\n return dict(year=pydt.year, month=pydt.month - 1, date=pydt.day,\n ho...
def x(js, manager): if js is None: return None else: return dt.datetime(js['year'], js['month'] + 1, js['date'], js[ 'hours'], js['minutes'], js['seconds'], js['milliseconds'] * 1000)
datetime_from_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(js, manager):\n if js is None:\n return None\n else:\n return dt.datetime(js['year'], js['month'] + 1, js['date'], js[\n 'hours'...
def x(pydate, manager): if pydate is None: return None else: return dict(year=pydate.year, month=pydate.month - 1, date=pydate.day)
date_to_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pydate, manager):\n if pydate is None:\n return None\n else:\n return dict(year=pydate.year, month=pydate.month - 1, date=pydate.day)\n", ...
def x(widget, state): keys = tuple(state.keys()) for key in keys: value = getattr(widget, key) if isinstance(value, Widget): yield value elif isinstance(value, (list, tuple)): for item in value: if isinstance(item, Widget): yield item elif isinstance(value, dict): for item in value.values(): if isinstance(item, Widget): yield item
find_widget_refs_by_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widget, state):\n keys = tuple(state.keys())\n for key in keys:\n value = getattr(widget, key)\n if isinstance(value, Widget):\n ...
def x(widget, store=None, drop_defaults=False): if store is None: store = dict() state = widget._get_embed_state(drop_defaults=drop_defaults) store[widget.model_id] = state for ref in _find_widget_refs_by_state(widget, state['state']): if ref.model_id not in store: _get_recursive_state(ref, store, drop_defaults=drop_defaults) return store
get_recursive_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widget, store=None, drop_defaults=False):\n if store is None:\n store = dict()\n state = widget._get_embed_state(drop_defaults=drop_defaults)\n ...
def x(store, drop_defaults): for widget_id, widget in Widget.widgets.items(): if isinstance(widget, Link) and widget_id not in store: if widget.source[0].model_id in store and widget.target[0 ].model_id in store: store[widget.model_id] = widget._get_embed_state(drop_defaults =drop_defaults)
add_resolved_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(store, drop_defaults):\n for widget_id, widget in Widget.widgets.items():\n if isinstance(widget, Link) and widget_id not in store:\n if w...
def x(widgets, drop_defaults=True): if widgets is None: state = Widget.get_manager_state(drop_defaults=drop_defaults, widgets=None)['state'] else: try: widgets[0] except (IndexError, TypeError): widgets = [widgets] state = {} for widget in widgets: _get_recursive_state(widget, state, drop_defaults) add_resolved_links(state, drop_defaults) return state
dependency_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(widgets, drop_defaults=True):\n if widgets is None:\n state = Widget.get_manager_state(drop_defaults=drop_defaults,\n widgets=None)['state...
def x(views, drop_defaults=True, state=None): if views is None: views = [w for w in Widget.widgets.values() if isinstance(w, DOMWidget) ] else: try: views[0] except (IndexError, TypeError): views = [views] if state is None: state = Widget.get_manager_state(drop_defaults=drop_defaults, widgets=None)['state'] json_data = Widget.get_manager_state(widgets=[]) json_data['state'] = state view_specs = [w.get_view_spec() for w in views] return dict(manager_state=json_data, view_specs=view_specs)
embed_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(views, drop_defaults=True, state=None):\n if views is None:\n views = [w for w in Widget.widgets.values() if isinstance(w, DOMWidget)\n ]\...
def x(views, drop_defaults=True, state=None, indent=2, embed_url=None, requirejs=True, cors=True): data = embed_data(views, drop_defaults=drop_defaults, state=state) widget_views = u'\n'.join(widget_view_template.format(view_spec= escape_script(json.dumps(view_spec))) for view_spec in data[ 'view_specs']) if embed_url is None: embed_url = (DEFAULT_EMBED_REQUIREJS_URL if requirejs else DEFAULT_EMBED_SCRIPT_URL) load = load_requirejs_template if requirejs else load_template use_cors = ' crossorigin="anonymous"' if cors else '' values = {'load': load.format(embed_url=embed_url, use_cors=use_cors), 'json_data': escape_script(json.dumps(data['manager_state'], indent =indent)), 'widget_views': widget_views} return snippet_template.format(**values)
embed_snippet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(views, drop_defaults=True, state=None, indent=2, embed_url=None,\n requirejs=True, cors=True):\n data = embed_data(views, drop_defaults=drop_defaults, st...
def x(fp, views, title=u'IPyWidget export', template=None, **kwargs): snippet = embed_snippet(views, **kwargs) values = {'title': title, 'snippet': snippet} if template is None: template = html_template html_code = template.format(**values) if hasattr(fp, 'write'): fp.write(html_code) else: with open(fp, 'w') as f: f.write(html_code)
embed_minimal_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fp, views, title=u'IPyWidget export', template=None, **kwargs):\n snippet = embed_snippet(views, **kwargs)\n values = {'title': title, 'snippet': snippet...
def x(x): if isinstance(x, Mapping): import warnings warnings.warn( 'Support for mapping types has been deprecated and will be dropped in a future release.' , DeprecationWarning) return tuple((unicode_type(k), v) for k, v in x.items()) xlist = tuple(x) if all(isinstance(i, (list, tuple)) and len(i) == 2 for i in xlist): return tuple((unicode_type(k), v) for k, v in xlist) return tuple((unicode_type(i), i) for i in xlist)
make_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n if isinstance(x, Mapping):\n import warnings\n warnings.warn(\n 'Support for mapping types has been deprecated and will be dr...
def x(array, value, compare=lambda x, y: x == y): try: return next(x for x in array if compare(x, value)) except StopIteration: raise ValueError('%r not in array' % value)
findvalue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(array, value, compare=lambda x, y: x == y):\n try:\n return next(x for x in array if compare(x, value))\n except StopIteration:\n raise Val...
def x(self, change): options = self._options_full self.set_trait('_options_labels', tuple(i[0] for i in options)) self._options_values = tuple(i[1] for i in options) if self._initializing_traits_ is not True: if len(options) > 0: if self.index == 0: self._notify_trait('index', 0, 0) else: self.index = 0 else: self.index = None
propagate_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, change):\n options = self._options_full\n self.set_trait('_options_labels', tuple(i[0] for i in options))\n self._options_values = tuple(i[1] fo...
def x(self, change): label = self._options_labels[change.new ] if change.new is not None else None value = self._options_values[change.new ] if change.new is not None else None if self.label is not label: self.label = label if self.value is not value: self.value = value
propagate_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, change):\n label = self._options_labels[change.new\n ] if change.new is not None else None\n value = self._options_values[change.new\n ...
def x(self, proposal): if all(0 <= i < len(self._options_labels) for i in proposal.value): return proposal.value else: raise TraitError('Invalid selection: index out of bounds')
validate_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proposal):\n if all(0 <= i < len(self._options_labels) for i in proposal.value):\n return proposal.value\n else:\n raise TraitError('...
def x(self, proposal): try: return tuple(findvalue(self._options_values, i, self.equals) for i in proposal.value) except ValueError: raise TraitError('Invalid selection: value not found')
validate_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, proposal):\n try:\n return tuple(findvalue(self._options_values, i, self.equals) for i in\n proposal.value)\n except ValueError:\...
def x(self, className): if className not in self._dom_classes: self._dom_classes = list(self._dom_classes) + [className] return self
add_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, className):\n if className not in self._dom_classes:\n self._dom_classes = list(self._dom_classes) + [className]\n return self\n", "role...
def x(self, className): if className in self._dom_classes: self._dom_classes = [c for c in self._dom_classes if c != className] return self
remove_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, className):\n if className in self._dom_classes:\n self._dom_classes = [c for c in self._dom_classes if c != className]\n return self\n", ...
def x(kernel=None): if kernel is None: kernel = get_ipython().kernel kernel.comm_manager.register_target('jupyter.widget', Widget. handle_comm_opened)
register_comm_target
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(kernel=None):\n if kernel is None:\n kernel = get_ipython().kernel\n kernel.comm_manager.register_target('jupyter.widget', Widget.\n handle...
def x(snippets): def x(cls): stripped_snippets = {key: snippet.strip() for key, snippet in snippets.items()} cls.__doc__ = cls.__doc__.format(**stripped_snippets) return cls return decorator
doc_subst
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(snippets):\n\n def x(cls):\n stripped_snippets = {key: snippet.strip() for key, snippet in\n snippets.items()}\n cls.__doc__ = cls....
def x(relative_path=''): try: base_path = sys._MEIPASS except Exception: if 'pytest' in sys.modules: for arg in reversed(sys.argv): path = os.path.realpath(arg) if os.path.exists(path): base_path = path if os.path.isdir(path ) else os.path.dirname(path) break else: base_path = os.path.dirname(os.path.realpath(sys.argv[0])) if not os.path.exists(base_path): raise ValueError('Path %s does not exist' % base_path) return 'file://%s' % os.path.join(base_path, relative_path)
base_uri
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relative_path=''):\n try:\n base_path = sys._MEIPASS\n except Exception:\n if 'pytest' in sys.modules:\n for arg in reversed(sys...
def x(file_type): valid_file_filter = ( '^([\\w ]+)\\((\\*(?:\\.(?:\\w+|\\*))*(?:;\\*\\.\\w+)*)\\)$') match = re.search(valid_file_filter, file_type) if match: return match.group(1).rstrip(), match.group(2) else: raise ValueError('{0} is not a valid file filter'.format(file_type))
parse_file_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_type):\n valid_file_filter = (\n '^([\\\\w ]+)\\\\((\\\\*(?:\\\\.(?:\\\\w+|\\\\*))*(?:;\\\\*\\\\.\\\\w+)*)\\\\)$')\n match = re.search(valid_...
def x(string): if sys.version < '3' and isinstance(string, str): return unicode(string.decode('utf-8')) return string
make_unicode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string):\n if sys.version < '3' and isinstance(string, str):\n return unicode(string.decode('utf-8'))\n return string\n", "role": "user" }, ...
def x(self): mainMenu = AppKit.NSMenu.alloc().init() self.app.setMainMenu_(mainMenu) mainAppMenuItem = AppKit.NSMenuItem.alloc().init() mainMenu.addItem_(mainAppMenuItem) appMenu = AppKit.NSMenu.alloc().init() mainAppMenuItem.setSubmenu_(appMenu) appMenu.addItemWithTitle_action_keyEquivalent_(self._append_app_name( localization['cocoa.menu.about']), 'orderFrontStandardAboutPanel:', '') appMenu.addItem_(AppKit.NSMenuItem.separatorItem()) appServicesMenu = AppKit.NSMenu.alloc().init() self.app.setServicesMenu_(appServicesMenu) servicesMenuItem = appMenu.addItemWithTitle_action_keyEquivalent_( localization['cocoa.menu.services'], nil, '') servicesMenuItem.setSubmenu_(appServicesMenu) appMenu.addItem_(AppKit.NSMenuItem.separatorItem()) appMenu.addItemWithTitle_action_keyEquivalent_(self._append_app_name( localization['cocoa.menu.hide']), 'hide:', 'h') hideOthersMenuItem = appMenu.addItemWithTitle_action_keyEquivalent_( localization['cocoa.menu.hideOthers'], 'hideOtherApplications:', 'h') hideOthersMenuItem.setKeyEquivalentModifierMask_(AppKit. NSAlternateKeyMask | AppKit.NSCommandKeyMask) appMenu.addItemWithTitle_action_keyEquivalent_(localization[ 'cocoa.menu.showAll'], 'unhideAllApplications:', '') appMenu.addItem_(AppKit.NSMenuItem.separatorItem()) appMenu.addItemWithTitle_action_keyEquivalent_(self._append_app_name( localization['cocoa.menu.quit']), 'terminate:', 'q')
add_app_menu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mainMenu = AppKit.NSMenu.alloc().init()\n self.app.setMainMenu_(mainMenu)\n mainAppMenuItem = AppKit.NSMenuItem.alloc().init()\n mainMenu....
def x(self): mainMenu = self.app.mainMenu() viewMenu = AppKit.NSMenu.alloc().init() viewMenu.setTitle_(localization['cocoa.menu.view']) viewMenuItem = AppKit.NSMenuItem.alloc().init() viewMenuItem.setSubmenu_(viewMenu) mainMenu.addItem_(viewMenuItem) fullScreenMenuItem = viewMenu.addItemWithTitle_action_keyEquivalent_( localization['cocoa.menu.fullscreen'], 'toggleFullScreen:', 'f') fullScreenMenuItem.setKeyEquivalentModifierMask_(AppKit. NSControlKeyMask | AppKit.NSCommandKeyMask)
add_view_menu
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n mainMenu = self.app.mainMenu()\n viewMenu = AppKit.NSMenu.alloc().init()\n viewMenu.setTitle_(localization['cocoa.menu.view'])\n viewMenuI...
def x(hex_string): hex_string = hex_string[1:] if len(hex_string) == 3: hex_string = ''.join([(c * 2) for c in hex_string]) hex_int = int(hex_string, 16) rgb = hex_int >> 16 & 255, hex_int >> 8 & 255, hex_int & 255 rgb = [(i / 255.0) for i in rgb] return AppKit.NSColor.colorWithSRGBRed_green_blue_alpha_(rgb[0], rgb[1], rgb[2], 1.0)
nscolor_from_hex
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hex_string):\n hex_string = hex_string[1:]\n if len(hex_string) == 3:\n hex_string = ''.join([(c * 2) for c in hex_string])\n hex_int = int(hex...
def x(attr, value): for i in list(BrowserView.instances.values()): try: if getattr(i, attr) == value: return i except AttributeError: break return None
get_instance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attr, value):\n for i in list(BrowserView.instances.values()):\n try:\n if getattr(i, attr) == value:\n return i\n e...
def x(signature_str): _objc_so.PyObjCMethodSignature_WithMetaData.restype = ctypes.py_object return _objc_so.PyObjCMethodSignature_WithMetaData(ctypes. create_string_buffer(signature_str), None, False)
pyobjc_method_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signature_str):\n _objc_so.PyObjCMethodSignature_WithMetaData.restype = ctypes.py_object\n return _objc_so.PyObjCMethodSignature_WithMetaData(ctypes.\n ...
def x(): dirs = webview.create_file_dialog(webview.FOLDER_DIALOG) if dirs and len(dirs) > 0: directory = dirs[0] if isinstance(directory, bytes): directory = directory.decode('utf-8') response = {'status': 'ok', 'directory': directory} else: response = {'status': 'cancel'} return jsonify(response)
choose_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dirs = webview.create_file_dialog(webview.FOLDER_DIALOG)\n if dirs and len(dirs) > 0:\n directory = dirs[0]\n if isinstance(directory,...
def x(): try: import _winreg as winreg except ImportError: import winreg def x(): ie_key = winreg.OpenKey(winreg.HKEY_LOCAL_MACHINE, 'Software\\Microsoft\\Internet Explorer') try: version, type = winreg.QueryValueEx(ie_key, 'svcVersion') except: version, type = winreg.QueryValueEx(ie_key, 'Version') winreg.CloseKey(ie_key) if version.startswith('11'): value = 11001 elif version.startswith('10'): value = 10001 elif version.startswith('9'): value = 9999 elif version.startswith('8'): value = 8888 else: value = 11001 return value try: browser_emulation = winreg.OpenKey(winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Internet Explorer\\Main\\FeatureControl\\FEATURE_BROWSER_EMULATION' , 0, winreg.KEY_ALL_ACCESS) except WindowsError: browser_emulation = winreg.CreateKeyEx(winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Internet Explorer\\Main\\FeatureControl\\FEATURE_BROWSER_EMULATION' , 0, winreg.KEY_ALL_ACCESS) try: dpi_support = winreg.OpenKey(winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Internet Explorer\\Main\\FeatureControl\\FEATURE_96DPI_PIXEL' , 0, winreg.KEY_ALL_ACCESS) except WindowsError: dpi_support = winreg.CreateKeyEx(winreg.HKEY_CURRENT_USER, 'Software\\Microsoft\\Internet Explorer\\Main\\FeatureControl\\FEATURE_96DPI_PIXEL' , 0, winreg.KEY_ALL_ACCESS) mode = get_ie_mode() executable_name = sys.executable.split('\\')[-1] winreg.SetValueEx(browser_emulation, executable_name, 0, winreg. REG_DWORD, mode) winreg.CloseKey(browser_emulation) winreg.SetValueEx(dpi_support, executable_name, 0, winreg.REG_DWORD, 1) winreg.CloseKey(dpi_support)
set_ie_mode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n import _winreg as winreg\n except ImportError:\n import winreg\n\n def x():\n ie_key = winreg.OpenKey(winreg.HKEY_LOC...
def x(function): @wraps(function) def x(*args, **kwargs): try: if not _webview_ready.wait(15): raise Exception('Main window failed to start') return function(*args, **kwargs) except NameError: raise Exception( 'Create a web view window first, before invoking this function' ) except KeyError as e: try: uid = kwargs['uid'] except KeyError: uid = args[-1] raise Exception( 'Cannot call function: No webview exists with uid: {}'. format(uid)) return wrapper
api_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n\n @wraps(function)\n def x(*args, **kwargs):\n try:\n if not _webview_ready.wait(15):\n raise Exception('Ma...
def x(title, url=None, js_api=None, width=800, height=600, resizable=True, fullscreen=False, min_size=(200, 100), strings={}, confirm_quit=False, background_color='#FFFFFF', text_select=False, frameless=False, debug=False ): valid_color = '^#(?:[0-9a-fA-F]{3}){1,2}$' if not re.match(valid_color, background_color): raise ValueError('{0} is not a valid hex triplet color'.format( background_color)) if current_thread().name == 'MainThread': uid = 'master' if not _initialized: _initialize_imports() localization.update(strings) else: uid = 'child_' + uuid4().hex[:8] if not _webview_ready.wait(5): raise Exception('Call create_window from the main thread first') _webview_ready.clear() gui.create_window(uid, make_unicode(title), transform_url(url), width, height, resizable, fullscreen, min_size, confirm_quit, background_color, debug, js_api, text_select, frameless, _webview_ready ) if uid == 'master': _webview_ready.clear() else: return uid
create_window
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(title, url=None, js_api=None, width=800, height=600, resizable=True,\n fullscreen=False, min_size=(200, 100), strings={}, confirm_quit=False,\n backgroun...
def x(dialog_type=OPEN_DIALOG, directory='', allow_multiple=False, save_filename='', file_types=()): if type(file_types) != tuple and type(file_types) != list: raise TypeError('file_types must be a tuple of strings') for f in file_types: parse_file_type(f) if not os.path.exists(directory): directory = '' return gui.create_file_dialog(dialog_type, directory, allow_multiple, save_filename, file_types)
create_file_dialog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dialog_type=OPEN_DIALOG, directory='', allow_multiple=False,\n save_filename='', file_types=()):\n if type(file_types) != tuple and type(file_types) != l...
def x(content, base_uri=base_uri(), uid='master'): content = make_unicode(content) gui.load_html(content, base_uri, uid)
load_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(content, base_uri=base_uri(), uid='master'):\n content = make_unicode(content)\n gui.load_html(content, base_uri, uid)\n", "role": "user" }, { ...
def x(script, uid='master'): escaped_script = 'JSON.stringify(eval("{0}"))'.format(escape_string(script) ) return gui.evaluate_js(escaped_script, uid)
evaluate_js
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(script, uid='master'):\n escaped_script = 'JSON.stringify(eval(\"{0}\"))'.format(escape_string(script)\n )\n return gui.evaluate_js(escaped_script...
def x(self, bottom, top): params = eval(self.param_str) self.nyud_dir = params['nyud_dir'] self.split = params['split'] self.tops = params['tops'] self.random = params.get('randomize', True) self.seed = params.get('seed', None) self.data = {} self.mean_bgr = np.array((116.19, 97.203, 92.318), dtype=np.float32) self.mean_hha = np.array((132.431, 94.076, 118.477), dtype=np.float32) self.mean_logd = np.array((7.844,), dtype=np.float32) if len(top) != len(self.tops): raise Exception('Need to define {} tops for all outputs.') if len(bottom) != 0: raise Exception('Do not define a bottom.') split_f = '{}/{}.txt'.format(self.nyud_dir, self.split) self.indices = open(split_f, 'r').read().splitlines() self.idx = 0 if 'train' not in self.split: self.random = False if self.random: random.seed(self.seed) self.idx = random.randint(0, len(self.indices) - 1)
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, bottom, top):\n params = eval(self.param_str)\n self.nyud_dir = params['nyud_dir']\n self.split = params['split']\n self.tops = params['tops'...
def x(self, idx): im = Image.open('{}/data/images/img_{}.png'.format(self.nyud_dir, idx)) in_ = np.array(im, dtype=np.float32) in_ = in_[:, :, ::-1] in_ -= self.mean_bgr in_ = in_.transpose((2, 0, 1)) return in_
load_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n im = Image.open('{}/data/images/img_{}.png'.format(self.nyud_dir, idx))\n in_ = np.array(im, dtype=np.float32)\n in_ = in_[:, :, ::-1]\n...
def x(self, idx): label = scipy.io.loadmat('{}/segmentation/img_{}.mat'.format(self. nyud_dir, idx))['segmentation'].astype(np.uint8) label -= 1 label = label[np.newaxis, ...] return label
load_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n label = scipy.io.loadmat('{}/segmentation/img_{}.mat'.format(self.\n nyud_dir, idx))['segmentation'].astype(np.uint8)\n label -= 1\n...
def x(self, idx): im = Image.open('{}/data/depth/img_{}.png'.format(self.nyud_dir, idx)) d = np.array(im, dtype=np.float32) d = np.log(d) d -= self.mean_logd d = d[np.newaxis, ...] return d
load_depth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n im = Image.open('{}/data/depth/img_{}.png'.format(self.nyud_dir, idx))\n d = np.array(im, dtype=np.float32)\n d = np.log(d)\n d -= se...
def x(self, idx): im = Image.open('{}/data/hha/img_{}.png'.format(self.nyud_dir, idx)) hha = np.array(im, dtype=np.float32) hha -= self.mean_hha hha = hha.transpose((2, 0, 1)) return hha
load_hha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n im = Image.open('{}/data/hha/img_{}.png'.format(self.nyud_dir, idx))\n hha = np.array(im, dtype=np.float32)\n hha -= self.mean_hha\n ...
def x(self, idx): im = Image.open( '{}/Images/spatial_envelope_256x256_static_8outdoorcategories/{}.jpg' .format(self.siftflow_dir, idx)) in_ = np.array(im, dtype=np.float32) in_ = in_[:, :, ::-1] in_ -= self.mean in_ = in_.transpose((2, 0, 1)) return in_
load_image
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx):\n im = Image.open(\n '{}/Images/spatial_envelope_256x256_static_8outdoorcategories/{}.jpg'\n .format(self.siftflow_dir, idx))\n ...
def x(self, idx, label_type=None): if label_type == 'semantic': label = scipy.io.loadmat( '{}/SemanticLabels/spatial_envelope_256x256_static_8outdoorcategories/{}.mat' .format(self.siftflow_dir, idx))['S'] elif label_type == 'geometric': label = scipy.io.loadmat( '{}/GeoLabels/spatial_envelope_256x256_static_8outdoorcategories/{}.mat' .format(self.siftflow_dir, idx))['S'] label[label == -1] = 0 else: raise Exception('Unknown label type: {}. Pick semantic or geometric.' .format(label_type)) label = label.astype(np.uint8) label -= 1 label = label[np.newaxis, ...] return label.copy()
load_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idx, label_type=None):\n if label_type == 'semantic':\n label = scipy.io.loadmat(\n '{}/SemanticLabels/spatial_envelope_256x256_stat...
def x(in_channels, out_channels, kernel_size): factor = (kernel_size + 1) // 2 if kernel_size % 2 == 1: center = factor - 1 else: center = factor - 0.5 og = np.ogrid[:kernel_size, :kernel_size] filt = (1 - abs(og[0] - center) / factor) * (1 - abs(og[1] - center) / factor) weight = np.zeros((in_channels, out_channels, kernel_size, kernel_size), dtype=np.float64) weight[range(in_channels), range(out_channels), :, :] = filt return torch.from_numpy(weight).float()
get_upsampling_weight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(in_channels, out_channels, kernel_size):\n factor = (kernel_size + 1) // 2\n if kernel_size % 2 == 1:\n center = factor - 1\n else:\n ce...
def x(label_trues, label_preds, n_class): hist = np.zeros((n_class, n_class)) for lt, lp in zip(label_trues, label_preds): hist += _fast_hist(lt.flatten(), lp.flatten(), n_class) acc = np.diag(hist).sum() / hist.sum() with np.errstate(divide='ignore', invalid='ignore'): acc_cls = np.diag(hist) / hist.sum(axis=1) acc_cls = np.nanmean(acc_cls) with np.errstate(divide='ignore', invalid='ignore'): iu = np.diag(hist) / (hist.sum(axis=1) + hist.sum(axis=0) - np.diag (hist)) mean_iu = np.nanmean(iu) freq = hist.sum(axis=1) / hist.sum() fwavacc = (freq[freq > 0] * iu[freq > 0]).sum() return acc, acc_cls, mean_iu, fwavacc
label_accuracy_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(label_trues, label_preds, n_class):\n hist = np.zeros((n_class, n_class))\n for lt, lp in zip(label_trues, label_preds):\n hist += _fast_hist(lt.f...
def x(new_net, new_layer, net, layer): old_cl = net.params[layer][0].num new_net.params[new_layer][0].data[:old_cl][...] = net.params[layer][0].data new_net.params[new_layer][1].data[0, 0, 0, :old_cl][...] = net.params[layer ][1].data
expand_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(new_net, new_layer, net, layer):\n old_cl = net.params[layer][0].num\n new_net.params[new_layer][0].data[:old_cl][...] = net.params[layer][0].data\n n...