source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, struct, name, path=None, extra_info=None): self._assert_dict(struct, name, path, extra_info) if len(struct) != 1: err = [self._format_error_path(path + [name])] err.append( 'Commands of run, dependencies, and argument sections must be mapping with exactly 1 key-value pair, got {0}: {1}' .format(len(struct), struct)) if extra_info: err.append(extra_info) raise exceptions.YamlSyntaxError('\n'.join(err))
assert_command_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, struct, name, path=None, extra_info=None):\n self._assert_dict(struct, name, path, extra_info)\n if len(struct) != 1:\n err = [self._format_error_path(path + [name])]\n err.append(\n 'Commands of run, dependencies, and argument sections must be mapping with exactly 1 key-value pair, got {0}: {1}'\n .format(len(struct), struct))\n if extra_info:\n err.append(extra_info)\n raise exceptions.YamlSyntaxError('\\n'.join(err))\n", "role": "user" }, { "content": "assert_command_dict", "role": "assistant" } ]
def x(self, struct, name, types, path=None, extra_info=None): wanted_yaml_typenames = set() for t in types: wanted_yaml_typenames.add(self._get_yaml_typename(t)) wanted_yaml_typenames = ' or '.join(wanted_yaml_typenames) actual_yaml_typename = self._get_yaml_typename(type(struct)) if not isinstance(struct, types): err = [] if path: err.append(self._format_error_path(path + [name])) err.append( ' Expected {w} value for "{n}", got value of type {a}: "{v}"'. format(w=wanted_yaml_typenames, n=name, a=actual_yaml_typename, v=struct)) if extra_info: err.append('Tip: ' + extra_info) raise exceptions.YamlTypeError('\n'.join(err))
assert_struct_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, struct, name, types, path=None, extra_info=None):\n wanted_yaml_typenames = set()\n for t in types:\n wanted_yaml_typenames.add(self._get_yaml_typename(t))\n wanted_yaml_typenames = ' or '.join(wanted_yaml_typenames)\n actual_yaml_typename = self._get_yaml_typename(type(struct))\n if not isinstance(struct, types):\n err = []\n if path:\n err.append(self._format_error_path(path + [name]))\n err.append(\n ' Expected {w} value for \"{n}\", got value of type {a}: \"{v}\"'.\n format(w=wanted_yaml_typenames, n=name, a=actual_yaml_typename,\n v=struct))\n if extra_info:\n err.append('Tip: ' + extra_info)\n raise exceptions.YamlTypeError('\\n'.join(err))\n", "role": "user" }, { "content": "assert_struct_type", "role": "assistant" } ]
def x(license): return (x.strip() for x in (l for l in _regex.split(license) if l))
split_license
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(license):\n return (x.strip() for x in (l for l in _regex.split(license) if l))\n", "role": "user" }, { "content": "split_license", "role": "assistant" } ]
def x(license): if license not in VALID_LICENSES: for l1 in _split_license(license): if l1 in VALID_LICENSES: continue for l2 in _split_license(l1): if l2 not in VALID_LICENSES: return False valid_license = False return True
match
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(license):\n if license not in VALID_LICENSES:\n for l1 in _split_license(license):\n if l1 in VALID_LICENSES:\n continue\n for l2 in _split_license(l1):\n if l2 not in VALID_LICENSES:\n return False\n valid_license = False\n return True\n", "role": "user" }, { "content": "match", "role": "assistant" } ]
def x(arg): if isinstance(arg, str): def x(command_runner): command_runners.setdefault(arg, []) command_runners[arg].append(command_runner) return command_runner return inner elif issubclass(arg, CommandRunner): command_runners.setdefault('', []) command_runners[''].append(arg) return arg else: msg = ( 'register_command_runner expects str or CommandRunner as argument, got: {0}' .format(arg)) raise ValueError(msg)
register_command_runner
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg):\n if isinstance(arg, str):\n\n def x(command_runner):\n command_runners.setdefault(arg, [])\n command_runners[arg].append(command_runner)\n return command_runner\n return inner\n elif issubclass(arg, CommandRunner):\n command_runners.setdefault('', [])\n command_runners[''].append(arg)\n return arg\n else:\n msg = (\n 'register_command_runner expects str or CommandRunner as argument, got: {0}'\n .format(arg))\n raise ValueError(msg)\n", "role": "user" }, { "content": "register_command_runner", "role": "assistant" } ]
def x(ver1, ver2): if ver1 == ver2: return 0 ver1 = _cut(ver1) ver2 = _cut(ver2) m = 1 if len(ver1) < len(ver2): ver1, ver2 = ver2, ver1 m = -1 for i, part in enumerate(ver2): if ver1[i] > ver2[i]: return m * 1 if ver1[i] < ver2[i]: return m * -1 if ver1[len(ver2)] >= 0: return m * 1 else: return m * -1
compare
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ver1, ver2):\n if ver1 == ver2:\n return 0\n ver1 = _cut(ver1)\n ver2 = _cut(ver2)\n m = 1\n if len(ver1) < len(ver2):\n ver1, ver2 = ver2, ver1\n m = -1\n for i, part in enumerate(ver2):\n if ver1[i] > ver2[i]:\n return m * 1\n if ver1[i] < ver2[i]:\n return m * -1\n if ver1[len(ver2)] >= 0:\n return m * 1\n else:\n return m * -1\n", "role": "user" }, { "content": "compare", "role": "assistant" } ]
def x(ver): ver = ver.split('.') for i, part in enumerate(ver): try: ver[i] = int(part) except: if part[-len('dev'):] == 'dev': ver[i] = int(part[:-len('dev')]) ver.append(-3) else: ver[i] = int(part[:-len('a')]) if part[-len('a'):] == 'a': ver.append(-2) else: ver.append(-1) return ver
cut
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ver):\n ver = ver.split('.')\n for i, part in enumerate(ver):\n try:\n ver[i] = int(part)\n except:\n if part[-len('dev'):] == 'dev':\n ver[i] = int(part[:-len('dev')])\n ver.append(-3)\n else:\n ver[i] = int(part[:-len('a')])\n if part[-len('a'):] == 'a':\n ver.append(-2)\n else:\n ver.append(-1)\n return ver\n", "role": "user" }, { "content": "cut", "role": "assistant" } ]
def x(cls, tree, actions={}): cur_as, cur_subas = tree parser = devassistant_argparse.ArgumentParser(argument_default=argparse .SUPPRESS, usage=argparse.SUPPRESS, add_help=False) cls.add_default_arguments_to(parser) for arg in cur_as.args: arg.add_argument_to(parser) if cur_subas or actions: subparsers = cls._add_subparsers_required(parser, dest=settings. SUBASSISTANT_N_STRING.format('0')) for subas in sorted(cur_subas, key=lambda x: x[0].name): for alias in ([subas[0].name] + getattr(subas[0], 'aliases', [])): cls.add_subassistants_to(subparsers, subas, level=1, alias= alias) for action, subactions in sorted(actions.items(), key=lambda x: x[0 ].name): cls.add_action_to(subparsers, action, subactions, level=1) return parser
generate_argument_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tree, actions={}):\n cur_as, cur_subas = tree\n parser = devassistant_argparse.ArgumentParser(argument_default=argparse\n .SUPPRESS, usage=argparse.SUPPRESS, add_help=False)\n cls.add_default_arguments_to(parser)\n for arg in cur_as.args:\n arg.add_argument_to(parser)\n if cur_subas or actions:\n subparsers = cls._add_subparsers_required(parser, dest=settings.\n SUBASSISTANT_N_STRING.format('0'))\n for subas in sorted(cur_subas, key=lambda x: x[0].name):\n for alias in ([subas[0].name] + getattr(subas[0], 'aliases', [])):\n cls.add_subassistants_to(subparsers, subas, level=1, alias=\n alias)\n for action, subactions in sorted(actions.items(), key=lambda x: x[0\n ].name):\n cls.add_action_to(subparsers, action, subactions, level=1)\n return parser\n", "role": "user" }, { "content": "generate_argument_parser", "role": "assistant" } ]
def x(cls, parser, assistant_tuple, level, alias=None): name = alias or assistant_tuple[0].name p = parser.add_parser(name, description=assistant_tuple[0].description, argument_default=argparse.SUPPRESS) for arg in assistant_tuple[0].args: arg.add_argument_to(p) if len(assistant_tuple[1]) > 0: subparsers = cls._add_subparsers_required(p, dest=settings. SUBASSISTANT_N_STRING.format(level), title=cls.subparsers_str, description=cls.subparsers_desc) for subas_tuple in sorted(assistant_tuple[1], key=lambda x: x[0].name): cls.add_subassistants_to(subparsers, subas_tuple, level + 1) elif level == 1: subparsers = cls._add_subparsers_required(p, dest=settings. SUBASSISTANT_N_STRING.format(level), title=cls.subparsers_str, description=devassistant_argparse.ArgumentParser.no_assistants_msg)
add_subassistants_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, parser, assistant_tuple, level, alias=None):\n name = alias or assistant_tuple[0].name\n p = parser.add_parser(name, description=assistant_tuple[0].description,\n argument_default=argparse.SUPPRESS)\n for arg in assistant_tuple[0].args:\n arg.add_argument_to(p)\n if len(assistant_tuple[1]) > 0:\n subparsers = cls._add_subparsers_required(p, dest=settings.\n SUBASSISTANT_N_STRING.format(level), title=cls.subparsers_str,\n description=cls.subparsers_desc)\n for subas_tuple in sorted(assistant_tuple[1], key=lambda x: x[0].name):\n cls.add_subassistants_to(subparsers, subas_tuple, level + 1)\n elif level == 1:\n subparsers = cls._add_subparsers_required(p, dest=settings.\n SUBASSISTANT_N_STRING.format(level), title=cls.subparsers_str,\n description=devassistant_argparse.ArgumentParser.no_assistants_msg)\n", "role": "user" }, { "content": "add_subassistants_to", "role": "assistant" } ]
def x(cls, parser, action, subactions, level): p = parser.add_parser(action.name, description=action.description, argument_default=argparse.SUPPRESS) for arg in action.args: arg.add_argument_to(p) if subactions: subparsers = cls._add_subparsers_required(p, dest=settings. SUBASSISTANT_N_STRING.format(level), title=cls.subactions_str, description=cls.subactions_desc) for subact, subsubacts in sorted(subactions.items(), key=lambda x: x[0].name): cls.add_action_to(subparsers, subact, subsubacts, level + 1)
add_action_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, parser, action, subactions, level):\n p = parser.add_parser(action.name, description=action.description,\n argument_default=argparse.SUPPRESS)\n for arg in action.args:\n arg.add_argument_to(p)\n if subactions:\n subparsers = cls._add_subparsers_required(p, dest=settings.\n SUBASSISTANT_N_STRING.format(level), title=cls.subactions_str,\n description=cls.subactions_desc)\n for subact, subsubacts in sorted(subactions.items(), key=lambda x:\n x[0].name):\n cls.add_action_to(subparsers, subact, subsubacts, level + 1)\n", "role": "user" }, { "content": "add_action_to", "role": "assistant" } ]
def x(record, show_level=False, colorize=False): if show_level: log_str = u'{}: {}'.format(record.levelname, record.getMessage()) else: log_str = record.getMessage() if colorize and record.levelname in LOG_COLORS: log_str = u'<span color="{}">'.format(LOG_COLORS[record.levelname] ) + log_str + u'</span>' return log_str
format_entry
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(record, show_level=False, colorize=False):\n if show_level:\n log_str = u'{}: {}'.format(record.levelname, record.getMessage())\n else:\n log_str = record.getMessage()\n if colorize and record.levelname in LOG_COLORS:\n log_str = u'<span color=\"{}\">'.format(LOG_COLORS[record.levelname]\n ) + log_str + u'</span>'\n return log_str\n", "role": "user" }, { "content": "format_entry", "role": "assistant" } ]
def x(cursor_type, parent_window): watch = Gdk.Cursor(cursor_type) window = parent_window.get_root_window() window.set_cursor(watch)
switch_cursor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cursor_type, parent_window):\n watch = Gdk.Cursor(cursor_type)\n window = parent_window.get_root_window()\n window.set_cursor(watch)\n", "role": "user" }, { "content": "switch_cursor", "role": "assistant" } ]
def x(self, record): msg = record.getMessage() list_store = self.list_view.get_model() Gdk.threads_enter() if msg: msg = replace_markup_chars(record.getMessage()) record.msg = URL_FINDER.sub('<u>\\1</u>', msg) self.parent.debug_logs['logs'].append(record) event_type = getattr(record, 'event_type', '') if event_type: if event_type == 'dep_installation_start': switch_cursor(Gdk.CursorType.WATCH, self.parent.run_window) list_store.append([format_entry(record)]) if event_type == 'dep_installation_end': switch_cursor(Gdk.CursorType.ARROW, self.parent.run_window) if not self.parent.debugging: if int(record.levelno) > 10: if event_type == 'dep_check' or event_type == 'dep_found': list_store.append([format_entry(record)]) elif not event_type.startswith('dep_'): list_store.append([format_entry(record, colorize=True)]) if self.parent.debugging: if event_type != 'cmd_retcode': list_store.append([format_entry(record, show_level=True, colorize=True)]) Gdk.threads_leave()
emit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, record):\n msg = record.getMessage()\n list_store = self.list_view.get_model()\n Gdk.threads_enter()\n if msg:\n msg = replace_markup_chars(record.getMessage())\n record.msg = URL_FINDER.sub('<u>\\\\1</u>', msg)\n self.parent.debug_logs['logs'].append(record)\n event_type = getattr(record, 'event_type', '')\n if event_type:\n if event_type == 'dep_installation_start':\n switch_cursor(Gdk.CursorType.WATCH, self.parent.run_window)\n list_store.append([format_entry(record)])\n if event_type == 'dep_installation_end':\n switch_cursor(Gdk.CursorType.ARROW, self.parent.run_window)\n if not self.parent.debugging:\n if int(record.levelno) > 10:\n if event_type == 'dep_check' or event_type == 'dep_found':\n list_store.append([format_entry(record)])\n elif not event_type.startswith('dep_'):\n list_store.append([format_entry(record, colorize=True)])\n if self.parent.debugging:\n if event_type != 'cmd_retcode':\n list_store.append([format_entry(record, show_level=True,\n colorize=True)])\n Gdk.threads_leave()\n", "role": "user" }, { "content": "emit", "role": "assistant" } ]
def x(self, widget, data=None): if data is not None: self.kwargs = data.get('kwargs', None) self.top_assistant = data.get('top_assistant', None) self.current_main_assistant = data.get('current_main_assistant', None) self.debugging = data.get('debugging', False) if not self.debugging: self.debug_btn.set_label('Debug logs') else: self.debug_btn.set_label('Info logs') self.store.clear() self.debug_logs = dict() self.debug_logs['logs'] = list() self.thread = threading.Thread(target=self.dev_assistant_start) project_name = self.parent.path_window.get_data()[1] if self.kwargs.get('github'): self.link = self.gui_helper.create_link_button( 'Link to project on Github', 'http://www.github.com/{0}/{1}'. format(self.kwargs.get('github'), project_name)) self.link.set_border_width(6) self.link.set_sensitive(False) self.info_box.pack_start(self.link, False, False, 12) self.run_list_view.connect('size-allocate', self.list_view_changed) os.chdir(os.path.expanduser('~')) self.run_window.show_all() self.disable_buttons() self.thread.start()
open_window
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, data=None):\n if data is not None:\n self.kwargs = data.get('kwargs', None)\n self.top_assistant = data.get('top_assistant', None)\n self.current_main_assistant = data.get('current_main_assistant', None)\n self.debugging = data.get('debugging', False)\n if not self.debugging:\n self.debug_btn.set_label('Debug logs')\n else:\n self.debug_btn.set_label('Info logs')\n self.store.clear()\n self.debug_logs = dict()\n self.debug_logs['logs'] = list()\n self.thread = threading.Thread(target=self.dev_assistant_start)\n project_name = self.parent.path_window.get_data()[1]\n if self.kwargs.get('github'):\n self.link = self.gui_helper.create_link_button(\n 'Link to project on Github', 'http://www.github.com/{0}/{1}'.\n format(self.kwargs.get('github'), project_name))\n self.link.set_border_width(6)\n self.link.set_sensitive(False)\n self.info_box.pack_start(self.link, False, False, 12)\n self.run_list_view.connect('size-allocate', self.list_view_changed)\n os.chdir(os.path.expanduser('~'))\n self.run_window.show_all()\n self.disable_buttons()\n self.thread.start()\n", "role": "user" }, { "content": "open_window", "role": "assistant" } ]
def x(self): if self.link is not None: self.info_box.remove(self.link) self.link.destroy() self.link = None
remove_link_button
[ { "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.link is not None:\n self.info_box.remove(self.link)\n self.link.destroy()\n self.link = None\n", "role": "user" }, { "content": "remove_link_button", "role": "assistant" } ]
def x(self, widget, event, data=None): if not self.close_win: if self.thread.isAlive(): dlg = self.gui_helper.create_message_dialog( 'Do you want to cancel project creation?', buttons=Gtk. ButtonsType.YES_NO) response = dlg.run() if response == Gtk.ResponseType.YES: if self.thread.isAlive(): self.info_label.set_label( '<span color="#FFA500">Cancelling...</span>') self.dev_assistant_runner.stop() self.project_canceled = True else: self.info_label.set_label( '<span color="#008000">Done</span>') self.allow_close_window() dlg.destroy() return True else: return False
delete_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, event, data=None):\n if not self.close_win:\n if self.thread.isAlive():\n dlg = self.gui_helper.create_message_dialog(\n 'Do you want to cancel project creation?', buttons=Gtk.\n ButtonsType.YES_NO)\n response = dlg.run()\n if response == Gtk.ResponseType.YES:\n if self.thread.isAlive():\n self.info_label.set_label(\n '<span color=\"#FFA500\">Cancelling...</span>')\n self.dev_assistant_runner.stop()\n self.project_canceled = True\n else:\n self.info_label.set_label(\n '<span color=\"#008000\">Done</span>')\n self.allow_close_window()\n dlg.destroy()\n return True\n else:\n return False\n", "role": "user" }, { "content": "delete_event", "role": "assistant" } ]
def x(self, widget, event, data=None): adj = self.scrolled_window.get_vadjustment() adj.set_value(adj.get_upper() - adj.get_page_size())
list_view_changed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, event, data=None):\n adj = self.scrolled_window.get_vadjustment()\n adj.set_value(adj.get_upper() - adj.get_page_size())\n", "role": "user" }, { "content": "list_view_changed", "role": "assistant" } ]
def x(self): self.main_btn.set_sensitive(False) self.back_btn.hide() self.info_label.set_label('<span color="#FFA500">In progress...</span>') self.disable_close_window() if self.link is not None: self.link.hide()
disable_buttons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.main_btn.set_sensitive(False)\n self.back_btn.hide()\n self.info_label.set_label('<span color=\"#FFA500\">In progress...</span>')\n self.disable_close_window()\n if self.link is not None:\n self.link.hide()\n", "role": "user" }, { "content": "disable_buttons", "role": "assistant" } ]
def x(self, message='', link=True, back=True): self.info_label.set_label(message) self.allow_close_window() if link and self.link is not None: self.link.set_sensitive(True) self.link.show_all() if back: self.back_btn.show() self.main_btn.set_sensitive(True)
allow_buttons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message='', link=True, back=True):\n self.info_label.set_label(message)\n self.allow_close_window()\n if link and self.link is not None:\n self.link.set_sensitive(True)\n self.link.show_all()\n if back:\n self.back_btn.show()\n self.main_btn.set_sensitive(True)\n", "role": "user" }, { "content": "allow_buttons", "role": "assistant" } ]
def x(self): path = self.top_assistant.get_selected_subassistant_path(**self.kwargs) kwargs_decoded = dict() for k, v in self.kwargs.items(): kwargs_decoded[k] = v.decode(utils.defenc ) if not six.PY3 and isinstance(v, str) else v self.dev_assistant_runner = path_runner.PathRunner(path, kwargs_decoded) try: self.dev_assistant_runner.run() Gdk.threads_enter() if not self.project_canceled: message = '<span color="#008000">Done</span>' link = True back = False else: message = '<span color="#FF0000">Failed</span>' link = False back = True self.allow_buttons(message=message, link=link, back=back) Gdk.threads_leave() except exceptions.ClException as cle: msg = replace_markup_chars(cle.message) if not six.PY3: msg = msg.encode(utils.defenc) self.allow_buttons(back=True, link=False, message= '<span color="#FF0000">Failed: {0}</span>'.format(msg)) except exceptions.ExecutionException as exe: msg = replace_markup_chars(six.text_type(exe)) if not six.PY3: msg = msg.encode(utils.defenc) self.allow_buttons(back=True, link=False, message= '<span color="#FF0000">Failed: {0}</span>'.format(msg[:80] + '...' if len(msg) > 80 else msg)) except IOError as ioe: self.allow_buttons(back=True, link=False, message= '<span color="#FF0000">Failed: {0}</span>'.format(ioe.message[: 80] + '...' if len(ioe.message) > 80 else ioe.message))
dev_assistant_start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n path = self.top_assistant.get_selected_subassistant_path(**self.kwargs)\n kwargs_decoded = dict()\n for k, v in self.kwargs.items():\n kwargs_decoded[k] = v.decode(utils.defenc\n ) if not six.PY3 and isinstance(v, str) else v\n self.dev_assistant_runner = path_runner.PathRunner(path, kwargs_decoded)\n try:\n self.dev_assistant_runner.run()\n Gdk.threads_enter()\n if not self.project_canceled:\n message = '<span color=\"#008000\">Done</span>'\n link = True\n back = False\n else:\n message = '<span color=\"#FF0000\">Failed</span>'\n link = False\n back = True\n self.allow_buttons(message=message, link=link, back=back)\n Gdk.threads_leave()\n except exceptions.ClException as cle:\n msg = replace_markup_chars(cle.message)\n if not six.PY3:\n msg = msg.encode(utils.defenc)\n self.allow_buttons(back=True, link=False, message=\n '<span color=\"#FF0000\">Failed: {0}</span>'.format(msg))\n except exceptions.ExecutionException as exe:\n msg = replace_markup_chars(six.text_type(exe))\n if not six.PY3:\n msg = msg.encode(utils.defenc)\n self.allow_buttons(back=True, link=False, message=\n '<span color=\"#FF0000\">Failed: {0}</span>'.format(msg[:80] +\n '...' if len(msg) > 80 else msg))\n except IOError as ioe:\n self.allow_buttons(back=True, link=False, message=\n '<span color=\"#FF0000\">Failed: {0}</span>'.format(ioe.message[:\n 80] + '...' if len(ioe.message) > 80 else ioe.message))\n", "role": "user" }, { "content": "dev_assistant_start", "role": "assistant" } ]
def x(self, widget, data=None): self.store.clear() self.thread = threading.Thread(target=self.logs_update) self.thread.start()
debug_btn_clicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, data=None):\n self.store.clear()\n self.thread = threading.Thread(target=self.logs_update)\n self.thread.start()\n", "role": "user" }, { "content": "debug_btn_clicked", "role": "assistant" } ]
def x(self): Gdk.threads_enter() if not self.debugging: self.debugging = True self.debug_btn.set_label('Info logs') else: self.debugging = False self.debug_btn.set_label('Debug logs') for record in self.debug_logs['logs']: if self.debugging: if getattr(record, 'event_type', '') != 'cmd_retcode': self.store.append([format_entry(record, show_level=True, colorize=True)]) elif int(record.levelno) > 10: self.store.append([format_entry(record, colorize=True)]) Gdk.threads_leave()
logs_update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n Gdk.threads_enter()\n if not self.debugging:\n self.debugging = True\n self.debug_btn.set_label('Info logs')\n else:\n self.debugging = False\n self.debug_btn.set_label('Debug logs')\n for record in self.debug_logs['logs']:\n if self.debugging:\n if getattr(record, 'event_type', '') != 'cmd_retcode':\n self.store.append([format_entry(record, show_level=True,\n colorize=True)])\n elif int(record.levelno) > 10:\n self.store.append([format_entry(record, colorize=True)])\n Gdk.threads_leave()\n", "role": "user" }, { "content": "logs_update", "role": "assistant" } ]
def x(self, widget, data=None): _clipboard_text = [] for record in self.debug_logs['logs']: if self.debugging: _clipboard_text.append(format_entry(record, show_level=True)) elif int(record.levelno) > 10: if getattr(record, 'event_type', ''): if not record.event_type.startswith('dep_'): _clipboard_text.append(format_entry(record)) else: _clipboard_text.append(format_entry(record)) self.gui_helper.create_clipboard(_clipboard_text)
clipboard_btn_clicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, data=None):\n _clipboard_text = []\n for record in self.debug_logs['logs']:\n if self.debugging:\n _clipboard_text.append(format_entry(record, show_level=True))\n elif int(record.levelno) > 10:\n if getattr(record, 'event_type', ''):\n if not record.event_type.startswith('dep_'):\n _clipboard_text.append(format_entry(record))\n else:\n _clipboard_text.append(format_entry(record))\n self.gui_helper.create_clipboard(_clipboard_text)\n", "role": "user" }, { "content": "clipboard_btn_clicked", "role": "assistant" } ]
def x(self, widget, data=None): self.remove_link_button() self.run_window.hide() self.parent.path_window.path_window.show()
back_btn_clicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, data=None):\n self.remove_link_button()\n self.run_window.hide()\n self.parent.path_window.path_window.show()\n", "role": "user" }, { "content": "back_btn_clicked", "role": "assistant" } ]
def x(self, widget, data=None): self.remove_link_button() data = dict() data['debugging'] = self.debugging self.run_window.hide() self.parent.open_window(widget, data)
main_btn_clicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, data=None):\n self.remove_link_button()\n data = dict()\n data['debugging'] = self.debugging\n self.run_window.hide()\n self.parent.open_window(widget, data)\n", "role": "user" }, { "content": "main_btn_clicked", "role": "assistant" } ]
def x(self, list_view, path, view_column): model = list_view.get_model() text = model[path][0] match = URL_FINDER.search(text) if match is not None: url = match.group(1) import webbrowser webbrowser.open(url)
list_view_row_clicked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, list_view, path, view_column):\n model = list_view.get_model()\n text = model[path][0]\n match = URL_FINDER.search(text)\n if match is not None:\n url = match.group(1)\n import webbrowser\n webbrowser.open(url)\n", "role": "user" }, { "content": "list_view_row_clicked", "role": "assistant" } ]
def x(cls, ui): try: try: auth = cls._user.create_authorization() except cls._gh_exceptions.GithubException: onetime_pw = DialogHelper.ask_for_password(ui, prompt= 'Your one time password:') auth = cls._user.create_authorization(scopes=['repo', 'user', 'admin:public_key'], note='DevAssistant', onetime_password= onetime_pw) cls._user = cls._gh_module.Github(login_or_token=auth.token ).get_user() logger.debug('Two-factor authorization for user "{0}" created'. format(cls._user.login)) cls._github_store_authorization(cls._user, auth) logger.debug('Two-factor authorization token stored') except cls._gh_exceptions.GithubException as e: logger.warning('Creating two-factor authorization failed: {0}'. format(e))
github_create_twofactor_authorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, ui):\n try:\n try:\n auth = cls._user.create_authorization()\n except cls._gh_exceptions.GithubException:\n onetime_pw = DialogHelper.ask_for_password(ui, prompt=\n 'Your one time password:')\n auth = cls._user.create_authorization(scopes=['repo', 'user',\n 'admin:public_key'], note='DevAssistant', onetime_password=\n onetime_pw)\n cls._user = cls._gh_module.Github(login_or_token=auth.token\n ).get_user()\n logger.debug('Two-factor authorization for user \"{0}\" created'.\n format(cls._user.login))\n cls._github_store_authorization(cls._user, auth)\n logger.debug('Two-factor authorization token stored')\n except cls._gh_exceptions.GithubException as e:\n logger.warning('Creating two-factor authorization failed: {0}'.\n format(e))\n", "role": "user" }, { "content": "github_create_twofactor_authorization", "role": "assistant" } ]
def x(cls): try: auth = None for a in cls._user.get_authorizations(): if a.note == 'DevAssistant': auth = a if not auth: auth = cls._user.create_authorization(scopes=['repo', 'user', 'admin:public_key'], note='DevAssistant') cls._github_store_authorization(cls._user, auth) except cls._gh_exceptions.GithubException as e: logger.warning('Creating authorization failed: {0}'.format(e))
github_create_simple_authorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n try:\n auth = None\n for a in cls._user.get_authorizations():\n if a.note == 'DevAssistant':\n auth = a\n if not auth:\n auth = cls._user.create_authorization(scopes=['repo', 'user',\n 'admin:public_key'], note='DevAssistant')\n cls._github_store_authorization(cls._user, auth)\n except cls._gh_exceptions.GithubException as e:\n logger.warning('Creating authorization failed: {0}'.format(e))\n", "role": "user" }, { "content": "github_create_simple_authorization", "role": "assistant" } ]
def x(cls, user, auth): ClHelper.run_command('git config --global github.token.{login} {token}' .format(login=user.login, token=auth.token), log_secret=True) ClHelper.run_command('git config --global github.user.{login} {login}'. format(login=user.login))
github_store_authorization
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, user, auth):\n ClHelper.run_command('git config --global github.token.{login} {token}'\n .format(login=user.login, token=auth.token), log_secret=True)\n ClHelper.run_command('git config --global github.user.{login} {login}'.\n format(login=user.login))\n", "role": "user" }, { "content": "github_store_authorization", "role": "assistant" } ]
def x(cls): env = dict() stdout = ClHelper.run_command('ssh-agent -s') lines = stdout.split('\n') for line in lines: if not line or line.startswith('echo '): continue line = line.split(';')[0] parts = line.split('=') if len(parts) == 2: env[parts[0]] = parts[1] return env
start_ssh_agent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n env = dict()\n stdout = ClHelper.run_command('ssh-agent -s')\n lines = stdout.split('\\n')\n for line in lines:\n if not line or line.startswith('echo '):\n continue\n line = line.split(';')[0]\n parts = line.split('=')\n if len(parts) == 2:\n env[parts[0]] = parts[1]\n return env\n", "role": "user" }, { "content": "start_ssh_agent", "role": "assistant" } ]
def x(cls): try: login = cls._user.login pkey_path = '{home}/.ssh/{keyname}'.format(home=os.path.expanduser( '~'), keyname=settings.GITHUB_SSH_KEYNAME.format(login=login)) if not os.path.exists(pkey_path): ClHelper.run_command( 'ssh-keygen -t rsa -f {pkey_path} -N "" -C "DevAssistant"' .format(pkey_path=pkey_path)) try: ClHelper.run_command('ssh-add {pkey_path}'.format(pkey_path= pkey_path)) except exceptions.ClException: env = cls._start_ssh_agent() ClHelper.run_command('ssh-add {pkey_path}'.format(pkey_path= pkey_path), env=env) public_key = ClHelper.run_command('cat {pkey_path}.pub'.format( pkey_path=pkey_path)) cls._user.create_key('DevAssistant', public_key) except exceptions.ClException as e: msg = "Couldn't create a new ssh key: {0}".format(e) raise exceptions.CommandException(msg)
github_create_ssh_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n try:\n login = cls._user.login\n pkey_path = '{home}/.ssh/{keyname}'.format(home=os.path.expanduser(\n '~'), keyname=settings.GITHUB_SSH_KEYNAME.format(login=login))\n if not os.path.exists(pkey_path):\n ClHelper.run_command(\n 'ssh-keygen -t rsa -f {pkey_path} -N \"\" -C \"DevAssistant\"'\n .format(pkey_path=pkey_path))\n try:\n ClHelper.run_command('ssh-add {pkey_path}'.format(pkey_path=\n pkey_path))\n except exceptions.ClException:\n env = cls._start_ssh_agent()\n ClHelper.run_command('ssh-add {pkey_path}'.format(pkey_path=\n pkey_path), env=env)\n public_key = ClHelper.run_command('cat {pkey_path}.pub'.format(\n pkey_path=pkey_path))\n cls._user.create_key('DevAssistant', public_key)\n except exceptions.ClException as e:\n msg = \"Couldn't create a new ssh key: {0}\".format(e)\n raise exceptions.CommandException(msg)\n", "role": "user" }, { "content": "github_create_ssh_key", "role": "assistant" } ]
def x(cls): remote_keys = map(lambda k: k._key, cls._user.get_keys()) found = False pubkey_files = glob.glob(os.path.expanduser('~/.ssh/*.pub')) for rk in remote_keys: for pkf in pubkey_files: local_key = io.open(pkf, encoding='utf-8').read() rkval = rk if isinstance(rk, six.string_types) else rk.value if rkval in local_key: found = True break return found
github_ssh_key_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n remote_keys = map(lambda k: k._key, cls._user.get_keys())\n found = False\n pubkey_files = glob.glob(os.path.expanduser('~/.ssh/*.pub'))\n for rk in remote_keys:\n for pkf in pubkey_files:\n local_key = io.open(pkf, encoding='utf-8').read()\n rkval = rk if isinstance(rk, six.string_types) else rk.value\n if rkval in local_key:\n found = True\n break\n return found\n", "role": "user" }, { "content": "github_ssh_key_exists", "role": "assistant" } ]
def x(cls, func): def x(func_cls, *args, **kwargs): if not cls._gh_module: logger.warning( 'PyGithub not installed, skipping Github auth procedures.') elif not func_cls._user: login = kwargs['login'].encode(utils.defenc ) if not six.PY3 else kwargs['login'] func_cls._user = cls._get_github_user(login, kwargs['ui']) if func_cls._user is None: msg = 'Github authentication failed, skipping Github command.' logger.warning(msg) return False, msg if not cls._github_ssh_key_exists(): cls._github_create_ssh_key() if cls._ssh_key_needs_config_entry(): cls._create_ssh_config_entry() return func(func_cls, *args, **kwargs) return inner
github_authenticated
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, func):\n\n def x(func_cls, *args, **kwargs):\n if not cls._gh_module:\n logger.warning(\n 'PyGithub not installed, skipping Github auth procedures.')\n elif not func_cls._user:\n login = kwargs['login'].encode(utils.defenc\n ) if not six.PY3 else kwargs['login']\n func_cls._user = cls._get_github_user(login, kwargs['ui'])\n if func_cls._user is None:\n msg = 'Github authentication failed, skipping Github command.'\n logger.warning(msg)\n return False, msg\n if not cls._github_ssh_key_exists():\n cls._github_create_ssh_key()\n if cls._ssh_key_needs_config_entry():\n cls._create_ssh_config_entry()\n return func(func_cls, *args, **kwargs)\n return inner\n", "role": "user" }, { "content": "github_authenticated", "role": "assistant" } ]
def x(cls, superassistants): _assistants = cls.load_all_assistants(superassistants) result = [] for supa in superassistants: result.extend(_assistants[supa.name]) return result
get_assistants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, superassistants):\n _assistants = cls.load_all_assistants(superassistants)\n result = []\n for supa in superassistants:\n result.extend(_assistants[supa.name])\n return result\n", "role": "user" }, { "content": "get_assistants", "role": "assistant" } ]
def x(cls, superassistants): _assistants = {} superas_dict = dict(map(lambda a: (a.name, a), superassistants)) to_load = set(superas_dict.keys()) for tl in to_load: dirs = [os.path.join(d, tl) for d in cls.assistants_dirs] file_hierarchy = cls.get_assistants_file_hierarchy(dirs) load_all = not settings.USE_CACHE if settings.USE_CACHE: try: cch = cache.Cache() cch.refresh_role(tl, file_hierarchy) _assistants[tl] = cls.get_assistants_from_cache_hierarchy(cch .cache[tl], superas_dict[tl], role=tl) except BaseException as e: logger.debug('Failed to use DevAssistant cachefile {0}: {1}' .format(settings.CACHE_FILE, e)) load_all = True if load_all: _assistants[tl] = cls.get_assistants_from_file_hierarchy( file_hierarchy, superas_dict[tl], role=tl) return _assistants
load_all_assistants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, superassistants):\n _assistants = {}\n superas_dict = dict(map(lambda a: (a.name, a), superassistants))\n to_load = set(superas_dict.keys())\n for tl in to_load:\n dirs = [os.path.join(d, tl) for d in cls.assistants_dirs]\n file_hierarchy = cls.get_assistants_file_hierarchy(dirs)\n load_all = not settings.USE_CACHE\n if settings.USE_CACHE:\n try:\n cch = cache.Cache()\n cch.refresh_role(tl, file_hierarchy)\n _assistants[tl] = cls.get_assistants_from_cache_hierarchy(cch\n .cache[tl], superas_dict[tl], role=tl)\n except BaseException as e:\n logger.debug('Failed to use DevAssistant cachefile {0}: {1}'\n .format(settings.CACHE_FILE, e))\n load_all = True\n if load_all:\n _assistants[tl] = cls.get_assistants_from_file_hierarchy(\n file_hierarchy, superas_dict[tl], role=tl)\n return _assistants\n", "role": "user" }, { "content": "load_all_assistants", "role": "assistant" } ]
def x(cls, cache_hierarchy, superassistant, role=settings. DEFAULT_ASSISTANT_ROLE): result = [] for name, attrs in cache_hierarchy.items(): ass = cls.assistant_from_yaml(attrs['source'], {name: attrs['attrs' ]}, superassistant, fully_loaded=False, role=role) ass._subassistants = cls.get_assistants_from_cache_hierarchy(attrs[ 'subhierarchy'], ass, role=role) result.append(ass) return result
get_assistants_from_cache_hierarchy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, cache_hierarchy, superassistant, role=settings.\n DEFAULT_ASSISTANT_ROLE):\n result = []\n for name, attrs in cache_hierarchy.items():\n ass = cls.assistant_from_yaml(attrs['source'], {name: attrs['attrs'\n ]}, superassistant, fully_loaded=False, role=role)\n ass._subassistants = cls.get_assistants_from_cache_hierarchy(attrs[\n 'subhierarchy'], ass, role=role)\n result.append(ass)\n return result\n", "role": "user" }, { "content": "get_assistants_from_cache_hierarchy", "role": "assistant" } ]
def x(cls, file_hierarchy, superassistant, role=settings.DEFAULT_ASSISTANT_ROLE ): result = [] warn_msg = 'Failed to load assistant {source}, skipping subassistants.' for name, attrs in file_hierarchy.items(): loaded_yaml = yaml_loader.YamlLoader.load_yaml_by_path(attrs['source']) if loaded_yaml is None: logger.warning(warn_msg.format(source=attrs['source'])) continue try: ass = cls.assistant_from_yaml(attrs['source'], loaded_yaml, superassistant, role=role) except exceptions.YamlError as e: logger.warning(e) continue ass._subassistants = cls.get_assistants_from_file_hierarchy(attrs[ 'subhierarchy'], ass, role=role) result.append(ass) return result
get_assistants_from_file_hierarchy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, file_hierarchy, superassistant, role=settings.DEFAULT_ASSISTANT_ROLE\n ):\n result = []\n warn_msg = 'Failed to load assistant {source}, skipping subassistants.'\n for name, attrs in file_hierarchy.items():\n loaded_yaml = yaml_loader.YamlLoader.load_yaml_by_path(attrs['source'])\n if loaded_yaml is None:\n logger.warning(warn_msg.format(source=attrs['source']))\n continue\n try:\n ass = cls.assistant_from_yaml(attrs['source'], loaded_yaml,\n superassistant, role=role)\n except exceptions.YamlError as e:\n logger.warning(e)\n continue\n ass._subassistants = cls.get_assistants_from_file_hierarchy(attrs[\n 'subhierarchy'], ass, role=role)\n result.append(ass)\n return result\n", "role": "user" }, { "content": "get_assistants_from_file_hierarchy", "role": "assistant" } ]
def x(cls, dirs): result = {} for d in filter(lambda d: os.path.exists(d), dirs): for f in filter(lambda f: f.endswith('.yaml'), os.listdir(d)): assistant_name = f[:-5] if assistant_name not in result: subas_dirs = [os.path.join(dr, assistant_name) for dr in dirs] result[assistant_name] = {'source': os.path.join(d, f), 'subhierarchy': cls.get_assistants_file_hierarchy( subas_dirs)} return result
get_assistants_file_hierarchy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dirs):\n result = {}\n for d in filter(lambda d: os.path.exists(d), dirs):\n for f in filter(lambda f: f.endswith('.yaml'), os.listdir(d)):\n assistant_name = f[:-5]\n if assistant_name not in result:\n subas_dirs = [os.path.join(dr, assistant_name) for dr in dirs]\n result[assistant_name] = {'source': os.path.join(d, f),\n 'subhierarchy': cls.get_assistants_file_hierarchy(\n subas_dirs)}\n return result\n", "role": "user" }, { "content": "get_assistants_file_hierarchy", "role": "assistant" } ]
def x(cls, source, y, superassistant, fully_loaded=True, role=settings. DEFAULT_ASSISTANT_ROLE): name = os.path.splitext(os.path.basename(source))[0] yaml_checker.check(source, y) assistant = yaml_assistant.YamlAssistant(name, y, source, superassistant, fully_loaded=fully_loaded, role=role) return assistant
assistant_from_yaml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, source, y, superassistant, fully_loaded=True, role=settings.\n DEFAULT_ASSISTANT_ROLE):\n name = os.path.splitext(os.path.basename(source))[0]\n yaml_checker.check(source, y)\n assistant = yaml_assistant.YamlAssistant(name, y, source,\n superassistant, fully_loaded=fully_loaded, role=role)\n return assistant\n", "role": "user" }, { "content": "assistant_from_yaml", "role": "assistant" } ]
def x(cls, name): name_with_dir_separators = name.replace('.', os.path.sep) loaded = yaml_loader.YamlLoader.load_yaml_by_relpath(cls.snippets_dirs, name_with_dir_separators + '.yaml') if loaded: return cls._create_snippet(name, *loaded) raise exceptions.SnippetNotFoundException('no such snippet: {name}'. format(name=name_with_dir_separators))
get_snippet_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name):\n name_with_dir_separators = name.replace('.', os.path.sep)\n loaded = yaml_loader.YamlLoader.load_yaml_by_relpath(cls.snippets_dirs,\n name_with_dir_separators + '.yaml')\n if loaded:\n return cls._create_snippet(name, *loaded)\n raise exceptions.SnippetNotFoundException('no such snippet: {name}'.\n format(name=name_with_dir_separators))\n", "role": "user" }, { "content": "get_snippet_by_name", "role": "assistant" } ]
def x(cntxt: Context, n: Node, S: ShExJ.Shape) ->bool: return True
conforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, S: ShExJ.Shape) ->bool:\n return True\n", "role": "user" }, { "content": "conforms", "role": "assistant" } ]
def x(self, legend): assert isinstance(legend, list) or isinstance(legend, tuple ) or legend is None if legend: self.legend = [quote(a) for a in legend] else: self.legend = None
set_legend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, legend):\n assert isinstance(legend, list) or isinstance(legend, tuple\n ) or legend is None\n if legend:\n self.legend = [quote(a) for a in legend]\n else:\n self.legend = None\n", "role": "user" }, { "content": "set_legend", "role": "assistant" } ]
def x(self, legend_position): if legend_position: self.legend_position = quote(legend_position) else: self.legend_position = None
set_legend_position
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, legend_position):\n if legend_position:\n self.legend_position = quote(legend_position)\n else:\n self.legend_position = None\n", "role": "user" }, { "content": "set_legend_position", "role": "assistant" } ]
def x(self, data): assert isinstance(data, list) or isinstance(data, tuple) if not isinstance(self, (LineChart, BarChart, ScatterChart)): return SimpleData elif self.height < 100: return SimpleData else: return ExtendedData
data_class_detection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n assert isinstance(data, list) or isinstance(data, tuple)\n if not isinstance(self, (LineChart, BarChart, ScatterChart)):\n return SimpleData\n elif self.height < 100:\n return SimpleData\n else:\n return ExtendedData\n", "role": "user" }, { "content": "data_class_detection", "role": "assistant" } ]
def x(self): try: lower = min([min(self._filter_none(s)) for type, s in self. annotated_data() if type == 'x']) upper = max([max(self._filter_none(s)) for type, s in self. annotated_data() if type == 'x']) return lower, upper except ValueError: return None
data_x_range
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n lower = min([min(self._filter_none(s)) for type, s in self.\n annotated_data() if type == 'x'])\n upper = max([max(self._filter_none(s)) for type, s in self.\n annotated_data() if type == 'x'])\n return lower, upper\n except ValueError:\n return None\n", "role": "user" }, { "content": "data_x_range", "role": "assistant" } ]
def x(self, data_class, x_range=None, y_range=None): self.scaled_data_class = data_class if x_range is None: x_range = self.data_x_range() if x_range and x_range[0] > 0: x_range = x_range[0], x_range[1] self.scaled_x_range = x_range if y_range is None: y_range = self.data_y_range() if y_range and y_range[0] > 0: y_range = y_range[0], y_range[1] self.scaled_y_range = y_range scaled_data = [] for type, dataset in self.annotated_data(): if type == 'x': scale_range = x_range elif type == 'y': scale_range = y_range elif type == 'marker-size': scale_range = 0, max(dataset) scaled_dataset = [] for v in dataset: if v is None: scaled_dataset.append(None) else: scaled_dataset.append(data_class.scale_value(v, scale_range)) scaled_data.append(scaled_dataset) return scaled_data
scaled_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_class, x_range=None, y_range=None):\n self.scaled_data_class = data_class\n if x_range is None:\n x_range = self.data_x_range()\n if x_range and x_range[0] > 0:\n x_range = x_range[0], x_range[1]\n self.scaled_x_range = x_range\n if y_range is None:\n y_range = self.data_y_range()\n if y_range and y_range[0] > 0:\n y_range = y_range[0], y_range[1]\n self.scaled_y_range = y_range\n scaled_data = []\n for type, dataset in self.annotated_data():\n if type == 'x':\n scale_range = x_range\n elif type == 'y':\n scale_range = y_range\n elif type == 'marker-size':\n scale_range = 0, max(dataset)\n scaled_dataset = []\n for v in dataset:\n if v is None:\n scaled_dataset.append(None)\n else:\n scaled_dataset.append(data_class.scale_value(v, scale_range))\n scaled_data.append(scaled_dataset)\n return scaled_data\n", "role": "user" }, { "content": "scaled_data", "role": "assistant" } ]
def x(self, codes): codemap = '' for cc in codes: cc = cc.upper() if cc in self.__ccodes: codemap += cc else: raise UnknownCountryCodeException(cc) self.codes = codemap
set_codes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, codes):\n codemap = ''\n for cc in codes:\n cc = cc.upper()\n if cc in self.__ccodes:\n codemap += cc\n else:\n raise UnknownCountryCodeException(cc)\n self.codes = codemap\n", "role": "user" }, { "content": "set_codes", "role": "assistant" } ]
def x(self, area): if area in self.__areas: self.geo_area = area else: raise UnknownChartType('Unknown chart type for maps: %s' % area)
set_geo_area
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, area):\n if area in self.__areas:\n self.geo_area = area\n else:\n raise UnknownChartType('Unknown chart type for maps: %s' % area)\n", "role": "user" }, { "content": "set_geo_area", "role": "assistant" } ]
def x(self, datadict): self.set_codes(list(datadict.keys())) self.add_data(list(datadict.values()))
add_data_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datadict):\n self.set_codes(list(datadict.keys()))\n self.add_data(list(datadict.values()))\n", "role": "user" }, { "content": "add_data_dict", "role": "assistant" } ]
def x(v: Literal, dt: str) ->bool: return v.value is not None and Literal(str(v), datatype=dt ).value is not None
can_cast_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v: Literal, dt: str) ->bool:\n return v.value is not None and Literal(str(v), datatype=dt\n ).value is not None\n", "role": "user" }, { "content": "can_cast_to", "role": "assistant" } ]
def x(n: Literal) ->Optional[int]: return len(str(abs(int(n.value)))) + fraction_digits(n) if is_numeric(n ) and n.value is not None else None
total_digits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n: Literal) ->Optional[int]:\n return len(str(abs(int(n.value)))) + fraction_digits(n) if is_numeric(n\n ) and n.value is not None else None\n", "role": "user" }, { "content": "total_digits", "role": "assistant" } ]
def x(n: Literal) ->Optional[int]: return None if not is_numeric(n) or n.value is None else 0 if is_integer(n ) or '.' not in str(n.value) or str(n.value).split('.')[1 ] == '0' else len(str(int(str(n.value).split('.')[1][::-1])))
fraction_digits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n: Literal) ->Optional[int]:\n return None if not is_numeric(n) or n.value is None else 0 if is_integer(n\n ) or '.' not in str(n.value) or str(n.value).split('.')[1\n ] == '0' else len(str(int(str(n.value).split('.')[1][::-1])))\n", "role": "user" }, { "content": "fraction_digits", "role": "assistant" } ]
def x(expr: str, xpath_flags: str) ->Tuple[int, str]: python_flags: int = 0 modified_expr = expr if xpath_flags is None: xpath_flags = '' if 's' in xpath_flags: python_flags |= re.DOTALL if 'm' in xpath_flags: python_flags |= re.MULTILINE if 'i' in xpath_flags: python_flags |= re.IGNORECASE if 'x' in xpath_flags: modified_expr = re.sub('[\\t\\n\\r ]|\\[[^\\]]*\\]', _char_class_escape, modified_expr) if 'q' in xpath_flags: modified_expr = re.escape(modified_expr) return python_flags, modified_expr
map_xpath_flags_to_re
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(expr: str, xpath_flags: str) ->Tuple[int, str]:\n python_flags: int = 0\n modified_expr = expr\n if xpath_flags is None:\n xpath_flags = ''\n if 's' in xpath_flags:\n python_flags |= re.DOTALL\n if 'm' in xpath_flags:\n python_flags |= re.MULTILINE\n if 'i' in xpath_flags:\n python_flags |= re.IGNORECASE\n if 'x' in xpath_flags:\n modified_expr = re.sub('[\\\\t\\\\n\\\\r ]|\\\\[[^\\\\]]*\\\\]',\n _char_class_escape, modified_expr)\n if 'q' in xpath_flags:\n modified_expr = re.escape(modified_expr)\n return python_flags, modified_expr\n", "role": "user" }, { "content": "map_xpath_flags_to_re", "role": "assistant" } ]
def x(v: Union[str, jsonasobj.JsonObj]) ->ShExJ.ObjectLiteral: return v if issubclass(type(v), JSGString) or isinstance(v, JSGObject ) and 'type' in v else ShExJ.IRIREF(v) if isinstance(v, str ) else ShExJ.ObjectLiteral(**v._as_dict)
map_object_literal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v: Union[str, jsonasobj.JsonObj]) ->ShExJ.ObjectLiteral:\n return v if issubclass(type(v), JSGString) or isinstance(v, JSGObject\n ) and 'type' in v else ShExJ.IRIREF(v) if isinstance(v, str\n ) else ShExJ.ObjectLiteral(**v._as_dict)\n", "role": "user" }, { "content": "map_object_literal", "role": "assistant" } ]
def x(): try: _lines = [] with open(vext_pth, mode='r') as f: for line in f.readlines(): if line.startswith('#') and line[1:].lstrip().startswith( 'import '): _lines.append(line[1:].lstrip()) else: _lines.append(line) try: os.unlink('%s.tmp' % vext_pth) except: pass with open('%s.tmp' % vext_pth, mode='w+') as f: f.writelines(_lines) try: os.unlink('%s~' % vext_pth) except: pass os.rename(vext_pth, '%s~' % vext_pth) os.rename('%s.tmp' % vext_pth, vext_pth) except IOError as e: if e.errno == 2: create_pth()
do_enable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n _lines = []\n with open(vext_pth, mode='r') as f:\n for line in f.readlines():\n if line.startswith('#') and line[1:].lstrip().startswith(\n 'import '):\n _lines.append(line[1:].lstrip())\n else:\n _lines.append(line)\n try:\n os.unlink('%s.tmp' % vext_pth)\n except:\n pass\n with open('%s.tmp' % vext_pth, mode='w+') as f:\n f.writelines(_lines)\n try:\n os.unlink('%s~' % vext_pth)\n except:\n pass\n os.rename(vext_pth, '%s~' % vext_pth)\n os.rename('%s.tmp' % vext_pth, vext_pth)\n except IOError as e:\n if e.errno == 2:\n create_pth()\n", "role": "user" }, { "content": "do_enable", "role": "assistant" } ]
def x(): from vext import vext_pth try: _lines = [] with open(vext_pth, mode='r') as f: for line in f.readlines(): if not line.startswith('#') and line.startswith('import '): _lines.append('# %s' % line) else: _lines.append(line) try: os.unlink('%s.tmp' % vext_pth) except: pass with open('%s.tmp' % vext_pth, mode='w+') as f: f.writelines(_lines) try: os.unlink('%s~' % vext_pth) except: pass os.rename(vext_pth, '%s~' % vext_pth) os.rename('%s.tmp' % vext_pth, vext_pth) except IOError as e: if e.errno == 2: return
do_disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n from vext import vext_pth\n try:\n _lines = []\n with open(vext_pth, mode='r') as f:\n for line in f.readlines():\n if not line.startswith('#') and line.startswith('import '):\n _lines.append('# %s' % line)\n else:\n _lines.append(line)\n try:\n os.unlink('%s.tmp' % vext_pth)\n except:\n pass\n with open('%s.tmp' % vext_pth, mode='w+') as f:\n f.writelines(_lines)\n try:\n os.unlink('%s~' % vext_pth)\n except:\n pass\n os.rename(vext_pth, '%s~' % vext_pth)\n os.rename('%s.tmp' % vext_pth, vext_pth)\n except IOError as e:\n if e.errno == 2:\n return\n", "role": "user" }, { "content": "do_disable", "role": "assistant" } ]
def x(vext_files): import vext all_specs = set(vext.gatekeeper.spec_files_flat()) if vext_files == ['*']: vext_files = all_specs unknown_specs = set(vext_files) - all_specs for fn in unknown_specs: print('%s is not an installed vext file.' % fn, file=sys.stderr) if unknown_specs: return False check_passed = True for fn in [join(vext.gatekeeper.spec_dir(), fn) for fn in vext_files]: f = open_spec(open(fn)) modules = f.get('test_import', []) for success, module in vext.gatekeeper.test_imports(modules): if not success: check_passed = False line = 'import %s: %s' % (module, '[success]' if success else '[failed]') print(line) print('') return check_passed
do_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vext_files):\n import vext\n all_specs = set(vext.gatekeeper.spec_files_flat())\n if vext_files == ['*']:\n vext_files = all_specs\n unknown_specs = set(vext_files) - all_specs\n for fn in unknown_specs:\n print('%s is not an installed vext file.' % fn, file=sys.stderr)\n if unknown_specs:\n return False\n check_passed = True\n for fn in [join(vext.gatekeeper.spec_dir(), fn) for fn in vext_files]:\n f = open_spec(open(fn))\n modules = f.get('test_import', [])\n for success, module in vext.gatekeeper.test_imports(modules):\n if not success:\n check_passed = False\n line = 'import %s: %s' % (module, '[success]' if success else\n '[failed]')\n print(line)\n print('')\n return check_passed\n", "role": "user" }, { "content": "do_check", "role": "assistant" } ]
def x(p): venv_lib = get_python_lib() if p.startswith(venv_lib): subdir = p[len(venv_lib) + 1:] for sitedir in getsyssitepackages(): fixed_path = join(sitedir, subdir) if isdir(fixed_path): return fixed_path return p
fix_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n venv_lib = get_python_lib()\n if p.startswith(venv_lib):\n subdir = p[len(venv_lib) + 1:]\n for sitedir in getsyssitepackages():\n fixed_path = join(sitedir, subdir)\n if isdir(fixed_path):\n return fixed_path\n return p\n", "role": "user" }, { "content": "fix_path", "role": "assistant" } ]
def x(): original_paths = os.environ.get('PATH', '').split(os.path.pathsep) original_dirs = set(added_dirs) yield current_paths = os.environ.get('PATH', '').split(os.path.pathsep) if original_paths != current_paths: changed_paths = set(current_paths).difference(set(original_paths)) fixed_paths = [] for path in current_paths: if path in changed_paths: fixed_paths.append(env_t(fix_path(path))) else: fixed_paths.append(env_t(path)) os.environ['PATH'] = os.pathsep.join(fixed_paths) if added_dirs != original_dirs: for path in set(added_dirs.difference(original_dirs)): fixed_path = fix_path(path) if fixed_path != path: print('Fix %s >> %s' % (path, fixed_path)) added_dirs.remove(path) added_dirs.add(fixed_path) i = sys.path.index(path) sys.path[i] = fixed_path if env_t(fixed_path) not in os.environ['PATH']: os.environ['PATH'].append(os.pathsep + env_t(fixed_path))
fixup_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n original_paths = os.environ.get('PATH', '').split(os.path.pathsep)\n original_dirs = set(added_dirs)\n yield\n current_paths = os.environ.get('PATH', '').split(os.path.pathsep)\n if original_paths != current_paths:\n changed_paths = set(current_paths).difference(set(original_paths))\n fixed_paths = []\n for path in current_paths:\n if path in changed_paths:\n fixed_paths.append(env_t(fix_path(path)))\n else:\n fixed_paths.append(env_t(path))\n os.environ['PATH'] = os.pathsep.join(fixed_paths)\n if added_dirs != original_dirs:\n for path in set(added_dirs.difference(original_dirs)):\n fixed_path = fix_path(path)\n if fixed_path != path:\n print('Fix %s >> %s' % (path, fixed_path))\n added_dirs.remove(path)\n added_dirs.add(fixed_path)\n i = sys.path.index(path)\n sys.path[i] = fixed_path\n if env_t(fixed_path) not in os.environ['PATH']:\n os.environ['PATH'].append(os.pathsep + env_t(fixed_path))\n", "role": "user" }, { "content": "fixup_paths", "role": "assistant" } ]
def x(sys_sitedir, pthfile, known_dirs): with open(join(sys_sitedir, pthfile)) as f: for n, line in enumerate(f): if line.startswith('#'): continue line = line.rstrip() if line: if line.startswith(('import ', 'import\t')): exec(line, globals(), locals()) continue else: p_rel = join(sys_sitedir, line) p_abs = abspath(line) if isdir(p_rel): os.environ['PATH'] += env_t(os.pathsep + p_rel) sys.path.append(p_rel) added_dirs.add(p_rel) elif isdir(p_abs): os.environ['PATH'] += env_t(os.pathsep + p_abs) sys.path.append(p_abs) added_dirs.add(p_abs) if isfile(pthfile): site.addpackage(sys_sitedir, pthfile, known_dirs) else: logging.debug("pth file '%s' not found")
addpackage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sys_sitedir, pthfile, known_dirs):\n with open(join(sys_sitedir, pthfile)) as f:\n for n, line in enumerate(f):\n if line.startswith('#'):\n continue\n line = line.rstrip()\n if line:\n if line.startswith(('import ', 'import\\t')):\n exec(line, globals(), locals())\n continue\n else:\n p_rel = join(sys_sitedir, line)\n p_abs = abspath(line)\n if isdir(p_rel):\n os.environ['PATH'] += env_t(os.pathsep + p_rel)\n sys.path.append(p_rel)\n added_dirs.add(p_rel)\n elif isdir(p_abs):\n os.environ['PATH'] += env_t(os.pathsep + p_abs)\n sys.path.append(p_abs)\n added_dirs.add(p_abs)\n if isfile(pthfile):\n site.addpackage(sys_sitedir, pthfile, known_dirs)\n else:\n logging.debug(\"pth file '%s' not found\")\n", "role": "user" }, { "content": "addpackage", "role": "assistant" } ]
def x(filename): find = re.compile('^[^.|-]*') name = re.search(find, filename).group(0) return name
filename_to_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n find = re.compile('^[^.|-]*')\n name = re.search(find, filename).group(0)\n return name\n", "role": "user" }, { "content": "filename_to_module", "role": "assistant" } ]
def x(): sitedirs = getsyssitepackages() for sitedir in sitedirs: env_path = os.environ['PATH'].split(os.pathsep) for module in allowed_modules: p = join(sitedir, module) if isdir(p) and not p in env_path: os.environ['PATH'] += env_t(os.pathsep + p)
init_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n sitedirs = getsyssitepackages()\n for sitedir in sitedirs:\n env_path = os.environ['PATH'].split(os.pathsep)\n for module in allowed_modules:\n p = join(sitedir, module)\n if isdir(p) and not p in env_path:\n os.environ['PATH'] += env_t(os.pathsep + p)\n", "role": "user" }, { "content": "init_path", "role": "assistant" } ]
def x(): logging.debug('install_importer') if not in_venv(): logging.debug('No virtualenv active py:[%s]', sys.executable) return False if disable_vext: logging.debug('Vext disabled by environment variable') return False if GatekeeperFinder.PATH_TRIGGER not in sys.path: try: load_specs() sys.path.append(GatekeeperFinder.PATH_TRIGGER) sys.path_hooks.append(GatekeeperFinder) except Exception as e: """ Dont kill other programmes because of a vext error """ logger.info(str(e)) if logger.getEffectiveLevel() == logging.DEBUG: raise logging.debug('importer installed') return True
install_importer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n logging.debug('install_importer')\n if not in_venv():\n logging.debug('No virtualenv active py:[%s]', sys.executable)\n return False\n if disable_vext:\n logging.debug('Vext disabled by environment variable')\n return False\n if GatekeeperFinder.PATH_TRIGGER not in sys.path:\n try:\n load_specs()\n sys.path.append(GatekeeperFinder.PATH_TRIGGER)\n sys.path_hooks.append(GatekeeperFinder)\n except Exception as e:\n \"\"\"\n Dont kill other programmes because of a vext error\n \"\"\"\n logger.info(str(e))\n if logger.getEffectiveLevel() == logging.DEBUG:\n raise\n logging.debug('importer installed')\n return True\n", "role": "user" }, { "content": "install_importer", "role": "assistant" } ]
def x(self, name): filepath = self.module_info[1] fullname = splitext(relpath(filepath, self.sitedir))[0].replace(os.sep, '.' ) modulename = filename_to_module(fullname) if modulename not in allowed_modules: if remember_blocks: blocked_imports.add(fullname) if log_blocks: raise ImportError("Vext blocked import of '%s'" % modulename) else: raise ImportError('No module named %s' % modulename) if name not in sys.modules: try: logger.debug('load_module %s %s', name, self.module_info) module = imp.load_module(name, *self.module_info) except Exception as e: logger.debug(e) raise sys.modules[fullname] = module return sys.modules[fullname]
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n filepath = self.module_info[1]\n fullname = splitext(relpath(filepath, self.sitedir))[0].replace(os.sep, '.'\n )\n modulename = filename_to_module(fullname)\n if modulename not in allowed_modules:\n if remember_blocks:\n blocked_imports.add(fullname)\n if log_blocks:\n raise ImportError(\"Vext blocked import of '%s'\" % modulename)\n else:\n raise ImportError('No module named %s' % modulename)\n if name not in sys.modules:\n try:\n logger.debug('load_module %s %s', name, self.module_info)\n module = imp.load_module(name, *self.module_info)\n except Exception as e:\n logger.debug(e)\n raise\n sys.modules[fullname] = module\n return sys.modules[fullname]\n", "role": "user" }, { "content": "load_module", "role": "assistant" } ]
def x(): dirs = {} try: @vext.env.run_in_syspy def x(*args): import sipconfig config = sipconfig.Configuration() dirs = {'sip.default_sip_dir': config.default_sip_dir} return dirs dirs = run() return dirs except ImportError: return dirs
extra_paths
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n dirs = {}\n try:\n\n @vext.env.run_in_syspy\n def x(*args):\n import sipconfig\n config = sipconfig.Configuration()\n dirs = {'sip.default_sip_dir': config.default_sip_dir}\n return dirs\n dirs = run()\n return dirs\n except ImportError:\n return dirs\n", "role": "user" }, { "content": "extra_paths", "role": "assistant" } ]
def x(value): if not isinstance(value, six.binary_type) and isinstance(value, six. string_types): return value.encode() return value
str_to_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if not isinstance(value, six.binary_type) and isinstance(value, six.\n string_types):\n return value.encode()\n return value\n", "role": "user" }, { "content": "str_to_bytes", "role": "assistant" } ]
def x(g: Graph, schema: Union[str, ShExJ.Schema], focus: Optional[Union[str, URIRef, IRIREF]], start: Optional[Union[str, URIRef, IRIREF, START, START_TYPE]]=None, debug_trace: bool=False) ->Tuple[bool, Optional[str]]: if isinstance(schema, str): schema = SchemaLoader().loads(schema) if schema is None: return False, 'Error parsing schema' if not isinstance(focus, URIRef): focus = URIRef(str(focus)) if start is None: start = str(schema.start) if schema.start else None if start is None: return False, 'No starting shape' if not isinstance(start, IRIREF ) and start is not START and start is not START_TYPE: start = IRIREF(str(start)) cntxt = Context(g, schema) cntxt.debug_context.debug = debug_trace map_ = FixedShapeMap() map_.add(ShapeAssociation(focus, start)) test_result, reasons = isValid(cntxt, map_) return test_result, '\n'.join(reasons)
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g: Graph, schema: Union[str, ShExJ.Schema], focus: Optional[Union[str,\n URIRef, IRIREF]], start: Optional[Union[str, URIRef, IRIREF, START,\n START_TYPE]]=None, debug_trace: bool=False) ->Tuple[bool, Optional[str]]:\n if isinstance(schema, str):\n schema = SchemaLoader().loads(schema)\n if schema is None:\n return False, 'Error parsing schema'\n if not isinstance(focus, URIRef):\n focus = URIRef(str(focus))\n if start is None:\n start = str(schema.start) if schema.start else None\n if start is None:\n return False, 'No starting shape'\n if not isinstance(start, IRIREF\n ) and start is not START and start is not START_TYPE:\n start = IRIREF(str(start))\n cntxt = Context(g, schema)\n cntxt.debug_context.debug = debug_trace\n map_ = FixedShapeMap()\n map_.add(ShapeAssociation(focus, start))\n test_result, reasons = isValid(cntxt, map_)\n return test_result, '\\n'.join(reasons)\n", "role": "user" }, { "content": "evaluate", "role": "assistant" } ]
def x(cntxt: Context, m: FixedShapeMap) ->Tuple[bool, List[str]]: if not cntxt.is_valid: return False, cntxt.error_list parse_nodes = [] for nodeshapepair in m: n = nodeshapepair.nodeSelector if not isinstance_(n, Node): return False, [f'{n}: Triple patterns are not implemented'] elif not (next(cntxt.graph.predicate_objects(nodeshapepair. nodeSelector), None) or next(cntxt.graph.subject_predicates( nodeshapepair.nodeSelector), None) or not next(cntxt.graph. triples((None, None, None)), None)): return False, [f'Focus: {nodeshapepair.nodeSelector} not in graph'] else: s = cntxt.shapeExprFor(START if nodeshapepair.shapeLabel is None or nodeshapepair.shapeLabel is START else nodeshapepair.shapeLabel) cntxt.current_node = ParseNode(satisfies, s, n, cntxt) if not s: if (nodeshapepair.shapeLabel is START or nodeshapepair. shapeLabel is None): cntxt.fail_reason = ( 'START node is not specified or is invalid') else: cntxt.fail_reason = ( f'Shape: {nodeshapepair.shapeLabel} not found in Schema' ) return False, cntxt.process_reasons() parse_nodes.append(cntxt.current_node) if not satisfies(cntxt, n, s): cntxt.current_node.result = False return False, cntxt.process_reasons() else: cntxt.current_node.result = True return True, []
isValid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, m: FixedShapeMap) ->Tuple[bool, List[str]]:\n if not cntxt.is_valid:\n return False, cntxt.error_list\n parse_nodes = []\n for nodeshapepair in m:\n n = nodeshapepair.nodeSelector\n if not isinstance_(n, Node):\n return False, [f'{n}: Triple patterns are not implemented']\n elif not (next(cntxt.graph.predicate_objects(nodeshapepair.\n nodeSelector), None) or next(cntxt.graph.subject_predicates(\n nodeshapepair.nodeSelector), None) or not next(cntxt.graph.\n triples((None, None, None)), None)):\n return False, [f'Focus: {nodeshapepair.nodeSelector} not in graph']\n else:\n s = cntxt.shapeExprFor(START if nodeshapepair.shapeLabel is\n None or nodeshapepair.shapeLabel is START else\n nodeshapepair.shapeLabel)\n cntxt.current_node = ParseNode(satisfies, s, n, cntxt)\n if not s:\n if (nodeshapepair.shapeLabel is START or nodeshapepair.\n shapeLabel is None):\n cntxt.fail_reason = (\n 'START node is not specified or is invalid')\n else:\n cntxt.fail_reason = (\n f'Shape: {nodeshapepair.shapeLabel} not found in Schema'\n )\n return False, cntxt.process_reasons()\n parse_nodes.append(cntxt.current_node)\n if not satisfies(cntxt, n, s):\n cntxt.current_node.result = False\n return False, cntxt.process_reasons()\n else:\n cntxt.current_node.result = True\n return True, []\n", "role": "user" }, { "content": "isValid", "role": "assistant" } ]
def x(vext_files): @run_in_syspy def x(*modules): result = {} for m in modules: if m: try: __import__(m) result[m] = True except ImportError: result[m] = False return result success = True for vext_file in vext_files: with open(vext_file) as f: vext = open_spec(f) install_hint = ' '.join(vext.get('install_hints', [ 'System dependencies not found'])) modules = vext.get('test_import', '') logger.debug('%s test imports of: %s', vext_file, modules) result = run(*modules) if logging.getLogger().getEffectiveLevel() == logging.DEBUG: for k, v in result.items(): logger.debug('%s: %s', k, v) if not all(result.values()): success = False print(install_hint) return success
check_sysdeps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vext_files):\n\n @run_in_syspy\n def x(*modules):\n result = {}\n for m in modules:\n if m:\n try:\n __import__(m)\n result[m] = True\n except ImportError:\n result[m] = False\n return result\n success = True\n for vext_file in vext_files:\n with open(vext_file) as f:\n vext = open_spec(f)\n install_hint = ' '.join(vext.get('install_hints', [\n 'System dependencies not found']))\n modules = vext.get('test_import', '')\n logger.debug('%s test imports of: %s', vext_file, modules)\n result = run(*modules)\n if logging.getLogger().getEffectiveLevel() == logging.DEBUG:\n for k, v in result.items():\n logger.debug('%s: %s', k, v)\n if not all(result.values()):\n success = False\n print(install_hint)\n return success\n", "role": "user" }, { "content": "check_sysdeps", "role": "assistant" } ]
def x(vext_files, verify=True): if verify and not check_sysdeps(vext_files): return spec_dir = join(prefix, 'share/vext/specs') try: makedirs(spec_dir) except OSError as e: if not isdir(spec_dir): logger.error('Error making spec directory [%s]: %r' % (spec_dir, e) ) for vext_file in vext_files: dest = normpath(join(spec_dir, basename(vext_file))) try: logger.debug('%s > %s' % (vext_file, dest)) copyfile(vext_file, dest) yield vext_file, dest except IOError as e: logger.error('Could not copy %s %r' % (vext_file, e))
install_vexts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vext_files, verify=True):\n if verify and not check_sysdeps(vext_files):\n return\n spec_dir = join(prefix, 'share/vext/specs')\n try:\n makedirs(spec_dir)\n except OSError as e:\n if not isdir(spec_dir):\n logger.error('Error making spec directory [%s]: %r' % (spec_dir, e)\n )\n for vext_file in vext_files:\n dest = normpath(join(spec_dir, basename(vext_file)))\n try:\n logger.debug('%s > %s' % (vext_file, dest))\n copyfile(vext_file, dest)\n yield vext_file, dest\n except IOError as e:\n logger.error('Could not copy %s %r' % (vext_file, e))\n", "role": "user" }, { "content": "install_vexts", "role": "assistant" } ]
def x(): if prefix == '/usr': print('Not creating PTH in real prefix: %s' % prefix) return False with open(vext_pth, 'w') as f: f.write(DEFAULT_PTH_CONTENT) return True
create_pth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n if prefix == '/usr':\n print('Not creating PTH in real prefix: %s' % prefix)\n return False\n with open(vext_pth, 'w') as f:\n f.write(DEFAULT_PTH_CONTENT)\n return True\n", "role": "user" }, { "content": "create_pth", "role": "assistant" } ]
def x(g: Graph, subj: Union[URIRef, BNode], max_entries: int=None, nentries: int=0) ->Optional[List[str]]: if subj == RDF.nil: return [')'] if max_entries is not None and nentries >= max_entries: return [' ...', ')'] cadr = cdr = None for p, o in g.predicate_objects(subj): if p == RDF.first and cadr is None: cadr = o elif p == RDF.rest and cdr is None: cdr = o else: return None if cadr == RDF.nil and cdr is None: return [] elif cadr is not None and cdr is not None: return [(' ' if nentries else '(') + cadr.n3(g.namespace_manager) ] + format_collection(g, cdr, max_entries, nentries + 1) else: return None
format_collection
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(g: Graph, subj: Union[URIRef, BNode], max_entries: int=None, nentries:\n int=0) ->Optional[List[str]]:\n if subj == RDF.nil:\n return [')']\n if max_entries is not None and nentries >= max_entries:\n return [' ...', ')']\n cadr = cdr = None\n for p, o in g.predicate_objects(subj):\n if p == RDF.first and cadr is None:\n cadr = o\n elif p == RDF.rest and cdr is None:\n cdr = o\n else:\n return None\n if cadr == RDF.nil and cdr is None:\n return []\n elif cadr is not None and cdr is not None:\n return [(' ' if nentries else '(') + cadr.n3(g.namespace_manager)\n ] + format_collection(g, cdr, max_entries, nentries + 1)\n else:\n return None\n", "role": "user" }, { "content": "format_collection", "role": "assistant" } ]
def x(name): helper_name, _, key = name.partition('.') helper = path_helpers.get(helper_name) if not helper: raise ValueError("Helper '{0}' not found.".format(helper)) if name not in path_cache: extra_paths = helper.extra_paths() path_cache.update(extra_paths) extra_path = path_cache.get(name) if not extra_path: raise ValueError("Helper '{0}' has no path called {1}".format( helper_name, name)) return extra_path
get_extra_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n helper_name, _, key = name.partition('.')\n helper = path_helpers.get(helper_name)\n if not helper:\n raise ValueError(\"Helper '{0}' not found.\".format(helper))\n if name not in path_cache:\n extra_paths = helper.extra_paths()\n path_cache.update(extra_paths)\n extra_path = path_cache.get(name)\n if not extra_path:\n raise ValueError(\"Helper '{0}' has no path called {1}\".format(\n helper_name, name))\n return extra_path\n", "role": "user" }, { "content": "get_extra_path", "role": "assistant" } ]
def x(): global MIN_SETUPTOOLS r = None try: r = pkg_resources.require(['setuptools'])[0] except DistributionNotFound: return if StrictVersion(r.version) >= StrictVersion(MIN_SETUPTOOLS): return else: print('Upgrading setuptools...') subprocess.call("%s -mpip install 'setuptools>=%s'" % (sys. executable, MIN_SETUPTOOLS), shell=True)
upgrade_setuptools
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global MIN_SETUPTOOLS\n r = None\n try:\n r = pkg_resources.require(['setuptools'])[0]\n except DistributionNotFound:\n return\n if StrictVersion(r.version) >= StrictVersion(MIN_SETUPTOOLS):\n return\n else:\n print('Upgrading setuptools...')\n subprocess.call(\"%s -mpip install 'setuptools>=%s'\" % (sys.\n executable, MIN_SETUPTOOLS), shell=True)\n", "role": "user" }, { "content": "upgrade_setuptools", "role": "assistant" } ]
def x(self): packages = [] CMDLINE = [sys.executable, '-mpip', 'freeze'] try: for package in subprocess.check_output(CMDLINE).decode('utf-8' ).splitlines(): for comparator in ['==', '>=', '<=', '<', '>']: if comparator in package: name = package.partition(comparator)[0] packages.append(name) except RuntimeError as e: if logger.isEnabledFor(logging.DEBUG): logger.debug('Exception checking existing packages.') logger.debug('cmdline: %s', CMDLINE) ex_type, ex, tb = sys.exc_info() traceback.print_tb(tb) logger.debug() return packages
installed_packages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n packages = []\n CMDLINE = [sys.executable, '-mpip', 'freeze']\n try:\n for package in subprocess.check_output(CMDLINE).decode('utf-8'\n ).splitlines():\n for comparator in ['==', '>=', '<=', '<', '>']:\n if comparator in package:\n name = package.partition(comparator)[0]\n packages.append(name)\n except RuntimeError as e:\n if logger.isEnabledFor(logging.DEBUG):\n logger.debug('Exception checking existing packages.')\n logger.debug('cmdline: %s', CMDLINE)\n ex_type, ex, tb = sys.exc_info()\n traceback.print_tb(tb)\n logger.debug()\n return packages\n", "role": "user" }, { "content": "installed_packages", "role": "assistant" } ]
def x(self): import subprocess package_names = self.installed_packages() if not package_names: return [] cmdline = [sys.executable, '-mpip'] for name in package_names: cmdline.extend(['show', name]) output = subprocess.check_output(cmdline) if not isinstance(output, str): output = str(output, encoding='UTF-8', errors='replace') """ --- Name: Pillow Version: 2.8.1 Location: /mnt/data/home/stu/.virtualenvs/shoebot-setup/lib/python2.7/site-packages/Pillow-2.8.1-py2.7-linux-x86_64.egg Requires: --- Name: vext.gi Version: 0.5.6.25 Location: /mnt/data/home/stu/.virtualenvs/shoebot-setup/lib/python2.7/site-packages/vext.gi-0.5.6.25-py2.7.egg Requires: vext """ results = [] for info in output[3:].split('---'): d = {} for line in info[1:].splitlines(): arg, _, value = line.partition(': ') arg = arg.lower() if arg == 'requires': value = value.split(', ') d[arg] = value results.append(d) return results
package_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n import subprocess\n package_names = self.installed_packages()\n if not package_names:\n return []\n cmdline = [sys.executable, '-mpip']\n for name in package_names:\n cmdline.extend(['show', name])\n output = subprocess.check_output(cmdline)\n if not isinstance(output, str):\n output = str(output, encoding='UTF-8', errors='replace')\n \"\"\"\n ---\n Name: Pillow\n Version: 2.8.1\n Location: /mnt/data/home/stu/.virtualenvs/shoebot-setup/lib/python2.7/site-packages/Pillow-2.8.1-py2.7-linux-x86_64.egg\n Requires:\n ---\n Name: vext.gi\n Version: 0.5.6.25\n Location: /mnt/data/home/stu/.virtualenvs/shoebot-setup/lib/python2.7/site-packages/vext.gi-0.5.6.25-py2.7.egg\n Requires: vext\n\n \"\"\"\n results = []\n for info in output[3:].split('---'):\n d = {}\n for line in info[1:].splitlines():\n arg, _, value = line.partition(': ')\n arg = arg.lower()\n if arg == 'requires':\n value = value.split(', ')\n d[arg] = value\n results.append(d)\n return results\n", "role": "user" }, { "content": "package_info", "role": "assistant" } ]
def x(self, dependency): packages = self.package_info() return [package for package in packages if dependency in package.get( 'requires', '')]
depends_on
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dependency):\n packages = self.package_info()\n return [package for package in packages if dependency in package.get(\n 'requires', '')]\n", "role": "user" }, { "content": "depends_on", "role": "assistant" } ]
def x(self): packages = self.depends_on('vext') vext_files = [] for location in [package.get('location') for package in packages]: if not location: continue vext_files.extend(glob(join(location, '*.vext'))) return vext_files
find_vext_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n packages = self.depends_on('vext')\n vext_files = []\n for location in [package.get('location') for package in packages]:\n if not location:\n continue\n vext_files.extend(glob(join(location, '*.vext')))\n return vext_files\n", "role": "user" }, { "content": "find_vext_files", "role": "assistant" } ]
def x(self): logger.debug('vext InstallLib [started]') logger.debug('find_vext_files') vext_files = self.find_vext_files() logger.debug('manually_install_vext: ', vext_files) self.manually_install_vext(vext_files) logger.debug('enable vext') self.enable_vext() logger.debug('install_lib.run') install_lib.run(self) logger.debug('vext InstallLib [finished]')
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('vext InstallLib [started]')\n logger.debug('find_vext_files')\n vext_files = self.find_vext_files()\n logger.debug('manually_install_vext: ', vext_files)\n self.manually_install_vext(vext_files)\n logger.debug('enable vext')\n self.enable_vext()\n logger.debug('install_lib.run')\n install_lib.run(self)\n logger.debug('vext InstallLib [finished]')\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self, servers): if isinstance(servers, six.string_types): servers = [servers] assert servers, 'No memcached servers supplied' self._servers = [Protocol(server=server, username=self.username, password=self.password, compression=self.compression, socket_timeout=self.socket_timeout, pickle_protocol=self. pickle_protocol, pickler=self.pickler, unpickler=self.unpickler) for server in servers]
set_servers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, servers):\n if isinstance(servers, six.string_types):\n servers = [servers]\n assert servers, 'No memcached servers supplied'\n self._servers = [Protocol(server=server, username=self.username,\n password=self.password, compression=self.compression,\n socket_timeout=self.socket_timeout, pickle_protocol=self.\n pickle_protocol, pickler=self.pickler, unpickler=self.unpickler) for\n server in servers]\n", "role": "user" }, { "content": "set_servers", "role": "assistant" } ]
def x(self, time=0): returns = [] for server in self.servers: returns.append(server.flush_all(time)) return any(returns)
flush_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time=0):\n returns = []\n for server in self.servers:\n returns.append(server.flush_all(time))\n return any(returns)\n", "role": "user" }, { "content": "flush_all", "role": "assistant" } ]
def x(self, key=None): returns = {} for server in self.servers: returns[server.server] = server.stats(key) return returns
stats
[ { "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 returns = {}\n for server in self.servers:\n returns[server.server] = server.stats(key)\n return returns\n", "role": "user" }, { "content": "stats", "role": "assistant" } ]
def x(): chart = PieChart2D(int(settings.width * 1.7), settings.height) chart.add_data([10, 10, 30, 200]) chart.set_pie_labels(['Budding Chemists', 'Propane issues', 'Meth Labs', 'Attempts to escape morgage']) chart.download('pie-house-explosions.png')
house_explosions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n chart = PieChart2D(int(settings.width * 1.7), settings.height)\n chart.add_data([10, 10, 30, 200])\n chart.set_pie_labels(['Budding Chemists', 'Propane issues', 'Meth Labs',\n 'Attempts to escape morgage'])\n chart.download('pie-house-explosions.png')\n", "role": "user" }, { "content": "house_explosions", "role": "assistant" } ]
def x(n: Node, vsv: ShExJ.objectValue) ->bool: return isinstance(vsv, IRIREF) and isinstance(n, URIRef ) and uriref_matches_iriref(n, vsv) or isinstance(vsv, ShExJ. ObjectLiteral) and isinstance(n, Literal ) and literal_matches_objectliteral(n, vsv)
objectValueMatches
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n: Node, vsv: ShExJ.objectValue) ->bool:\n return isinstance(vsv, IRIREF) and isinstance(n, URIRef\n ) and uriref_matches_iriref(n, vsv) or isinstance(vsv, ShExJ.\n ObjectLiteral) and isinstance(n, Literal\n ) and literal_matches_objectliteral(n, vsv)\n", "role": "user" }, { "content": "objectValueMatches", "role": "assistant" } ]
def x(v1: URIRef, v2: Union[str, ShExJ.IRIREF]) ->bool: return str(v1) == str(v2)
uriref_matches_iriref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1: URIRef, v2: Union[str, ShExJ.IRIREF]) ->bool:\n return str(v1) == str(v2)\n", "role": "user" }, { "content": "uriref_matches_iriref", "role": "assistant" } ]
def x(v1: URIRef, v2: Union[str, ShExJ.IRIREF]) ->bool: return str(v1).startswith(str(v2))
uriref_startswith_iriref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1: URIRef, v2: Union[str, ShExJ.IRIREF]) ->bool:\n return str(v1).startswith(str(v2))\n", "role": "user" }, { "content": "uriref_startswith_iriref", "role": "assistant" } ]
def x(v1: Literal, v2: ShExJ.ObjectLiteral) ->bool: v2_lit = Literal(str(v2.value), datatype=iriref_to_uriref(v2.type), lang=str(v2.language) if v2.language else None) return v1 == v2_lit
literal_matches_objectliteral
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(v1: Literal, v2: ShExJ.ObjectLiteral) ->bool:\n v2_lit = Literal(str(v2.value), datatype=iriref_to_uriref(v2.type),\n lang=str(v2.language) if v2.language else None)\n return v1 == v2_lit\n", "role": "user" }, { "content": "literal_matches_objectliteral", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _: DebugContext ) ->bool: return nodeSatisfiesNodeKind(cntxt, n, nc) and nodeSatisfiesDataType(cntxt, n, nc) and nodeSatisfiesStringFacet(cntxt, n, nc ) and nodeSatisfiesNumericFacet(cntxt, n, nc) and nodeSatisfiesValues( cntxt, n, nc)
satisfiesNodeConstraint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _: DebugContext\n ) ->bool:\n return nodeSatisfiesNodeKind(cntxt, n, nc) and nodeSatisfiesDataType(cntxt,\n n, nc) and nodeSatisfiesStringFacet(cntxt, n, nc\n ) and nodeSatisfiesNumericFacet(cntxt, n, nc) and nodeSatisfiesValues(\n cntxt, n, nc)\n", "role": "user" }, { "content": "satisfiesNodeConstraint", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, c: DebugContext ) ->bool: if c.debug and nc.nodeKind is not None: print(f' Kind: {nc.nodeKind}') if nc.nodeKind is None or nc.nodeKind == 'iri' and isinstance(n, URIRef ) or nc.nodeKind == 'bnode' and isinstance(n, BNode ) or nc.nodeKind == 'literal' and isinstance(n, Literal ) or nc.nodeKind == 'nonliteral' and isinstance(n, (URIRef, BNode)): return True cntxt.fail_reason = ( f'Node kind mismatch have: {type(n).__name__} expected: {nc.nodeKind}') return False
nodeSatisfiesNodeKind
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, c: DebugContext\n ) ->bool:\n if c.debug and nc.nodeKind is not None:\n print(f' Kind: {nc.nodeKind}')\n if nc.nodeKind is None or nc.nodeKind == 'iri' and isinstance(n, URIRef\n ) or nc.nodeKind == 'bnode' and isinstance(n, BNode\n ) or nc.nodeKind == 'literal' and isinstance(n, Literal\n ) or nc.nodeKind == 'nonliteral' and isinstance(n, (URIRef, BNode)):\n return True\n cntxt.fail_reason = (\n f'Node kind mismatch have: {type(n).__name__} expected: {nc.nodeKind}')\n return False\n", "role": "user" }, { "content": "nodeSatisfiesNodeKind", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, c: DebugContext ) ->bool: if nc.datatype is None: return True if c.debug: print(f' Datatype: {nc.datatype}') if not isinstance(n, Literal): cntxt.fail_reason = ( f'Datatype constraint ({nc.datatype}) does not match {type(n).__name__} {cntxt.n3_mapper.n3(n)}' ) cntxt.dump_bnode(n) return False actual_datatype = _datatype(n) if actual_datatype == str(nc.datatype) or is_sparql_operand_datatype(nc .datatype) and can_cast_to(n, nc.datatype): return True cntxt.fail_reason = ( f'Datatype mismatch - expected: {nc.datatype} actual: {actual_datatype}' ) return False
nodeSatisfiesDataType
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, c: DebugContext\n ) ->bool:\n if nc.datatype is None:\n return True\n if c.debug:\n print(f' Datatype: {nc.datatype}')\n if not isinstance(n, Literal):\n cntxt.fail_reason = (\n f'Datatype constraint ({nc.datatype}) does not match {type(n).__name__} {cntxt.n3_mapper.n3(n)}'\n )\n cntxt.dump_bnode(n)\n return False\n actual_datatype = _datatype(n)\n if actual_datatype == str(nc.datatype) or is_sparql_operand_datatype(nc\n .datatype) and can_cast_to(n, nc.datatype):\n return True\n cntxt.fail_reason = (\n f'Datatype mismatch - expected: {nc.datatype} actual: {actual_datatype}'\n )\n return False\n", "role": "user" }, { "content": "nodeSatisfiesDataType", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext ) ->bool: if (nc.length is not None or nc.minlength is not None or nc.maxlength is not None or nc.pattern is not None): lex = str(n) if (nc.length is None or len(lex) == nc.length) and (nc.minlength is None or len(lex) >= nc.minlength) and (nc.maxlength is None or len(lex) <= nc.maxlength) and (nc.pattern is None or pattern_match(nc.pattern, nc.flags, lex)): return True elif nc.length is not None and len(lex) != nc.length: cntxt.fail_reason = ( f'String length mismatch - expected: {nc.length} actual: {len(lex)}' ) elif nc.minlength is not None and len(lex) < nc.minlength: cntxt.fail_reason = ( f'String length violation - minimum: {nc.minlength} actual: {len(lex)}' ) elif nc.maxlength is not None and len(lex) > nc.maxlength: cntxt.fail_reason = ( f'String length violation - maximum: {nc.maxlength} actual: {len(lex)}' ) elif nc.pattern is not None and not pattern_match(nc.pattern, nc. flags, lex): cntxt.fail_reason = ( f'Pattern match failure - pattern: {nc.pattern} flags:{nc.flags} string: {lex}' ) else: cntxt.fail_reason = 'Programming error - flame the programmer' return False else: return True
nodeSatisfiesStringFacet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext\n ) ->bool:\n if (nc.length is not None or nc.minlength is not None or nc.maxlength\n is not None or nc.pattern is not None):\n lex = str(n)\n if (nc.length is None or len(lex) == nc.length) and (nc.minlength is\n None or len(lex) >= nc.minlength) and (nc.maxlength is None or \n len(lex) <= nc.maxlength) and (nc.pattern is None or\n pattern_match(nc.pattern, nc.flags, lex)):\n return True\n elif nc.length is not None and len(lex) != nc.length:\n cntxt.fail_reason = (\n f'String length mismatch - expected: {nc.length} actual: {len(lex)}'\n )\n elif nc.minlength is not None and len(lex) < nc.minlength:\n cntxt.fail_reason = (\n f'String length violation - minimum: {nc.minlength} actual: {len(lex)}'\n )\n elif nc.maxlength is not None and len(lex) > nc.maxlength:\n cntxt.fail_reason = (\n f'String length violation - maximum: {nc.maxlength} actual: {len(lex)}'\n )\n elif nc.pattern is not None and not pattern_match(nc.pattern, nc.\n flags, lex):\n cntxt.fail_reason = (\n f'Pattern match failure - pattern: {nc.pattern} flags:{nc.flags} string: {lex}'\n )\n else:\n cntxt.fail_reason = 'Programming error - flame the programmer'\n return False\n else:\n return True\n", "role": "user" }, { "content": "nodeSatisfiesStringFacet", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext ) ->bool: if (nc.mininclusive is not None or nc.minexclusive is not None or nc. maxinclusive is not None or nc.maxexclusive is not None or nc. totaldigits is not None or nc.fractiondigits is not None): if is_numeric(n): v = n.value if isinstance(v, numbers.Number): if (nc.mininclusive is None or v >= nc.mininclusive) and ( nc.minexclusive is None or v > nc.minexclusive) and (nc .maxinclusive is None or v <= nc.maxinclusive) and (nc. maxexclusive is None or v < nc.maxexclusive) and (nc. totaldigits is None or total_digits(n) is not None and total_digits(n) <= nc.totaldigits) and (nc. fractiondigits is None or fraction_digits(n) is not None and fraction_digits(n) <= nc.fractiondigits): return True else: if nc.mininclusive is not None and v < nc.mininclusive: cntxt.fail_reason = ( f'Numeric value volation - minimum inclusive: {nc.mininclusive} actual: {v}' ) elif nc.minexclusive is not None and v <= nc.minexclusive: cntxt.fail_reason = ( f'Numeric value volation - minimum exclusive: {nc.minexclusive} actual: {v}' ) elif nc.maxinclusive is not None and v > nc.maxinclusive: cntxt.fail_reason = ( f'Numeric value volation - maximum inclusive: {nc.maxinclusive} actual: {v}' ) elif nc.maxexclusive is not None and v >= nc.maxexclusive: cntxt.fail_reason = ( f'Numeric value volation - maximum exclusive: {nc.maxexclusive} actual: {v}' ) elif nc.totaldigits is not None and (total_digits(n) is None or total_digits(n) > nc.totaldigits): cntxt.fail_reason = ( f'Numeric value volation - max total digits: {nc.totaldigits} value: {v}' ) elif nc.fractiondigits is not None and (fraction_digits (n) is None or total_digits(n) > nc.fractiondigits): cntxt.fail_reason = ( f'Numeric value volation - max fractional digits: {nc.fractiondigits} value: {v}' ) else: cntxt.fail_reason = ( 'Impossible error - kick the programmer') return False else: cntxt.fail_reason = 'Numeric test on non-number: {v}' return False else: cntxt.fail_reason = 'Numeric test on non-number: {n}' return False return True
nodeSatisfiesNumericFacet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext\n ) ->bool:\n if (nc.mininclusive is not None or nc.minexclusive is not None or nc.\n maxinclusive is not None or nc.maxexclusive is not None or nc.\n totaldigits is not None or nc.fractiondigits is not None):\n if is_numeric(n):\n v = n.value\n if isinstance(v, numbers.Number):\n if (nc.mininclusive is None or v >= nc.mininclusive) and (\n nc.minexclusive is None or v > nc.minexclusive) and (nc\n .maxinclusive is None or v <= nc.maxinclusive) and (nc.\n maxexclusive is None or v < nc.maxexclusive) and (nc.\n totaldigits is None or total_digits(n) is not None and \n total_digits(n) <= nc.totaldigits) and (nc.\n fractiondigits is None or fraction_digits(n) is not\n None and fraction_digits(n) <= nc.fractiondigits):\n return True\n else:\n if nc.mininclusive is not None and v < nc.mininclusive:\n cntxt.fail_reason = (\n f'Numeric value volation - minimum inclusive: {nc.mininclusive} actual: {v}'\n )\n elif nc.minexclusive is not None and v <= nc.minexclusive:\n cntxt.fail_reason = (\n f'Numeric value volation - minimum exclusive: {nc.minexclusive} actual: {v}'\n )\n elif nc.maxinclusive is not None and v > nc.maxinclusive:\n cntxt.fail_reason = (\n f'Numeric value volation - maximum inclusive: {nc.maxinclusive} actual: {v}'\n )\n elif nc.maxexclusive is not None and v >= nc.maxexclusive:\n cntxt.fail_reason = (\n f'Numeric value volation - maximum exclusive: {nc.maxexclusive} actual: {v}'\n )\n elif nc.totaldigits is not None and (total_digits(n) is\n None or total_digits(n) > nc.totaldigits):\n cntxt.fail_reason = (\n f'Numeric value volation - max total digits: {nc.totaldigits} value: {v}'\n )\n elif nc.fractiondigits is not None and (fraction_digits\n (n) is None or total_digits(n) > nc.fractiondigits):\n cntxt.fail_reason = (\n f'Numeric value volation - max fractional digits: {nc.fractiondigits} value: {v}'\n )\n else:\n cntxt.fail_reason = (\n 'Impossible error - kick the programmer')\n return False\n else:\n cntxt.fail_reason = 'Numeric test on non-number: {v}'\n return False\n else:\n cntxt.fail_reason = 'Numeric test on non-number: {n}'\n return False\n return True\n", "role": "user" }, { "content": "nodeSatisfiesNumericFacet", "role": "assistant" } ]
def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext ) ->bool: if nc.values is None: return True elif any(_nodeSatisfiesValue(cntxt, n, vsv) for vsv in nc.values): return True else: cntxt.fail_reason = f"""Node: {cntxt.n3_mapper.n3(n)} not in value set: {as_json(cntxt.type_last(nc), indent=None)[:60]}...""" return False
nodeSatisfiesValues
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, nc: ShExJ.NodeConstraint, _c: DebugContext\n ) ->bool:\n if nc.values is None:\n return True\n elif any(_nodeSatisfiesValue(cntxt, n, vsv) for vsv in nc.values):\n return True\n else:\n cntxt.fail_reason = f\"\"\"Node: {cntxt.n3_mapper.n3(n)} not in value set:\n\t {as_json(cntxt.type_last(nc), indent=None)[:60]}...\"\"\"\n return False\n", "role": "user" }, { "content": "nodeSatisfiesValues", "role": "assistant" } ]
def x(cntxt: Context, n: Node, vsv: ShExJ.valueSetValue) ->bool: vsv = map_object_literal(vsv) if isinstance_(vsv, ShExJ.objectValue): return objectValueMatches(n, vsv) if isinstance(vsv, ShExJ.Language): if vsv.languageTag is not None and isinstance(n, Literal ) and n.language is not None: return n.language == vsv.languageTag else: return False if isinstance(vsv, ShExJ.IriStem): return nodeInIriStem(cntxt, n, vsv.stem) if isinstance(vsv, ShExJ.IriStemRange): exclusions = vsv.exclusions if vsv.exclusions is not None else [] return nodeInIriStem(cntxt, n, vsv.stem) and not any( uriref_matches_iriref(n, excl) if isinstance(excl, ShExJ.IRIREF ) else uriref_startswith_iriref(n, excl.stem) for excl in exclusions) if isinstance(vsv, ShExJ.LiteralStem): return nodeInLiteralStem(cntxt, n, vsv.stem) if isinstance(vsv, ShExJ.LiteralStemRange): exclusions = vsv.exclusions if vsv.exclusions is not None else [] return nodeInLiteralStem(cntxt, n, vsv.stem) and not any(str(n) == excl for excl in exclusions) if isinstance(vsv, ShExJ.LanguageStem): return nodeInLanguageStem(cntxt, n, vsv.stem) if isinstance(vsv, ShExJ.LanguageStemRange): exclusions = vsv.exclusions if vsv.exclusions is not None else [] return nodeInLanguageStem(cntxt, n, vsv.stem) and not any(str(n) == str(excl) for excl in exclusions) return False
nodeSatisfiesValue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cntxt: Context, n: Node, vsv: ShExJ.valueSetValue) ->bool:\n vsv = map_object_literal(vsv)\n if isinstance_(vsv, ShExJ.objectValue):\n return objectValueMatches(n, vsv)\n if isinstance(vsv, ShExJ.Language):\n if vsv.languageTag is not None and isinstance(n, Literal\n ) and n.language is not None:\n return n.language == vsv.languageTag\n else:\n return False\n if isinstance(vsv, ShExJ.IriStem):\n return nodeInIriStem(cntxt, n, vsv.stem)\n if isinstance(vsv, ShExJ.IriStemRange):\n exclusions = vsv.exclusions if vsv.exclusions is not None else []\n return nodeInIriStem(cntxt, n, vsv.stem) and not any(\n uriref_matches_iriref(n, excl) if isinstance(excl, ShExJ.IRIREF\n ) else uriref_startswith_iriref(n, excl.stem) for excl in\n exclusions)\n if isinstance(vsv, ShExJ.LiteralStem):\n return nodeInLiteralStem(cntxt, n, vsv.stem)\n if isinstance(vsv, ShExJ.LiteralStemRange):\n exclusions = vsv.exclusions if vsv.exclusions is not None else []\n return nodeInLiteralStem(cntxt, n, vsv.stem) and not any(str(n) ==\n excl for excl in exclusions)\n if isinstance(vsv, ShExJ.LanguageStem):\n return nodeInLanguageStem(cntxt, n, vsv.stem)\n if isinstance(vsv, ShExJ.LanguageStemRange):\n exclusions = vsv.exclusions if vsv.exclusions is not None else []\n return nodeInLanguageStem(cntxt, n, vsv.stem) and not any(str(n) ==\n str(excl) for excl in exclusions)\n return False\n", "role": "user" }, { "content": "nodeSatisfiesValue", "role": "assistant" } ]
def x(_: Context, n: Node, s: ShExJ.IriStem) ->bool: return isinstance(s, ShExJ.Wildcard) or isinstance(n, URIRef ) and uriref_startswith_iriref(n, str(s))
nodeInIriStem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_: Context, n: Node, s: ShExJ.IriStem) ->bool:\n return isinstance(s, ShExJ.Wildcard) or isinstance(n, URIRef\n ) and uriref_startswith_iriref(n, str(s))\n", "role": "user" }, { "content": "nodeInIriStem", "role": "assistant" } ]
def x(_: Context, n: Node, s: ShExJ.LiteralStem) ->bool: return isinstance(s, ShExJ.Wildcard) or isinstance(n, Literal) and str(n .value).startswith(str(s))
nodeInLiteralStem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_: Context, n: Node, s: ShExJ.LiteralStem) ->bool:\n return isinstance(s, ShExJ.Wildcard) or isinstance(n, Literal) and str(n\n .value).startswith(str(s))\n", "role": "user" }, { "content": "nodeInLiteralStem", "role": "assistant" } ]
def x(_: Context, n: Node, s: ShExJ.LanguageStem) ->bool: return isinstance(s, ShExJ.Wildcard) or isinstance(n, Literal ) and n.language is not None and str(n.language).startswith(str(s))
nodeInLanguageStem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_: Context, n: Node, s: ShExJ.LanguageStem) ->bool:\n return isinstance(s, ShExJ.Wildcard) or isinstance(n, Literal\n ) and n.language is not None and str(n.language).startswith(str(s))\n", "role": "user" }, { "content": "nodeInLanguageStem", "role": "assistant" } ]
def x(_cntxt: Context, _n: Node, _s: Union[str, ShExJ.Wildcard]) ->bool: return False
nodeInBnodeStem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_cntxt: Context, _n: Node, _s: Union[str, ShExJ.Wildcard]) ->bool:\n return False\n", "role": "user" }, { "content": "nodeInBnodeStem", "role": "assistant" } ]
def x(f): fname = f.__name__ code_lines = inspect.getsource(f).splitlines() code = dedent('\n'.join(code_lines[1:])) code += dedent( """ import sys args = sys.argv[1:] result = {fname}(*args) print("%r" % result) """ ).format(fname=fname) env = os.environ python = findsyspy() logger.debug('Create function for system python\n%s' % code) def x(*args): cmd = [python, '-c', code] + list(args) output = subprocess.check_output(cmd, env=env).decode('utf-8') result = ast.literal_eval(output) return result return call_f
run_in_syspy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n fname = f.__name__\n code_lines = inspect.getsource(f).splitlines()\n code = dedent('\\n'.join(code_lines[1:]))\n code += dedent(\n \"\"\"\n\n import sys\n args = sys.argv[1:]\n result = {fname}(*args)\n print(\"%r\" % result)\n \"\"\"\n ).format(fname=fname)\n env = os.environ\n python = findsyspy()\n logger.debug('Create function for system python\\n%s' % code)\n\n def x(*args):\n cmd = [python, '-c', code] + list(args)\n output = subprocess.check_output(cmd, env=env).decode('utf-8')\n result = ast.literal_eval(output)\n return result\n return call_f\n", "role": "user" }, { "content": "run_in_syspy", "role": "assistant" } ]
def x(): global _in_venv if _in_venv is not None: return _in_venv if not (os.path.isfile(ORIG_PREFIX_TXT) or os.path.isfile(PY_VENV_CFG)): logger.debug('in_venv no orig_prefix_txt [%s]', ORIG_PREFIX_TXT) logger.debug('in_venv no py_venv_cfg [%s]', PY_VENV_CFG) _in_venv = False return _in_venv if 'VIRTUAL_ENV' in os.environ: logger.debug('in_venv VIRTUAL_ENV set.') _in_venv = True else: python = basename(sys.executable) for p in os.environ['PATH'].split(os.pathsep): py_path = join(p, python) if isfile(py_path): logger.debug('in_venv py_at [%s] return: %s', (py_path, sys .executable != py_path)) _in_venv = sys.executable != py_path break return _in_venv
in_venv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n global _in_venv\n if _in_venv is not None:\n return _in_venv\n if not (os.path.isfile(ORIG_PREFIX_TXT) or os.path.isfile(PY_VENV_CFG)):\n logger.debug('in_venv no orig_prefix_txt [%s]', ORIG_PREFIX_TXT)\n logger.debug('in_venv no py_venv_cfg [%s]', PY_VENV_CFG)\n _in_venv = False\n return _in_venv\n if 'VIRTUAL_ENV' in os.environ:\n logger.debug('in_venv VIRTUAL_ENV set.')\n _in_venv = True\n else:\n python = basename(sys.executable)\n for p in os.environ['PATH'].split(os.pathsep):\n py_path = join(p, python)\n if isfile(py_path):\n logger.debug('in_venv py_at [%s] return: %s', (py_path, sys\n .executable != py_path))\n _in_venv = sys.executable != py_path\n break\n return _in_venv\n", "role": "user" }, { "content": "in_venv", "role": "assistant" } ]