source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, parser): from devassistant.cli.devassistant_argparse import DefaultIffUsedActionFactory if isinstance(self.kwargs.get('action', ''), list): if self.kwargs['action'][0] == 'default_iff_used': self.kwargs['action' ] = DefaultIffUsedActionFactory.generate_action(self.kwargs ['action'][1]) self.kwargs.pop('preserved', None) try: parser.add_argument(*self.flags, **self.kwargs) except Exception as ex: problem = "Error while adding argument '{name}': {error}".format(name =self.name, error=repr(ex)) raise exceptions.ExecutionException(problem)
add_argument_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parser):\n from devassistant.cli.devassistant_argparse import DefaultIffUsedActionFactory\n if isinstance(self.kwargs.get('action', ''), list):\n if self.kwargs['action'][0] == 'default_iff_used':\n self.kwargs['action'\n ] = DefaultIffUsedActionFactory.generate_action(self.kwargs\n ['action'][1])\n self.kwargs.pop('preserved', None)\n try:\n parser.add_argument(*self.flags, **self.kwargs)\n except Exception as ex:\n problem = \"Error while adding argument '{name}': {error}\".format(name\n =self.name, error=repr(ex))\n raise exceptions.ExecutionException(problem)\n", "role": "user" }, { "content": "add_argument_to", "role": "assistant" } ]
def x(self, hint): if hint == 'type': if self.kwargs.get('action') == 'store_true' or self.kwargs.get('nargs' ) == 0: return 'bool' elif self.kwargs.get('action') == 'store_const': return 'const' return self.gui_hints.get('type', 'str') elif hint == 'default': hint_type = self.get_gui_hint('type') hint_default = self.gui_hints.get('default', None) arg_default = self.kwargs.get('default', None) preserved_value = None if 'preserved' in self.kwargs: preserved_value = config_manager.get_config_value(self.kwargs[ 'preserved']) if hint_type == 'path': if preserved_value is not None: default = preserved_value elif hint_default is not None: default = hint_default.replace('$(pwd)', utils. get_cwd_or_homedir()) else: default = arg_default or '~' return os.path.abspath(os.path.expanduser(default)) elif hint_type == 'bool': return hint_default or arg_default or False elif hint_type == 'const': return hint_default or arg_default else: if hint_default == '$(whoami)': hint_default = getpass.getuser() return preserved_value or hint_default or arg_default or ''
get_gui_hint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hint):\n if hint == 'type':\n if self.kwargs.get('action') == 'store_true' or self.kwargs.get('nargs'\n ) == 0:\n return 'bool'\n elif self.kwargs.get('action') == 'store_const':\n return 'const'\n return self.gui_hints.get('type', 'str')\n elif hint == 'default':\n hint_type = self.get_gui_hint('type')\n hint_default = self.gui_hints.get('default', None)\n arg_default = self.kwargs.get('default', None)\n preserved_value = None\n if 'preserved' in self.kwargs:\n preserved_value = config_manager.get_config_value(self.kwargs[\n 'preserved'])\n if hint_type == 'path':\n if preserved_value is not None:\n default = preserved_value\n elif hint_default is not None:\n default = hint_default.replace('$(pwd)', utils.\n get_cwd_or_homedir())\n else:\n default = arg_default or '~'\n return os.path.abspath(os.path.expanduser(default))\n elif hint_type == 'bool':\n return hint_default or arg_default or False\n elif hint_type == 'const':\n return hint_default or arg_default\n else:\n if hint_default == '$(whoami)':\n hint_default = getpass.getuser()\n return preserved_value or hint_default or arg_default or ''\n", "role": "user" }, { "content": "get_gui_hint", "role": "assistant" } ]
def x(cls, name, params): use_snippet = params.pop('use', None) if use_snippet: try: problem = None snippet = (yaml_snippet_loader.YamlSnippetLoader. get_snippet_by_name(use_snippet)) params = dict(snippet.args.pop(name), **params) except KeyError: problem = "Couldn't find arg {arg} in snippet {snip}.".format(arg =name, snip=snippet.name) raise exceptions.ExecutionException(problem) if 'flags' not in params: msg = 'Couldn\'t find "flags" in arg {arg}'.format(arg=name) raise exceptions.ExecutionException(msg) return cls(name, *params.pop('flags'), **params)
construct_arg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, params):\n use_snippet = params.pop('use', None)\n if use_snippet:\n try:\n problem = None\n snippet = (yaml_snippet_loader.YamlSnippetLoader.\n get_snippet_by_name(use_snippet))\n params = dict(snippet.args.pop(name), **params)\n except KeyError:\n problem = \"Couldn't find arg {arg} in snippet {snip}.\".format(arg\n =name, snip=snippet.name)\n raise exceptions.ExecutionException(problem)\n if 'flags' not in params:\n msg = 'Couldn\\'t find \"flags\" in arg {arg}'.format(arg=name)\n raise exceptions.ExecutionException(msg)\n return cls(name, *params.pop('flags'), **params)\n", "role": "user" }, { "content": "construct_arg", "role": "assistant" } ]
def x(self): if not hasattr(self, '_subassistants'): self._subassistants = [] if 'get_subassistant_classes' in vars(type(self)): for a in self.get_subassistant_classes(): self._subassistants.append(a()) return self._subassistants
get_subassistants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not hasattr(self, '_subassistants'):\n self._subassistants = []\n if 'get_subassistant_classes' in vars(type(self)):\n for a in self.get_subassistant_classes():\n self._subassistants.append(a())\n return self._subassistants\n", "role": "user" }, { "content": "get_subassistants", "role": "assistant" } ]
def x(self): if '_tree' not in dir(self): subassistant_tree = [] subassistants = self.get_subassistants() for subassistant in subassistants: subassistant_tree.append(subassistant.get_subassistant_tree()) self._tree = self, subassistant_tree return self._tree
get_subassistant_tree
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if '_tree' not in dir(self):\n subassistant_tree = []\n subassistants = self.get_subassistants()\n for subassistant in subassistants:\n subassistant_tree.append(subassistant.get_subassistant_tree())\n self._tree = self, subassistant_tree\n return self._tree\n", "role": "user" }, { "content": "get_subassistant_tree", "role": "assistant" } ]
def x(self, **kwargs): path = [self] previous_subas_list = None currently_searching = self.get_subassistant_tree()[1] while settings.SUBASSISTANT_N_STRING.format(len(path) - 1 ) in kwargs and kwargs[settings.SUBASSISTANT_N_STRING.format(len( path) - 1)]: for sa, subas_list in currently_searching: if sa.name == kwargs[settings.SUBASSISTANT_N_STRING.format(len( path) - 1)]: currently_searching = subas_list path.append(sa) break if subas_list == previous_subas_list: raise exceptions.AssistantNotFoundException( 'No assistant {n} after path {p}.'.format(n=kwargs[settings .SUBASSISTANT_N_STRING.format(len(path) - 1)], p=path)) previous_subas_list = subas_list return path
get_selected_subassistant_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n path = [self]\n previous_subas_list = None\n currently_searching = self.get_subassistant_tree()[1]\n while settings.SUBASSISTANT_N_STRING.format(len(path) - 1\n ) in kwargs and kwargs[settings.SUBASSISTANT_N_STRING.format(len(\n path) - 1)]:\n for sa, subas_list in currently_searching:\n if sa.name == kwargs[settings.SUBASSISTANT_N_STRING.format(len(\n path) - 1)]:\n currently_searching = subas_list\n path.append(sa)\n break\n if subas_list == previous_subas_list:\n raise exceptions.AssistantNotFoundException(\n 'No assistant {n} after path {p}.'.format(n=kwargs[settings\n .SUBASSISTANT_N_STRING.format(len(path) - 1)], p=path))\n previous_subas_list = subas_list\n return path\n", "role": "user" }, { "content": "get_selected_subassistant_path", "role": "assistant" } ]
def x(self, **kwargs): i = 0 while i < len(kwargs): if settings.SUBASSISTANT_N_STRING.format(i) in kwargs: leaf_name = kwargs[settings.SUBASSISTANT_N_STRING.format(i)] i += 1 return self.name == leaf_name
is_run_as_leaf
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n i = 0\n while i < len(kwargs):\n if settings.SUBASSISTANT_N_STRING.format(i) in kwargs:\n leaf_name = kwargs[settings.SUBASSISTANT_N_STRING.format(i)]\n i += 1\n return self.name == leaf_name\n", "role": "user" }, { "content": "is_run_as_leaf", "role": "assistant" } ]
def x(cls, directories): yaml_files = [] loaded_yamls = {} for d in directories: if d.startswith('/home') and not os.path.exists(d): os.makedirs(d) for dirname, subdirs, files in os.walk(d): yaml_files.extend(map(lambda x: os.path.join(dirname, x), filter(lambda x: x.endswith('.yaml'), files))) for f in yaml_files: loaded_yamls[f] = cls.load_yaml_by_path(f) return loaded_yamls
load_all_yamls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, directories):\n yaml_files = []\n loaded_yamls = {}\n for d in directories:\n if d.startswith('/home') and not os.path.exists(d):\n os.makedirs(d)\n for dirname, subdirs, files in os.walk(d):\n yaml_files.extend(map(lambda x: os.path.join(dirname, x),\n filter(lambda x: x.endswith('.yaml'), files)))\n for f in yaml_files:\n loaded_yamls[f] = cls.load_yaml_by_path(f)\n return loaded_yamls\n", "role": "user" }, { "content": "load_all_yamls", "role": "assistant" } ]
def x(cls, directories, rel_path, log_debug=False): for d in directories: if d.startswith(os.path.expanduser('~')) and not os.path.exists(d): os.makedirs(d) possible_path = os.path.join(d, rel_path) if os.path.exists(possible_path): loaded = cls.load_yaml_by_path(possible_path, log_debug=log_debug) if loaded is not None: return possible_path, cls.load_yaml_by_path(possible_path) return None
load_yaml_by_relpath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, directories, rel_path, log_debug=False):\n for d in directories:\n if d.startswith(os.path.expanduser('~')) and not os.path.exists(d):\n os.makedirs(d)\n possible_path = os.path.join(d, rel_path)\n if os.path.exists(possible_path):\n loaded = cls.load_yaml_by_path(possible_path, log_debug=log_debug)\n if loaded is not None:\n return possible_path, cls.load_yaml_by_path(possible_path)\n return None\n", "role": "user" }, { "content": "load_yaml_by_relpath", "role": "assistant" } ]
def x(cls, path, log_debug=False): try: if isinstance(path, six.string_types): return yaml.load(open(path, 'r'), Loader=Loader) or {} else: return yaml.load(path, Loader=Loader) or {} except (yaml.scanner.ScannerError, yaml.parser.ParserError) as e: log_level = logging.DEBUG if log_debug else logging.WARNING logger.log(log_level, 'Yaml error in {path} (line {ln}, column {col}): {err}'.format( path=path, ln=e.problem_mark.line, col=e.problem_mark.column, err=e.problem)) return None
load_yaml_by_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path, log_debug=False):\n try:\n if isinstance(path, six.string_types):\n return yaml.load(open(path, 'r'), Loader=Loader) or {}\n else:\n return yaml.load(path, Loader=Loader) or {}\n except (yaml.scanner.ScannerError, yaml.parser.ParserError) as e:\n log_level = logging.DEBUG if log_debug else logging.WARNING\n logger.log(log_level,\n 'Yaml error in {path} (line {ln}, column {col}): {err}'.format(\n path=path, ln=e.problem_mark.line, col=e.problem_mark.column,\n err=e.problem))\n return None\n", "role": "user" }, { "content": "load_yaml_by_path", "role": "assistant" } ]
def x(self, parsed_args): deps = self.path[-1].dependencies(parsed_args) lang.Command('dependencies', deps, parsed_args).run()
run_path_dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parsed_args):\n deps = self.path[-1].dependencies(parsed_args)\n lang.Command('dependencies', deps, parsed_args).run()\n", "role": "user" }, { "content": "run_path_dependencies", "role": "assistant" } ]
def x(self): error = None try: self._logging(self.parsed_args) if 'deps_only' not in self.parsed_args: self._run_path_run('pre', self.parsed_args) self._run_path_dependencies(self.parsed_args) if 'deps_only' not in self.parsed_args: self._run_path_run('', self.parsed_args) except exceptions.ExecutionException as e: error = self._log_if_not_logged(e) if isinstance(e, exceptions.YamlError): raise e try: self._run_path_run('post', self.parsed_args) except exceptions.ExecutionException as e: error = self._log_if_not_logged(e) try: utils.run_exitfuncs() except exceptions.ExecutionException as e: error = self._log_if_not_logged(e) if error: raise error
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n error = None\n try:\n self._logging(self.parsed_args)\n if 'deps_only' not in self.parsed_args:\n self._run_path_run('pre', self.parsed_args)\n self._run_path_dependencies(self.parsed_args)\n if 'deps_only' not in self.parsed_args:\n self._run_path_run('', self.parsed_args)\n except exceptions.ExecutionException as e:\n error = self._log_if_not_logged(e)\n if isinstance(e, exceptions.YamlError):\n raise e\n try:\n self._run_path_run('post', self.parsed_args)\n except exceptions.ExecutionException as e:\n error = self._log_if_not_logged(e)\n try:\n utils.run_exitfuncs()\n except exceptions.ExecutionException as e:\n error = self._log_if_not_logged(e)\n if error:\n raise error\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(cls, labels): used_strings = set(cls._nice_strings.keys()) & set(labels) return max([len(cls._nice_strings[s]) for s in used_strings])
calculate_offset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, labels):\n used_strings = set(cls._nice_strings.keys()) & set(labels)\n return max([len(cls._nice_strings[s]) for s in used_strings])\n", "role": "user" }, { "content": "calculate_offset", "role": "assistant" } ]
def x(cls, meta, offset): if 'average_rank' and 'rank_count' in meta: label = (cls._nice_strings['average_rank'] + ':').ljust(offset + 2) score = cls._format_field(meta['average_rank']) votes = ' ({num} votes)'.format(num=meta['rank_count']) return label + score + votes else: return ''
format_dapi_score
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, meta, offset):\n if 'average_rank' and 'rank_count' in meta:\n label = (cls._nice_strings['average_rank'] + ':').ljust(offset + 2)\n score = cls._format_field(meta['average_rank'])\n votes = ' ({num} votes)'.format(num=meta['rank_count'])\n return label + score + votes\n else:\n return ''\n", "role": "user" }, { "content": "format_dapi_score", "role": "assistant" } ]
def x(cls, meta, labels, offset, **kwargs): lines = [] name = meta['package_name'] if 'version' in meta: name += '-' + meta['version'] if 'custom_location' in kwargs: name += ' ({loc})'.format(loc=kwargs['custom_location']) lines.append(name) lines.append(len(name) * '=') lines.append('') lines.extend(meta['summary'].splitlines()) lines.append('') if meta.get('description', ''): lines.extend(meta['description'].splitlines()) lines.append('') data = [] for item in labels: if meta.get(item, '') != '': label = (cls._nice_strings[item] + ':').ljust(offset + 2) data.append(label + cls._format_field(meta[item])) lines.extend(data) return lines
format_meta_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, meta, labels, offset, **kwargs):\n lines = []\n name = meta['package_name']\n if 'version' in meta:\n name += '-' + meta['version']\n if 'custom_location' in kwargs:\n name += ' ({loc})'.format(loc=kwargs['custom_location'])\n lines.append(name)\n lines.append(len(name) * '=')\n lines.append('')\n lines.extend(meta['summary'].splitlines())\n lines.append('')\n if meta.get('description', ''):\n lines.extend(meta['description'].splitlines())\n lines.append('')\n data = []\n for item in labels:\n if meta.get(item, '') != '':\n label = (cls._nice_strings[item] + ':').ljust(offset + 2)\n data.append(label + cls._format_field(meta[item]))\n lines.extend(data)\n return lines\n", "role": "user" }, { "content": "format_meta_lines", "role": "assistant" } ]
def x(cls, files, kind): lines = [] if files: lines.append('The following {kind} are contained in this DAP:'. format(kind=kind.title())) for f in files: lines.append('* ' + strip_prefix(f, kind).replace(os.path.sep, ' ').strip()) return lines else: return ['No {kind} are contained in this DAP'.format(kind=kind.title()) ]
format_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, files, kind):\n lines = []\n if files:\n lines.append('The following {kind} are contained in this DAP:'.\n format(kind=kind.title()))\n for f in files:\n lines.append('* ' + strip_prefix(f, kind).replace(os.path.sep,\n ' ').strip())\n return lines\n else:\n return ['No {kind} are contained in this DAP'.format(kind=kind.title())\n ]\n", "role": "user" }, { "content": "format_files", "role": "assistant" } ]
def x(cls, assistants): lines = cls._format_files(assistants, 'assistants') if assistants: lines.append('') assistant = strip_prefix(random.choice(assistants), 'assistants' ).replace(os.path.sep, ' ').strip() if len(assistants) == 1: strings = [ 'After you install this DAP, you can find help about the Assistant' , 'by running "da {a} -h" .'] else: strings = [ 'After you install this DAP, you can find help, for example about the Assistant' , '"{a}", by running "da {a} -h".'] lines.extend([l.format(a=assistant) for l in strings]) return lines
format_assistants_lines
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, assistants):\n lines = cls._format_files(assistants, 'assistants')\n if assistants:\n lines.append('')\n assistant = strip_prefix(random.choice(assistants), 'assistants'\n ).replace(os.path.sep, ' ').strip()\n if len(assistants) == 1:\n strings = [\n 'After you install this DAP, you can find help about the Assistant'\n , 'by running \"da {a} -h\" .']\n else:\n strings = [\n 'After you install this DAP, you can find help, for example about the Assistant'\n , '\"{a}\", by running \"da {a} -h\".']\n lines.extend([l.format(a=assistant) for l in strings])\n return lines\n", "role": "user" }, { "content": "format_assistants_lines", "role": "assistant" } ]
def x(cls, platforms): lines = [] if platforms: lines.append('This DAP is only supported on the following platforms:') lines.extend([(' * ' + platform) for platform in platforms]) return lines
format_platforms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, platforms):\n lines = []\n if platforms:\n lines.append('This DAP is only supported on the following platforms:')\n lines.extend([(' * ' + platform) for platform in platforms])\n return lines\n", "role": "user" }, { "content": "format_platforms", "role": "assistant" } ]
def x(cls, dap, network=False, yamls=True, raises=False, logger=logger): dap._check_raises = raises dap._problematic = False dap._logger = logger problems = list() problems += cls.check_meta(dap) problems += cls.check_no_self_dependency(dap) problems += cls.check_topdir(dap) problems += cls.check_files(dap) if yamls: problems += cls.check_yamls(dap) if network: problems += cls.check_name_not_on_dapi(dap) for problem in problems: dap._report_problem(problem.message, problem.level) del dap._check_raises return not dap._problematic
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap, network=False, yamls=True, raises=False, logger=logger):\n dap._check_raises = raises\n dap._problematic = False\n dap._logger = logger\n problems = list()\n problems += cls.check_meta(dap)\n problems += cls.check_no_self_dependency(dap)\n problems += cls.check_topdir(dap)\n problems += cls.check_files(dap)\n if yamls:\n problems += cls.check_yamls(dap)\n if network:\n problems += cls.check_name_not_on_dapi(dap)\n for problem in problems:\n dap._report_problem(problem.message, problem.level)\n del dap._check_raises\n return not dap._problematic\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(cls, dap): problems = list() for datatype in ((Dap._required_meta | Dap._optional_meta) - Dap. _array_meta): if not dap._isvalid(datatype): msg = datatype + ' is not valid (or required and unspecified)' problems.append(DapProblem(msg)) for datatype in Dap._array_meta: ok, bads = dap._arevalid(datatype) if not ok: if not bads: msg = datatype + ' is not a valid non-empty list' problems.append(DapProblem(msg)) else: for bad in bads: msg = (bad + ' in ' + datatype + ' is not valid or is a duplicate') problems.append(DapProblem(msg)) leftovers = set(dap.meta.keys()) - (Dap._required_meta | Dap._optional_meta ) if leftovers: msg = 'Unknown metadata: ' + str(leftovers) problems.append(DapProblem(msg)) if len(dap.meta.get('package_name', '')) > 200: msg = 'Package name is too long. It must not exceed 200 characters.' problems.append(DapProblem(msg)) return problems
check_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n for datatype in ((Dap._required_meta | Dap._optional_meta) - Dap.\n _array_meta):\n if not dap._isvalid(datatype):\n msg = datatype + ' is not valid (or required and unspecified)'\n problems.append(DapProblem(msg))\n for datatype in Dap._array_meta:\n ok, bads = dap._arevalid(datatype)\n if not ok:\n if not bads:\n msg = datatype + ' is not a valid non-empty list'\n problems.append(DapProblem(msg))\n else:\n for bad in bads:\n msg = (bad + ' in ' + datatype +\n ' is not valid or is a duplicate')\n problems.append(DapProblem(msg))\n leftovers = set(dap.meta.keys()) - (Dap._required_meta | Dap._optional_meta\n )\n if leftovers:\n msg = 'Unknown metadata: ' + str(leftovers)\n problems.append(DapProblem(msg))\n if len(dap.meta.get('package_name', '')) > 200:\n msg = 'Package name is too long. It must not exceed 200 characters.'\n problems.append(DapProblem(msg))\n return problems\n", "role": "user" }, { "content": "check_meta", "role": "assistant" } ]
def x(cls, dap): problems = list() dirname = os.path.dirname(dap._meta_location) if not dirname: msg = 'meta.yaml is not in top-level directory' problems.append(DapProblem(msg)) else: for path in dap.files: if not path.startswith(dirname): msg = (path + ' is outside of ' + dirname + ' top-level directory') problems.append(DapProblem(msg)) if dap.meta['package_name'] and dap.meta['version']: desired_dirname = dap._dirname() desired_filename = desired_dirname + '.dap' if dirname and dirname != desired_dirname: msg = ('Top-level directory with meta.yaml is not named ' + desired_dirname) problems.append(DapProblem(msg)) if dap.basename != desired_filename: msg = 'The dap filename is not ' + desired_filename problems.append(DapProblem(msg)) return problems
check_topdir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n dirname = os.path.dirname(dap._meta_location)\n if not dirname:\n msg = 'meta.yaml is not in top-level directory'\n problems.append(DapProblem(msg))\n else:\n for path in dap.files:\n if not path.startswith(dirname):\n msg = (path + ' is outside of ' + dirname +\n ' top-level directory')\n problems.append(DapProblem(msg))\n if dap.meta['package_name'] and dap.meta['version']:\n desired_dirname = dap._dirname()\n desired_filename = desired_dirname + '.dap'\n if dirname and dirname != desired_dirname:\n msg = ('Top-level directory with meta.yaml is not named ' +\n desired_dirname)\n problems.append(DapProblem(msg))\n if dap.basename != desired_filename:\n msg = 'The dap filename is not ' + desired_filename\n problems.append(DapProblem(msg))\n return problems\n", "role": "user" }, { "content": "check_topdir", "role": "assistant" } ]
def x(cls, dap): problems = list() if 'package_name' in dap.meta and 'dependencies' in dap.meta: dependencies = set() for dependency in dap.meta['dependencies']: if 'dependencies' in dap._badmeta and dependency in dap._badmeta[ 'dependencies']: continue if not re.search('[<=>]', dependency): dependencies.add(dependency) for mark in ['==', '>=', '<=', '<', '>']: dep = dependency.split(mark) if len(dep) == 2: dependencies.add(dep[0].strip()) break if dap.meta['package_name'] in dependencies: msg = 'Depends on dap with the same name as itself' problems.append(DapProblem(msg)) return problems
check_no_self_dependency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n if 'package_name' in dap.meta and 'dependencies' in dap.meta:\n dependencies = set()\n for dependency in dap.meta['dependencies']:\n if 'dependencies' in dap._badmeta and dependency in dap._badmeta[\n 'dependencies']:\n continue\n if not re.search('[<=>]', dependency):\n dependencies.add(dependency)\n for mark in ['==', '>=', '<=', '<', '>']:\n dep = dependency.split(mark)\n if len(dep) == 2:\n dependencies.add(dep[0].strip())\n break\n if dap.meta['package_name'] in dependencies:\n msg = 'Depends on dap with the same name as itself'\n problems.append(DapProblem(msg))\n return problems\n", "role": "user" }, { "content": "check_no_self_dependency", "role": "assistant" } ]
def x(cls, dap): problems = list() if dap.meta['package_name']: from . import dapicli d = dapicli.metadap(dap.meta['package_name']) if d: problems.append(DapProblem( 'This dap name is already registered on Dapi', level= logging.WARNING)) return problems
check_name_not_on_dapi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n if dap.meta['package_name']:\n from . import dapicli\n d = dapicli.metadap(dap.meta['package_name'])\n if d:\n problems.append(DapProblem(\n 'This dap name is already registered on Dapi', level=\n logging.WARNING))\n return problems\n", "role": "user" }, { "content": "check_name_not_on_dapi", "role": "assistant" } ]
def x(cls, dap): problems = list() dirname = os.path.dirname(dap._meta_location) if dirname: dirname += '/' files = [f for f in dap.files if f.startswith(dirname)] if len(files) == 1: msg = 'Only meta.yaml in dap' problems.append(DapProblem(msg, level=logging.WARNING)) return problems files.remove(dirname + 'meta.yaml') emptydirs = dap._get_emptydirs(files) while emptydirs: for ed in emptydirs: msg = ed + ' is empty directory (may be nested)' problems.append(DapProblem(msg, logging.WARNING)) files.remove(ed) emptydirs = dap._get_emptydirs(files) if dap.meta['package_name']: name = dap.meta['package_name'] dirs = re.compile('^' + dirname + '((assistants(/(crt|twk|prep|extra))?|snippets)(/' + name + ')?|icons(/(crt|twk|prep|extra|snippets)(/' + name + ')?)?|files|(files/(crt|twk|prep|extra|snippets)|doc)(/' + name + '(/.+)?)?)$') regs = re.compile('^' + dirname + '((assistants(/(crt|twk|prep|extra))|snippets)/' + name + '(/[^/]+)?\\.yaml|icons/(crt|twk|prep|extra|snippets)/' + name + '(/[^/]+)?\\.(' + Dap._icons_ext + ')|(files/(crt|twk|prep|extra|snippets)|doc)/' + name + '/.+)$') to_remove = [] for f in files: if dap._is_dir(f) and not dirs.match(f): msg = f + '/ is not allowed directory' problems.append(DapProblem(msg)) to_remove.append(f) elif not dap._is_dir(f) and not regs.match(f): msg = f + ' is not allowed file' problems.append(DapProblem(msg)) to_remove.append(f) for r in to_remove: files.remove(r) for directory in ([('assistants/' + t) for t in 'crt twk prep extra'.split()] + ['snippets']): prefix = dirname + directory + '/' for f in files: if f.startswith(prefix) and dap._is_dir(f ) and f + '.yaml' not in files: msg = f + '/ present, but ' + f + '.yaml missing' problems.append(DapProblem(msg)) if not dap.assistants_and_snippets: msg = 'No Assistants or Snippets found' problems.append(DapProblem(msg, level=logging.WARNING)) icons = [dap._strip_leading_dirname(i) for i in dap.icons(strip_ext=True)] assistants = set([dap._strip_leading_dirname(a) for a in dap.assistants]) duplicates = set([i for i in icons if icons.count(i) > 1]) for d in duplicates: msg = 'Duplicate icon for ' + f problems.append(DapProblem(msg, level=logging.WARNING)) icons = set(icons) for i in (icons - assistants): msg = 'Useless icon for non-exisiting assistant ' + i problems.append(DapProblem(msg, level=logging.WARNING)) for a in (assistants - icons): msg = 'Missing icon for assistant ' + a problems.append(DapProblem(msg, level=logging.WARNING)) for f in cls._get_files_without_assistants(dap, dirname, files): msg = 'Useless files for non-exisiting assistant ' + f problems.append(DapProblem(msg, level=logging.WARNING)) return problems
check_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n dirname = os.path.dirname(dap._meta_location)\n if dirname:\n dirname += '/'\n files = [f for f in dap.files if f.startswith(dirname)]\n if len(files) == 1:\n msg = 'Only meta.yaml in dap'\n problems.append(DapProblem(msg, level=logging.WARNING))\n return problems\n files.remove(dirname + 'meta.yaml')\n emptydirs = dap._get_emptydirs(files)\n while emptydirs:\n for ed in emptydirs:\n msg = ed + ' is empty directory (may be nested)'\n problems.append(DapProblem(msg, logging.WARNING))\n files.remove(ed)\n emptydirs = dap._get_emptydirs(files)\n if dap.meta['package_name']:\n name = dap.meta['package_name']\n dirs = re.compile('^' + dirname +\n '((assistants(/(crt|twk|prep|extra))?|snippets)(/' + name +\n ')?|icons(/(crt|twk|prep|extra|snippets)(/' + name +\n ')?)?|files|(files/(crt|twk|prep|extra|snippets)|doc)(/' + name +\n '(/.+)?)?)$')\n regs = re.compile('^' + dirname +\n '((assistants(/(crt|twk|prep|extra))|snippets)/' + name +\n '(/[^/]+)?\\\\.yaml|icons/(crt|twk|prep|extra|snippets)/' + name +\n '(/[^/]+)?\\\\.(' + Dap._icons_ext +\n ')|(files/(crt|twk|prep|extra|snippets)|doc)/' + name + '/.+)$')\n to_remove = []\n for f in files:\n if dap._is_dir(f) and not dirs.match(f):\n msg = f + '/ is not allowed directory'\n problems.append(DapProblem(msg))\n to_remove.append(f)\n elif not dap._is_dir(f) and not regs.match(f):\n msg = f + ' is not allowed file'\n problems.append(DapProblem(msg))\n to_remove.append(f)\n for r in to_remove:\n files.remove(r)\n for directory in ([('assistants/' + t) for t in\n 'crt twk prep extra'.split()] + ['snippets']):\n prefix = dirname + directory + '/'\n for f in files:\n if f.startswith(prefix) and dap._is_dir(f\n ) and f + '.yaml' not in files:\n msg = f + '/ present, but ' + f + '.yaml missing'\n problems.append(DapProblem(msg))\n if not dap.assistants_and_snippets:\n msg = 'No Assistants or Snippets found'\n problems.append(DapProblem(msg, level=logging.WARNING))\n icons = [dap._strip_leading_dirname(i) for i in dap.icons(strip_ext=True)]\n assistants = set([dap._strip_leading_dirname(a) for a in dap.assistants])\n duplicates = set([i for i in icons if icons.count(i) > 1])\n for d in duplicates:\n msg = 'Duplicate icon for ' + f\n problems.append(DapProblem(msg, level=logging.WARNING))\n icons = set(icons)\n for i in (icons - assistants):\n msg = 'Useless icon for non-exisiting assistant ' + i\n problems.append(DapProblem(msg, level=logging.WARNING))\n for a in (assistants - icons):\n msg = 'Missing icon for assistant ' + a\n problems.append(DapProblem(msg, level=logging.WARNING))\n for f in cls._get_files_without_assistants(dap, dirname, files):\n msg = 'Useless files for non-exisiting assistant ' + f\n problems.append(DapProblem(msg, level=logging.WARNING))\n return problems\n", "role": "user" }, { "content": "check_files", "role": "assistant" } ]
def x(cls, dap): problems = list() for yaml in dap.assistants_and_snippets: path = yaml + '.yaml' parsed_yaml = YamlLoader.load_yaml_by_path(dap._get_file(path, prepend=True)) if parsed_yaml: try: yaml_checker.check(path, parsed_yaml) except YamlError as e: problems.append(DapProblem(exc_as_decoded_string(e), level= logging.ERROR)) else: problems.append(DapProblem('Empty YAML ' + path, level=logging. WARNING)) return problems
check_yamls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dap):\n problems = list()\n for yaml in dap.assistants_and_snippets:\n path = yaml + '.yaml'\n parsed_yaml = YamlLoader.load_yaml_by_path(dap._get_file(path,\n prepend=True))\n if parsed_yaml:\n try:\n yaml_checker.check(path, parsed_yaml)\n except YamlError as e:\n problems.append(DapProblem(exc_as_decoded_string(e), level=\n logging.ERROR))\n else:\n problems.append(DapProblem('Empty YAML ' + path, level=logging.\n WARNING))\n return problems\n", "role": "user" }, { "content": "check_yamls", "role": "assistant" } ]
def x(self, path): return os.path.sep.join(path.split(os.path.sep)[1:])
strip_leading_dirname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n return os.path.sep.join(path.split(os.path.sep)[1:])\n", "role": "user" }, { "content": "strip_leading_dirname", "role": "assistant" } ]
def x(self): return [strip_suffix(f, '.yaml') for f in self._stripped_files if self. _assistants_pattern.match(f)]
assistants
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [strip_suffix(f, '.yaml') for f in self._stripped_files if self.\n _assistants_pattern.match(f)]\n", "role": "user" }, { "content": "assistants", "role": "assistant" } ]
def x(self): return [strip_suffix(f, '.yaml') for f in self._stripped_files if self. _snippets_pattern.match(f)]
snippets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return [strip_suffix(f, '.yaml') for f in self._stripped_files if self.\n _snippets_pattern.match(f)]\n", "role": "user" }, { "content": "snippets", "role": "assistant" } ]
def x(self, strip_ext=False): result = [f for f in self._stripped_files if self._icons_pattern.match(f)] if strip_ext: result = [strip_suffix(f, '\\.({ext})'.format(ext=self._icons_ext), regex=True) for f in result] return result
icons
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, strip_ext=False):\n result = [f for f in self._stripped_files if self._icons_pattern.match(f)]\n if strip_ext:\n result = [strip_suffix(f, '\\\\.({ext})'.format(ext=self._icons_ext),\n regex=True) for f in result]\n return result\n", "role": "user" }, { "content": "icons", "role": "assistant" } ]
def x(self): self._badmeta = dict() for datatype in self.meta: for item in self.meta[datatype]: if not Dap._meta_valid[datatype].match(item): if datatype not in self._badmeta: self._badmeta[datatype] = [] self._badmeta[datatype].append(item)
find_bad_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._badmeta = dict()\n for datatype in self.meta:\n for item in self.meta[datatype]:\n if not Dap._meta_valid[datatype].match(item):\n if datatype not in self._badmeta:\n self._badmeta[datatype] = []\n self._badmeta[datatype].append(item)\n", "role": "user" }, { "content": "find_bad_meta", "role": "assistant" } ]
def x(self, path, prepend=False): if prepend: path = os.path.join(self._dirname(), path) extracted = self._tar.extractfile(path) if extracted: return extracted raise DapFileError(( "Could not read %s from %s, maybe it's a directory," + 'bad link or the dap file is corrupted') % (path, self.basename))
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, prepend=False):\n if prepend:\n path = os.path.join(self._dirname(), path)\n extracted = self._tar.extractfile(path)\n if extracted:\n return extracted\n raise DapFileError((\n \"Could not read %s from %s, maybe it's a directory,\" +\n 'bad link or the dap file is corrupted') % (path, self.basename))\n", "role": "user" }, { "content": "get_file", "role": "assistant" } ]
def x(self, meta): meta = yaml.load(meta, Loader=Loader) if 'version' in meta: meta['version'] = str(meta['version']) return meta
load_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, meta):\n meta = yaml.load(meta, Loader=Loader)\n if 'version' in meta:\n meta['version'] = str(meta['version'])\n return meta\n", "role": "user" }, { "content": "load_meta", "role": "assistant" } ]
def x(self, problem, level=logging.ERROR): problem = self.basename + ': ' + problem if self._logger.isEnabledFor(level): self._problematic = True if self._check_raises: raise DapInvalid(problem) self._logger.log(level, problem)
report_problem
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, problem, level=logging.ERROR):\n problem = self.basename + ': ' + problem\n if self._logger.isEnabledFor(level):\n self._problematic = True\n if self._check_raises:\n raise DapInvalid(problem)\n self._logger.log(level, problem)\n", "role": "user" }, { "content": "report_problem", "role": "assistant" } ]
def x(self, datatype): if datatype in self.meta: return bool(Dap._meta_valid[datatype].match(self.meta[datatype])) else: return datatype in Dap._optional_meta
isvalid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datatype):\n if datatype in self.meta:\n return bool(Dap._meta_valid[datatype].match(self.meta[datatype]))\n else:\n return datatype in Dap._optional_meta\n", "role": "user" }, { "content": "isvalid", "role": "assistant" } ]
def x(self, datatype): if datatype not in self.meta: return datatype in Dap._optional_meta, [] if datatype in self._required_meta and not self.meta[datatype]: return False, [] if not isinstance(self.meta[datatype], list): return False, [] duplicates = set([x for x in self.meta[datatype] if self.meta[datatype] .count(x) > 1]) if duplicates: return False, list(duplicates) if datatype in self._badmeta: return False, self._badmeta[datatype] else: return True, [] bad = [] for item in self.meta[datatype]: if not Dap._meta_valid[datatype].match(item): bad.append(item) return len(bad) == 0, bad
arevalid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, datatype):\n if datatype not in self.meta:\n return datatype in Dap._optional_meta, []\n if datatype in self._required_meta and not self.meta[datatype]:\n return False, []\n if not isinstance(self.meta[datatype], list):\n return False, []\n duplicates = set([x for x in self.meta[datatype] if self.meta[datatype]\n .count(x) > 1])\n if duplicates:\n return False, list(duplicates)\n if datatype in self._badmeta:\n return False, self._badmeta[datatype]\n else:\n return True, []\n bad = []\n for item in self.meta[datatype]:\n if not Dap._meta_valid[datatype].match(item):\n bad.append(item)\n return len(bad) == 0, bad\n", "role": "user" }, { "content": "arevalid", "role": "assistant" } ]
def x(self, f): return self._tar.getmember(f).type == tarfile.DIRTYPE
is_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, f):\n return self._tar.getmember(f).type == tarfile.DIRTYPE\n", "role": "user" }, { "content": "is_dir", "role": "assistant" } ]
def x(self, files): emptydirs = [] for f in files: if self._is_dir(f): empty = True for ff in files: if ff.startswith(f + '/'): empty = False break if empty: emptydirs.append(f) return emptydirs
get_emptydirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, files):\n emptydirs = []\n for f in files:\n if self._is_dir(f):\n empty = True\n for ff in files:\n if ff.startswith(f + '/'):\n empty = False\n break\n if empty:\n emptydirs.append(f)\n return emptydirs\n", "role": "user" }, { "content": "get_emptydirs", "role": "assistant" } ]
def x(self): if not os.path.exists(self.config_file): return try: with open(self.config_file, 'r') as file: csvreader = csv.reader(file, delimiter='=', escapechar='\\', quoting=csv.QUOTE_NONE) for line in csvreader: if len(line) == 2: key, value = line self.config_dict[key] = value else: self.config_dict = dict() self.logger.warning( 'Malformed configuration file {0}, ignoring it.'. format(self.config_file)) return except (OSError, IOError) as e: self.logger.warning('Could not load configuration file: {0}'.format (utils.exc_as_decoded_string(e)))
load_configuration_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not os.path.exists(self.config_file):\n return\n try:\n with open(self.config_file, 'r') as file:\n csvreader = csv.reader(file, delimiter='=', escapechar='\\\\',\n quoting=csv.QUOTE_NONE)\n for line in csvreader:\n if len(line) == 2:\n key, value = line\n self.config_dict[key] = value\n else:\n self.config_dict = dict()\n self.logger.warning(\n 'Malformed configuration file {0}, ignoring it.'.\n format(self.config_file))\n return\n except (OSError, IOError) as e:\n self.logger.warning('Could not load configuration file: {0}'.format\n (utils.exc_as_decoded_string(e)))\n", "role": "user" }, { "content": "load_configuration_file", "role": "assistant" } ]
def x(self): if os.path.exists(self.config_file) and not self.config_changed: return dirname = os.path.dirname(self.config_file) try: if not os.path.exists(dirname): os.makedirs(dirname) except (OSError, IOError) as e: self.logger.warning( 'Could not make directory for configuration file: {0}'.format( utils.exc_as_decoded_string(e))) return try: with open(self.config_file, 'w') as file: csvwriter = csv.writer(file, delimiter='=', escapechar='\\', lineterminator='\n', quoting=csv.QUOTE_NONE) for key, value in self.config_dict.items(): csvwriter.writerow([key, value]) self.config_changed = False except (OSError, IOError) as e: self.logger.warning('Could not save configuration file: {0}'.format (utils.exc_as_decoded_string(e)))
save_configuration_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if os.path.exists(self.config_file) and not self.config_changed:\n return\n dirname = os.path.dirname(self.config_file)\n try:\n if not os.path.exists(dirname):\n os.makedirs(dirname)\n except (OSError, IOError) as e:\n self.logger.warning(\n 'Could not make directory for configuration file: {0}'.format(\n utils.exc_as_decoded_string(e)))\n return\n try:\n with open(self.config_file, 'w') as file:\n csvwriter = csv.writer(file, delimiter='=', escapechar='\\\\',\n lineterminator='\\n', quoting=csv.QUOTE_NONE)\n for key, value in self.config_dict.items():\n csvwriter.writerow([key, value])\n self.config_changed = False\n except (OSError, IOError) as e:\n self.logger.warning('Could not save configuration file: {0}'.format\n (utils.exc_as_decoded_string(e)))\n", "role": "user" }, { "content": "save_configuration_file", "role": "assistant" } ]
def x(self, name, value): if value is True: value = 'True' elif value is False: if name in self.config_dict: del self.config_dict[name] self.config_changed = True return if name not in self.config_dict or self.config_dict[name] != value: self.config_changed = True self.config_dict[name] = value
set_config_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, value):\n if value is True:\n value = 'True'\n elif value is False:\n if name in self.config_dict:\n del self.config_dict[name]\n self.config_changed = True\n return\n if name not in self.config_dict or self.config_dict[name] != value:\n self.config_changed = True\n self.config_dict[name] = value\n", "role": "user" }, { "content": "set_config_value", "role": "assistant" } ]
def x(self, item, x_coord, y_coord, key_mode, tooltip, text): tooltip.set_text(text) return True
tooltip_queries
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item, x_coord, y_coord, key_mode, tooltip, text):\n tooltip.set_text(text)\n return True\n", "role": "user" }, { "content": "tooltip_queries", "role": "assistant" } ]
def x(self, assistant): grid_lang = self.gui_helper.create_gtk_grid() scrolled_window = self.gui_helper.create_scrolled_window(grid_lang) row = 0 column = 0 scrolled_window.main_assistant, sub_as = assistant.get_subassistant_tree() for ass in sorted(sub_as, key=lambda x: x[0].fullname.lower()): if column > 2: row += 1 column = 0 if not ass[1]: self.gui_helper.add_button(grid_lang, ass, row, column) else: self.gui_helper.add_submenu(grid_lang, ass, row, column) column += 1 if column > 2: row += 1 column = 0 self.gui_helper.add_install_button(grid_lang, row, column) column += 1 if row == 0 and len(sub_as) < 3: while column < 3: btn = self.gui_helper.create_button(style=Gtk.ReliefStyle.NONE) btn.set_sensitive(False) btn.hide() grid_lang.attach(btn, column, row, 1, 1) column += 1 return scrolled_window
create_notebook_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, assistant):\n grid_lang = self.gui_helper.create_gtk_grid()\n scrolled_window = self.gui_helper.create_scrolled_window(grid_lang)\n row = 0\n column = 0\n scrolled_window.main_assistant, sub_as = assistant.get_subassistant_tree()\n for ass in sorted(sub_as, key=lambda x: x[0].fullname.lower()):\n if column > 2:\n row += 1\n column = 0\n if not ass[1]:\n self.gui_helper.add_button(grid_lang, ass, row, column)\n else:\n self.gui_helper.add_submenu(grid_lang, ass, row, column)\n column += 1\n if column > 2:\n row += 1\n column = 0\n self.gui_helper.add_install_button(grid_lang, row, column)\n column += 1\n if row == 0 and len(sub_as) < 3:\n while column < 3:\n btn = self.gui_helper.create_button(style=Gtk.ReliefStyle.NONE)\n btn.set_sensitive(False)\n btn.hide()\n grid_lang.attach(btn, column, row, 1, 1)\n column += 1\n return scrolled_window\n", "role": "user" }, { "content": "create_notebook_page", "role": "assistant" } ]
def x(self): self.data['top_assistant'] = self.top_assistant self.data['current_main_assistant'] = self.get_current_main_assistant() self.data['kwargs'] = self.kwargs self.path_window.open_window(self.data) self.main_win.hide()
open_path_window
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.data['top_assistant'] = self.top_assistant\n self.data['current_main_assistant'] = self.get_current_main_assistant()\n self.data['kwargs'] = self.kwargs\n self.path_window.open_window(self.data)\n self.main_win.hide()\n", "role": "user" }, { "content": "open_path_window", "role": "assistant" } ]
def x(self, widget, event): for index, data in enumerate(self.dev_assistant_path): index += 1 if settings.SUBASSISTANT_N_STRING.format(index) in self.kwargs: del self.kwargs[settings.SUBASSISTANT_N_STRING.format(index)] self.kwargs[settings.SUBASSISTANT_N_STRING.format(index)] = data self.kwargs['subassistant_0'] = self.get_current_main_assistant().name self._open_path_window()
sub_menu_pressed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, widget, event):\n for index, data in enumerate(self.dev_assistant_path):\n index += 1\n if settings.SUBASSISTANT_N_STRING.format(index) in self.kwargs:\n del self.kwargs[settings.SUBASSISTANT_N_STRING.format(index)]\n self.kwargs[settings.SUBASSISTANT_N_STRING.format(index)] = data\n self.kwargs['subassistant_0'] = self.get_current_main_assistant().name\n self._open_path_window()\n", "role": "user" }, { "content": "sub_menu_pressed", "role": "assistant" } ]
def x(self): current_page = self.notebook.get_nth_page(self.notebook.get_current_page()) return current_page.main_assistant
get_current_main_assistant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n current_page = self.notebook.get_nth_page(self.notebook.get_current_page())\n return current_page.main_assistant\n", "role": "user" }, { "content": "get_current_main_assistant", "role": "assistant" } ]
def x(self, widget, data=None): self.kwargs['subassistant_0'] = self.get_current_main_assistant().name self.kwargs['subassistant_1'] = data if 'subassistant_2' in self.kwargs: del self.kwargs['subassistant_2'] self._open_path_window()
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.kwargs['subassistant_0'] = self.get_current_main_assistant().name\n self.kwargs['subassistant_1'] = data\n if 'subassistant_2' in self.kwargs:\n del self.kwargs['subassistant_2']\n self._open_path_window()\n", "role": "user" }, { "content": "btn_clicked", "role": "assistant" } ]
def x(self, widget, data=None): if data is not None: self.data = data os.chdir(os.path.expanduser('~')) self.kwargs = dict() self.main_win.show_all()
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.data = data\n os.chdir(os.path.expanduser('~'))\n self.kwargs = dict()\n self.main_win.show_all()\n", "role": "user" }, { "content": "open_window", "role": "assistant" } ]
def x(self, widget, event): if event.type == Gdk.EventType.BUTTON_PRESS: if event.button.button == 1: widget.popup(None, None, None, None, event.button.button, event .time) return True return False
btn_press_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):\n if event.type == Gdk.EventType.BUTTON_PRESS:\n if event.button.button == 1:\n widget.popup(None, None, None, None, event.button.button, event\n .time)\n return True\n return False\n", "role": "user" }, { "content": "btn_press_event", "role": "assistant" } ]
def x(): try: from gi.repository import Gtk except ImportError as ie: pass except RuntimeError as e: sys.stderr.write(GUI_MESSAGE) sys.stderr.write('%s: %r' % (e.__class__.__name__, utils. exc_as_decoded_string(e))) sys.stderr.flush() sys.exit(1) if not os.environ.get('DISPLAY'): sys.stderr.write('%s %s' % (GUI_MESSAGE, GUI_MESSAGE_DISPLAY)) sys.stderr.flush() sys.exit(1) try: from gi.repository import GLib GLib.set_prgname(PRGNAME) except ImportError: pass parser = argparse.ArgumentParser(description='Run DevAssistant GUI.') utils.add_no_cache_argument(parser) parser.parse_args() settings.USE_CACHE = False if '--no-cache' in sys.argv else True from devassistant.gui import main_window main_window.MainWindow()
run_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n from gi.repository import Gtk\n except ImportError as ie:\n pass\n except RuntimeError as e:\n sys.stderr.write(GUI_MESSAGE)\n sys.stderr.write('%s: %r' % (e.__class__.__name__, utils.\n exc_as_decoded_string(e)))\n sys.stderr.flush()\n sys.exit(1)\n if not os.environ.get('DISPLAY'):\n sys.stderr.write('%s %s' % (GUI_MESSAGE, GUI_MESSAGE_DISPLAY))\n sys.stderr.flush()\n sys.exit(1)\n try:\n from gi.repository import GLib\n GLib.set_prgname(PRGNAME)\n except ImportError:\n pass\n parser = argparse.ArgumentParser(description='Run DevAssistant GUI.')\n utils.add_no_cache_argument(parser)\n parser.parse_args()\n settings.USE_CACHE = False if '--no-cache' in sys.argv else True\n from devassistant.gui import main_window\n main_window.MainWindow()\n", "role": "user" }, { "content": "run_gui", "role": "assistant" } ]
def x(method): @functools.wraps(method) def x(self, *args, **kwargs): if not self.fully_loaded: loaded_yaml = yaml_loader.YamlLoader.load_yaml_by_path(self.path) self.parsed_yaml = loaded_yaml self.fully_loaded = True return method(self, *args, **kwargs) return inner
needs_fully_loaded
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(method):\n\n @functools.wraps(method)\n def x(self, *args, **kwargs):\n if not self.fully_loaded:\n loaded_yaml = yaml_loader.YamlLoader.load_yaml_by_path(self.path)\n self.parsed_yaml = loaded_yaml\n self.fully_loaded = True\n return method(self, *args, **kwargs)\n return inner\n", "role": "user" }, { "content": "needs_fully_loaded", "role": "assistant" } ]
def x(self): supported_exts = ['.png', '.svg'] stripped = self.path.replace(os.path.join(self.load_path, 'assistants'), '' ).strip(os.sep) for ext in supported_exts: icon_with_ext = os.path.splitext(stripped)[0] + ext icon_fullpath = os.path.join(self.load_path, 'icons', icon_with_ext) if os.path.exists(icon_fullpath): return icon_fullpath return ''
default_icon_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n supported_exts = ['.png', '.svg']\n stripped = self.path.replace(os.path.join(self.load_path, 'assistants'), ''\n ).strip(os.sep)\n for ext in supported_exts:\n icon_with_ext = os.path.splitext(stripped)[0] + ext\n icon_fullpath = os.path.join(self.load_path, 'icons', icon_with_ext)\n if os.path.exists(icon_fullpath):\n return icon_fullpath\n return ''\n", "role": "user" }, { "content": "default_icon_path", "role": "assistant" } ]
def x(self, section, kwargs): kwargs['__section__'] = section kwargs['__assistant__'] = self kwargs['__env__'] = copy.deepcopy(os.environ) kwargs['__files__'] = [self._files] kwargs['__files_dir__'] = [self.files_dir] kwargs['__sourcefiles__'] = [self.path] for i in ['system_name', 'system_version', 'distro_name', 'distro_version' ]: try: val = getattr(utils, 'get_' + i)() except: val = '' kwargs['__' + i + '__'] = val
proper_kwargs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, section, kwargs):\n kwargs['__section__'] = section\n kwargs['__assistant__'] = self\n kwargs['__env__'] = copy.deepcopy(os.environ)\n kwargs['__files__'] = [self._files]\n kwargs['__files_dir__'] = [self.files_dir]\n kwargs['__sourcefiles__'] = [self.path]\n for i in ['system_name', 'system_version', 'distro_name', 'distro_version'\n ]:\n try:\n val = getattr(utils, 'get_' + i)()\n except:\n val = ''\n kwargs['__' + i + '__'] = val\n", "role": "user" }, { "content": "proper_kwargs", "role": "assistant" } ]
def x(self, kwargs=None, expand_only=False): if not kwargs: kwargs = {} self.proper_kwargs('dependencies', kwargs) sections = self._get_dependency_sections_to_use(kwargs) deps = [] for sect in sections: if expand_only: deps.extend(lang.expand_dependencies_section(sect, kwargs)) else: deps.extend(lang.dependencies_section(sect, kwargs, runner=self)) return deps
dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kwargs=None, expand_only=False):\n if not kwargs:\n kwargs = {}\n self.proper_kwargs('dependencies', kwargs)\n sections = self._get_dependency_sections_to_use(kwargs)\n deps = []\n for sect in sections:\n if expand_only:\n deps.extend(lang.expand_dependencies_section(sect, kwargs))\n else:\n deps.extend(lang.dependencies_section(sect, kwargs, runner=self))\n return deps\n", "role": "user" }, { "content": "dependencies", "role": "assistant" } ]
def x(cls, package_list): if cls == PackageManager: raise NotImplementedError() ln = len(package_list) plural = 's' if ln > 1 else '' return cls.permission_prompt.format(num=ln, plural=plural)
get_perm_prompt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, package_list):\n if cls == PackageManager:\n raise NotImplementedError()\n ln = len(package_list)\n plural = 's' if ln > 1 else ''\n return cls.permission_prompt.format(num=ln, plural=plural)\n", "role": "user" }, { "content": "get_perm_prompt", "role": "assistant" } ]
def x(cls): if utils.get_distro_name().find('gentoo') == -1: return None if 'PACKAGE_MANAGER' in os.environ: pm = os.environ['PACKAGE_MANAGER'] if pm == 'paludis': try: import paludis return GentooPackageManager.PALUDIS except ImportError: cls._debug_doesnt_work("can't import paludis", name= 'PaludisPackageManager') return None elif pm == 'portage': pass else: return None try: import portage return GentooPackageManager.PORTAGE except ImportError: cls._debug_doesnt_work("can't import portage", name= 'EmergePackageManager') return None
try_get_current_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if utils.get_distro_name().find('gentoo') == -1:\n return None\n if 'PACKAGE_MANAGER' in os.environ:\n pm = os.environ['PACKAGE_MANAGER']\n if pm == 'paludis':\n try:\n import paludis\n return GentooPackageManager.PALUDIS\n except ImportError:\n cls._debug_doesnt_work(\"can't import paludis\", name=\n 'PaludisPackageManager')\n return None\n elif pm == 'portage':\n pass\n else:\n return None\n try:\n import portage\n return GentooPackageManager.PORTAGE\n except ImportError:\n cls._debug_doesnt_work(\"can't import portage\", name=\n 'EmergePackageManager')\n return None\n", "role": "user" }, { "content": "try_get_current_manager", "role": "assistant" } ]
def x(cls, pm): if hasattr(cls, 'works_result'): return cls.works_result is_ok = bool(cls._try_get_current_manager() == pm) setattr(cls, 'works_result', is_ok) return is_ok
is_current_manager_equals_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, pm):\n if hasattr(cls, 'works_result'):\n return cls.works_result\n is_ok = bool(cls._try_get_current_manager() == pm)\n setattr(cls, 'works_result', is_ok)\n return is_ok\n", "role": "user" }, { "content": "is_current_manager_equals_to", "role": "assistant" } ]
def x(self, dep_t): mgrs = managers.get(dep_t, []) for manager in mgrs: if manager.works(): return manager if not mgrs: err = 'No package manager for dependency type "{dep_t}"'.format(dep_t =dep_t) raise exceptions.NoPackageManagerException(err) else: mgrs_nice = ', '.join([mgr.__name__ for mgr in mgrs]) err = 'No working package manager for "{dep_t}" in: {mgrs}'.format( dep_t=dep_t, mgrs=mgrs_nice) raise exceptions.NoPackageManagerOperationalException(err)
get_package_manager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dep_t):\n mgrs = managers.get(dep_t, [])\n for manager in mgrs:\n if manager.works():\n return manager\n if not mgrs:\n err = 'No package manager for dependency type \"{dep_t}\"'.format(dep_t\n =dep_t)\n raise exceptions.NoPackageManagerException(err)\n else:\n mgrs_nice = ', '.join([mgr.__name__ for mgr in mgrs])\n err = 'No working package manager for \"{dep_t}\" in: {mgrs}'.format(\n dep_t=dep_t, mgrs=mgrs_nice)\n raise exceptions.NoPackageManagerOperationalException(err)\n", "role": "user" }, { "content": "get_package_manager", "role": "assistant" } ]
def x(self, dep_t, dep_l): if dep_t not in managers: err = 'No package manager for dependency type "{dep_t}"'.format(dep_t =dep_t) raise exceptions.NoPackageManagerException(err) distros = settings.SYSTEM_DEPTYPES_SHORTCUTS.get(dep_t, None) if not distros: sysdep_t = self.get_system_deptype_shortcut() self._process_dependency(sysdep_t, managers[dep_t][0]. get_distro_dependencies(sysdep_t)) else: local_distro = utils.get_distro_name() found = False for distro in distros: if distro in local_distro: found = True break if not found: return self.__add_dependencies(dep_t, dep_l)
process_dependency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dep_t, dep_l):\n if dep_t not in managers:\n err = 'No package manager for dependency type \"{dep_t}\"'.format(dep_t\n =dep_t)\n raise exceptions.NoPackageManagerException(err)\n distros = settings.SYSTEM_DEPTYPES_SHORTCUTS.get(dep_t, None)\n if not distros:\n sysdep_t = self.get_system_deptype_shortcut()\n self._process_dependency(sysdep_t, managers[dep_t][0].\n get_distro_dependencies(sysdep_t))\n else:\n local_distro = utils.get_distro_name()\n found = False\n for distro in distros:\n if distro in local_distro:\n found = True\n break\n if not found:\n return\n self.__add_dependencies(dep_t, dep_l)\n", "role": "user" }, { "content": "process_dependency", "role": "assistant" } ]
def x(self, ui, pac_man, *to_install): ret = DialogHelper.ask_for_package_list_confirm(ui, prompt=pac_man. get_perm_prompt(to_install), package_list=to_install) return bool(ret)
ask_to_confirm
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ui, pac_man, *to_install):\n ret = DialogHelper.ask_for_package_list_confirm(ui, prompt=pac_man.\n get_perm_prompt(to_install), package_list=to_install)\n return bool(ret)\n", "role": "user" }, { "content": "ask_to_confirm", "role": "assistant" } ]
def x(self, ui, debug): for dep_t, dep_l in self.dependencies: if not dep_l: continue pkg_mgr = self.get_package_manager(dep_t) pkg_mgr.works() to_resolve = [] for dep in dep_l: if not pkg_mgr.is_pkg_installed(dep): to_resolve.append(dep) if not to_resolve: continue to_install = pkg_mgr.resolve(*to_resolve) confirm = self._ask_to_confirm(ui, pkg_mgr, *to_install) if not confirm: msg = 'List of packages denied by user, exiting.' raise exceptions.DependencyException(msg) type(self).install_lock = True logger.info('Installing dependencies, sit back and relax ...', extra={'event_type': 'dep_installation_start'}) if ui == 'cli' and not debug: event = threading.Event() t = EndlessProgressThread(event) t.start() installed = pkg_mgr.install(*to_install) if ui == 'cli' and not debug: event.set() t.join() if installed: logger.info(' Done.') else: logger.error(' Failed.') type(self).install_lock = False log_extra = {'event_type': 'dep_installation_end'} if not installed: msg = 'Failed to install dependencies, exiting.' logger.error(msg, extra=log_extra) raise exceptions.DependencyException(msg) else: logger.info('Successfully installed dependencies!', extra=log_extra )
install_dependencies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ui, debug):\n for dep_t, dep_l in self.dependencies:\n if not dep_l:\n continue\n pkg_mgr = self.get_package_manager(dep_t)\n pkg_mgr.works()\n to_resolve = []\n for dep in dep_l:\n if not pkg_mgr.is_pkg_installed(dep):\n to_resolve.append(dep)\n if not to_resolve:\n continue\n to_install = pkg_mgr.resolve(*to_resolve)\n confirm = self._ask_to_confirm(ui, pkg_mgr, *to_install)\n if not confirm:\n msg = 'List of packages denied by user, exiting.'\n raise exceptions.DependencyException(msg)\n type(self).install_lock = True\n logger.info('Installing dependencies, sit back and relax ...',\n extra={'event_type': 'dep_installation_start'})\n if ui == 'cli' and not debug:\n event = threading.Event()\n t = EndlessProgressThread(event)\n t.start()\n installed = pkg_mgr.install(*to_install)\n if ui == 'cli' and not debug:\n event.set()\n t.join()\n if installed:\n logger.info(' Done.')\n else:\n logger.error(' Failed.')\n type(self).install_lock = False\n log_extra = {'event_type': 'dep_installation_end'}\n if not installed:\n msg = 'Failed to install dependencies, exiting.'\n logger.error(msg, extra=log_extra)\n raise exceptions.DependencyException(msg)\n else:\n logger.info('Successfully installed dependencies!', extra=log_extra\n )\n", "role": "user" }, { "content": "install_dependencies", "role": "assistant" } ]
def x(self, struct, ui, debug=False): self.__add_dependencies(self.get_system_deptype_shortcut(), []) for dep_dict in struct: for dep_t, dep_l in dep_dict.items(): self._process_dependency(dep_t, dep_l) if self.dependencies: self._install_dependencies(ui, debug)
install
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, struct, ui, debug=False):\n self.__add_dependencies(self.get_system_deptype_shortcut(), [])\n for dep_dict in struct:\n for dep_t, dep_l in dep_dict.items():\n self._process_dependency(dep_t, dep_l)\n if self.dependencies:\n self._install_dependencies(ui, debug)\n", "role": "user" }, { "content": "install", "role": "assistant" } ]
def x(self, role, file_hierarchy): if role not in self.cache: self.cache[role] = {} was_change = self._refresh_hierarchy_recursive(self.cache[role], file_hierarchy) if was_change: cf = open(self.cache_file, 'w') yaml.dump(self.cache, cf, Dumper=Dumper) cf.close()
refresh_role
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, role, file_hierarchy):\n if role not in self.cache:\n self.cache[role] = {}\n was_change = self._refresh_hierarchy_recursive(self.cache[role],\n file_hierarchy)\n if was_change:\n cf = open(self.cache_file, 'w')\n yaml.dump(self.cache, cf, Dumper=Dumper)\n cf.close()\n", "role": "user" }, { "content": "refresh_role", "role": "assistant" } ]
def x(self, cached_hierarchy, file_hierarchy): was_change = False cached_ass = set(cached_hierarchy.keys()) new_ass = set(file_hierarchy.keys()) to_add = new_ass - cached_ass to_remove = cached_ass - new_ass to_check = cached_ass - to_remove if to_add or to_remove: was_change = True for ass in to_add: cached_hierarchy[ass] = self._new_ass_hierarchy(file_hierarchy[ass]) for ass in to_remove: del cached_hierarchy[ass] for ass in to_check: needs_refresh = False try: needs_refresh = self._ass_needs_refresh(cached_hierarchy[ass], file_hierarchy[ass]) except: needs_refresh = True if needs_refresh: self._ass_refresh_attrs(cached_hierarchy[ass], file_hierarchy[ass]) was_change = True was_change |= self._refresh_hierarchy_recursive(cached_hierarchy[ ass]['subhierarchy'], file_hierarchy[ass]['subhierarchy']) return was_change
refresh_hierarchy_recursive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cached_hierarchy, file_hierarchy):\n was_change = False\n cached_ass = set(cached_hierarchy.keys())\n new_ass = set(file_hierarchy.keys())\n to_add = new_ass - cached_ass\n to_remove = cached_ass - new_ass\n to_check = cached_ass - to_remove\n if to_add or to_remove:\n was_change = True\n for ass in to_add:\n cached_hierarchy[ass] = self._new_ass_hierarchy(file_hierarchy[ass])\n for ass in to_remove:\n del cached_hierarchy[ass]\n for ass in to_check:\n needs_refresh = False\n try:\n needs_refresh = self._ass_needs_refresh(cached_hierarchy[ass],\n file_hierarchy[ass])\n except:\n needs_refresh = True\n if needs_refresh:\n self._ass_refresh_attrs(cached_hierarchy[ass], file_hierarchy[ass])\n was_change = True\n was_change |= self._refresh_hierarchy_recursive(cached_hierarchy[\n ass]['subhierarchy'], file_hierarchy[ass]['subhierarchy'])\n return was_change\n", "role": "user" }, { "content": "refresh_hierarchy_recursive", "role": "assistant" } ]
def x(self, cached_ass, file_ass): if cached_ass['source'] != file_ass['source']: return True if os.path.getctime(file_ass['source']) > cached_ass.get('ctime', 0.0): return True if set(cached_ass['subhierarchy'].keys()) != set(set(file_ass[ 'subhierarchy'].keys())): return True for snip_name, snip_ctime in cached_ass['snippets'].items(): if self._get_snippet_ctime(snip_name) > snip_ctime: return True return False
ass_needs_refresh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cached_ass, file_ass):\n if cached_ass['source'] != file_ass['source']:\n return True\n if os.path.getctime(file_ass['source']) > cached_ass.get('ctime', 0.0):\n return True\n if set(cached_ass['subhierarchy'].keys()) != set(set(file_ass[\n 'subhierarchy'].keys())):\n return True\n for snip_name, snip_ctime in cached_ass['snippets'].items():\n if self._get_snippet_ctime(snip_name) > snip_ctime:\n return True\n return False\n", "role": "user" }, { "content": "ass_needs_refresh", "role": "assistant" } ]
def x(self, cached_ass, file_ass): loaded_ass = yaml_loader.YamlLoader.load_yaml_by_path(file_ass['source' ], log_debug=True) attrs = loaded_ass yaml_checker.check(file_ass['source'], attrs) cached_ass['source'] = file_ass['source'] cached_ass['ctime'] = os.path.getctime(file_ass['source']) cached_ass['attrs'] = {} cached_ass['snippets'] = {} for a in ['fullname', 'description', 'icon_path']: if a in attrs: cached_ass['attrs'][a] = attrs.get(a) if 'args' in attrs: cached_ass['attrs']['args'] = {} for argname, argparams in attrs.get('args', {}).items(): if 'use' in argparams or 'snippet' in argparams: snippet_name = argparams.pop('use', None) or argparams.pop( 'snippet') snippet = (yaml_snippet_loader.YamlSnippetLoader. get_snippet_by_name(snippet_name)) cached_ass['attrs']['args'][argname] = snippet.get_arg_by_name( argname) cached_ass['attrs']['args'][argname].update(argparams) cached_ass['snippets'][snippet.name] = self._get_snippet_ctime( snippet.name) else: cached_ass['attrs']['args'][argname] = argparams
ass_refresh_attrs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cached_ass, file_ass):\n loaded_ass = yaml_loader.YamlLoader.load_yaml_by_path(file_ass['source'\n ], log_debug=True)\n attrs = loaded_ass\n yaml_checker.check(file_ass['source'], attrs)\n cached_ass['source'] = file_ass['source']\n cached_ass['ctime'] = os.path.getctime(file_ass['source'])\n cached_ass['attrs'] = {}\n cached_ass['snippets'] = {}\n for a in ['fullname', 'description', 'icon_path']:\n if a in attrs:\n cached_ass['attrs'][a] = attrs.get(a)\n if 'args' in attrs:\n cached_ass['attrs']['args'] = {}\n for argname, argparams in attrs.get('args', {}).items():\n if 'use' in argparams or 'snippet' in argparams:\n snippet_name = argparams.pop('use', None) or argparams.pop(\n 'snippet')\n snippet = (yaml_snippet_loader.YamlSnippetLoader.\n get_snippet_by_name(snippet_name))\n cached_ass['attrs']['args'][argname] = snippet.get_arg_by_name(\n argname)\n cached_ass['attrs']['args'][argname].update(argparams)\n cached_ass['snippets'][snippet.name] = self._get_snippet_ctime(\n snippet.name)\n else:\n cached_ass['attrs']['args'][argname] = argparams\n", "role": "user" }, { "content": "ass_refresh_attrs", "role": "assistant" } ]
def x(self, file_ass): ret_struct = {'source': '', 'subhierarchy': {}, 'attrs': {}, 'snippets': {} } ret_struct['source'] = file_ass['source'] self._ass_refresh_attrs(ret_struct, file_ass) for name, subhierarchy in file_ass['subhierarchy'].items(): ret_struct['subhierarchy'][name] = self._new_ass_hierarchy(subhierarchy ) return ret_struct
new_ass_hierarchy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_ass):\n ret_struct = {'source': '', 'subhierarchy': {}, 'attrs': {}, 'snippets': {}\n }\n ret_struct['source'] = file_ass['source']\n self._ass_refresh_attrs(ret_struct, file_ass)\n for name, subhierarchy in file_ass['subhierarchy'].items():\n ret_struct['subhierarchy'][name] = self._new_ass_hierarchy(subhierarchy\n )\n return ret_struct\n", "role": "user" }, { "content": "new_ass_hierarchy", "role": "assistant" } ]
def x(self, snip_name): if snip_name not in self.snip_ctimes: snippet = yaml_snippet_loader.YamlSnippetLoader.get_snippet_by_name( snip_name) self.snip_ctimes[snip_name] = os.path.getctime(snippet.path) return self.snip_ctimes[snip_name]
get_snippet_ctime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, snip_name):\n if snip_name not in self.snip_ctimes:\n snippet = yaml_snippet_loader.YamlSnippetLoader.get_snippet_by_name(\n snip_name)\n self.snip_ctimes[snip_name] = os.path.getctime(snippet.path)\n return self.snip_ctimes[snip_name]\n", "role": "user" }, { "content": "get_snippet_ctime", "role": "assistant" } ]
def x(section, kwargs): deps = [] for dep in section: for dep_type, dep_list in dep.items(): if dep_type in ['call', 'use']: deps.extend(Command(dep_type, dep_list, kwargs).run()) elif dep_type.startswith('if ') or dep_type == 'else': deps.append({dep_type: expand_dependencies_section(dep_list, kwargs)}) else: deps.append({dep_type: dep_list}) return deps
expand_dependencies_section
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(section, kwargs):\n deps = []\n for dep in section:\n for dep_type, dep_list in dep.items():\n if dep_type in ['call', 'use']:\n deps.extend(Command(dep_type, dep_list, kwargs).run())\n elif dep_type.startswith('if ') or dep_type == 'else':\n deps.append({dep_type: expand_dependencies_section(dep_list,\n kwargs)})\n else:\n deps.append({dep_type: dep_list})\n return deps\n", "role": "user" }, { "content": "expand_dependencies_section", "role": "assistant" } ]
def x(control_line): error = ( "For loop call must be in form 'for $var in expression', got: " + control_line) regex = re.compile( 'for\\s+(\\${?\\S+}?)(?:\\s*,\\s+(\\${?\\S+}?))?\\s+(in|word_in)\\s+(\\S.+)' ) res = regex.match(control_line) if not res: raise exceptions.YamlSyntaxError(error) groups = res.groups() control_vars = [] control_vars.append(get_var_name(groups[0])) if groups[1]: control_vars.append(get_var_name(groups[1])) iter_type = groups[2] expr = groups[3] return control_vars, iter_type, expr
parse_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(control_line):\n error = (\n \"For loop call must be in form 'for $var in expression', got: \" +\n control_line)\n regex = re.compile(\n 'for\\\\s+(\\\\${?\\\\S+}?)(?:\\\\s*,\\\\s+(\\\\${?\\\\S+}?))?\\\\s+(in|word_in)\\\\s+(\\\\S.+)'\n )\n res = regex.match(control_line)\n if not res:\n raise exceptions.YamlSyntaxError(error)\n groups = res.groups()\n control_vars = []\n control_vars.append(get_var_name(groups[0]))\n if groups[1]:\n control_vars.append(get_var_name(groups[1]))\n iter_type = groups[2]\n expr = groups[3]\n return control_vars, iter_type, expr\n", "role": "user" }, { "content": "parse_for", "role": "assistant" } ]
def x(comm_type, kwargs): control_vars, iter_type, expression = parse_for(comm_type) eval_expression = evaluate_expression(expression, kwargs)[1] iterval = [] if len(control_vars) == 2: if not isinstance(eval_expression, dict): raise exceptions.YamlSyntaxError( "Can't expand {t} to two control variables.".format(t=type( eval_expression))) else: iterval = list(eval_expression.items()) elif isinstance(eval_expression, six.string_types): if iter_type == 'word_in': iterval = eval_expression.split() else: iterval = eval_expression else: iterval = eval_expression return control_vars, iterval
get_for_control_var_and_eval_expr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(comm_type, kwargs):\n control_vars, iter_type, expression = parse_for(comm_type)\n eval_expression = evaluate_expression(expression, kwargs)[1]\n iterval = []\n if len(control_vars) == 2:\n if not isinstance(eval_expression, dict):\n raise exceptions.YamlSyntaxError(\n \"Can't expand {t} to two control variables.\".format(t=type(\n eval_expression)))\n else:\n iterval = list(eval_expression.items())\n elif isinstance(eval_expression, six.string_types):\n if iter_type == 'word_in':\n iterval = eval_expression.split()\n else:\n iterval = eval_expression\n else:\n iterval = eval_expression\n return control_vars, iterval\n", "role": "user" }, { "content": "get_for_control_var_and_eval_expr", "role": "assistant" } ]
def x(if_section, else_section, kwargs): skip = True if else_section is not None and else_section[0 ] == 'else' else False if evaluate_expression(if_section[0][2:].strip(), kwargs)[0]: return 0, skip, if_section[1] else: return (1, skip, else_section[1]) if skip else (1, skip, None)
get_section_from_condition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(if_section, else_section, kwargs):\n skip = True if else_section is not None and else_section[0\n ] == 'else' else False\n if evaluate_expression(if_section[0][2:].strip(), kwargs)[0]:\n return 0, skip, if_section[1]\n else:\n return (1, skip, else_section[1]) if skip else (1, skip, None)\n", "role": "user" }, { "content": "get_section_from_condition", "role": "assistant" } ]
def x(catch): catch_re = re.compile('catch\\s+(\\${?\\S+}?),\\s*(\\${?\\S+}?)') res = catch_re.match(catch) if res is None: err = 'Catch must have format "catch $x, $y", got "{0}"'.format(catch) raise exceptions.YamlSyntaxError(err) return get_var_name(res.group(1)), get_var_name(res.group(2))
get_catch_vars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(catch):\n catch_re = re.compile('catch\\\\s+(\\\\${?\\\\S+}?),\\\\s*(\\\\${?\\\\S+}?)')\n res = catch_re.match(catch)\n if res is None:\n err = 'Catch must have format \"catch $x, $y\", got \"{0}\"'.format(catch)\n raise exceptions.YamlSyntaxError(err)\n return get_var_name(res.group(1)), get_var_name(res.group(2))\n", "role": "user" }, { "content": "get_catch_vars", "role": "assistant" } ]
def x(variable, log_res, res, kwargs): if variable.endswith('~'): variable = variable[:-1] comma_count = variable.count(',') if comma_count > 1: raise exceptions.YamlSyntaxError( 'Max two variables allowed on left side.') if comma_count == 1: var1, var2 = map(lambda v: get_var_name(v), variable.split(',')) kwargs[var1] = log_res else: var2 = get_var_name(variable) kwargs[var2] = res return log_res, res
assign_variable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(variable, log_res, res, kwargs):\n if variable.endswith('~'):\n variable = variable[:-1]\n comma_count = variable.count(',')\n if comma_count > 1:\n raise exceptions.YamlSyntaxError(\n 'Max two variables allowed on left side.')\n if comma_count == 1:\n var1, var2 = map(lambda v: get_var_name(v), variable.split(','))\n kwargs[var1] = log_res\n else:\n var2 = get_var_name(variable)\n kwargs[var2] = res\n return log_res, res\n", "role": "user" }, { "content": "assign_variable", "role": "assistant" } ]
def x(self, id, bp=0): try: s = self.symbol_table[id] except KeyError: class s(self.symbol_base): pass s.id = id s.lbp = bp self.symbol_table[id] = s else: s.lbp = max(bp, s.lbp) return s
symbol
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, bp=0):\n try:\n s = self.symbol_table[id]\n except KeyError:\n\n\n class s(self.symbol_base):\n pass\n s.id = id\n s.lbp = bp\n self.symbol_table[id] = s\n else:\n s.lbp = max(bp, s.lbp)\n return s\n", "role": "user" }, { "content": "symbol", "role": "assistant" } ]
def x(self, id=None): if id and self.token.id != id: raise SyntaxError('Expected {0}'.format(id)) self.token = self.next()
advance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id=None):\n if id and self.token.id != id:\n raise SyntaxError('Expected {0}'.format(id))\n self.token = self.next()\n", "role": "user" }, { "content": "advance", "role": "assistant" } ]
def x(self, symbol_name): s = self.symbol(symbol_name) def x(fn): setattr(s, fn.__name__, fn) return bind
method
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, symbol_name):\n s = self.symbol(symbol_name)\n\n def x(fn):\n setattr(s, fn.__name__, fn)\n return bind\n", "role": "user" }, { "content": "method", "role": "assistant" } ]
def x(self, expression): if isinstance(expression, (list, dict)): return True if expression else False, expression if sys.version_info[0] > 2: self.next = self.tokenize(expression).__next__ else: self.next = self.tokenize(expression).next self.token = self.next() return self.expression()
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expression):\n if isinstance(expression, (list, dict)):\n return True if expression else False, expression\n if sys.version_info[0] > 2:\n self.next = self.tokenize(expression).__next__\n else:\n self.next = self.tokenize(expression).next\n self.token = self.next()\n return self.expression()\n", "role": "user" }, { "content": "parse", "role": "assistant" } ]
def x(): platforms = set([x.lower() for x in platform._supported_dists]) platforms |= set(['darwin', 'arch', 'mageia', 'ubuntu']) return platforms
get_platforms_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n platforms = set([x.lower() for x in platform._supported_dists])\n platforms |= set(['darwin', 'arch', 'mageia', 'ubuntu'])\n return platforms\n", "role": "user" }, { "content": "get_platforms_set", "role": "assistant" } ]
def x(relpath): if relpath.startswith(os.path.sep): relpath = relpath.lstrip(os.path.sep) for ld in settings.DATA_DIRECTORIES: possible_path = os.path.join(ld, relpath) if os.path.exists(possible_path): return possible_path
find_file_in_load_dirs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relpath):\n if relpath.startswith(os.path.sep):\n relpath = relpath.lstrip(os.path.sep)\n for ld in settings.DATA_DIRECTORIES:\n possible_path = os.path.join(ld, relpath)\n if os.path.exists(possible_path):\n return possible_path\n", "role": "user" }, { "content": "find_file_in_load_dirs", "role": "assistant" } ]
def x(): exc_info = None for func, targs, kargs in _exithandlers: try: func(*targs, **kargs) except SystemExit: exc_info = sys.exc_info() except: exc_info = sys.exc_info() if exc_info is not None: six.reraise(exc_info[0], exc_info[1], exc_info[2])
run_exitfuncs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n exc_info = None\n for func, targs, kargs in _exithandlers:\n try:\n func(*targs, **kargs)\n except SystemExit:\n exc_info = sys.exc_info()\n except:\n exc_info = sys.exc_info()\n if exc_info is not None:\n six.reraise(exc_info[0], exc_info[1], exc_info[2])\n", "role": "user" }, { "content": "run_exitfuncs", "role": "assistant" } ]
def x(string, prefix, regex=False): if not isinstance(string, six.string_types) or not isinstance(prefix, six.string_types): msg = ('Arguments to strip_prefix must be string types. Are: {s}, {p}' .format(s=type(string), p=type(prefix))) raise TypeError(msg) if not regex: prefix = re.escape(prefix) if not prefix.startswith('^'): prefix = '^({s})'.format(s=prefix) return _strip(string, prefix)
strip_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, prefix, regex=False):\n if not isinstance(string, six.string_types) or not isinstance(prefix,\n six.string_types):\n msg = ('Arguments to strip_prefix must be string types. Are: {s}, {p}'\n .format(s=type(string), p=type(prefix)))\n raise TypeError(msg)\n if not regex:\n prefix = re.escape(prefix)\n if not prefix.startswith('^'):\n prefix = '^({s})'.format(s=prefix)\n return _strip(string, prefix)\n", "role": "user" }, { "content": "strip_prefix", "role": "assistant" } ]
def x(string, suffix, regex=False): if not isinstance(string, six.string_types) or not isinstance(suffix, six.string_types): msg = ('Arguments to strip_suffix must be string types. Are: {s}, {p}' .format(s=type(string), p=type(suffix))) raise TypeError(msg) if not regex: suffix = re.escape(suffix) if not suffix.endswith('$'): suffix = '({s})$'.format(s=suffix) return _strip(string, suffix)
strip_suffix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, suffix, regex=False):\n if not isinstance(string, six.string_types) or not isinstance(suffix,\n six.string_types):\n msg = ('Arguments to strip_suffix must be string types. Are: {s}, {p}'\n .format(s=type(string), p=type(suffix)))\n raise TypeError(msg)\n if not regex:\n suffix = re.escape(suffix)\n if not suffix.endswith('$'):\n suffix = '({s})$'.format(s=suffix)\n return _strip(string, suffix)\n", "role": "user" }, { "content": "strip_suffix", "role": "assistant" } ]
def x(string, pattern): m = re.compile(pattern).search(string) if m: return string[0:m.start()] + string[m.end():len(string)] else: return string
strip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string, pattern):\n m = re.compile(pattern).search(string)\n if m:\n return string[0:m.start()] + string[m.end():len(string)]\n else:\n return string\n", "role": "user" }, { "content": "strip", "role": "assistant" } ]
def x(cls, lgr, level=logging.INFO): console_handler = logger.DevassistantClHandler(sys.stdout) if console_handler.stream.isatty(): console_handler.setFormatter(logger.DevassistantClColorFormatter()) else: console_handler.setFormatter(logger.DevassistantClFormatter()) console_handler.setLevel(level) cls.cur_handler = console_handler lgr.addHandler(console_handler)
register_console_logging_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, lgr, level=logging.INFO):\n console_handler = logger.DevassistantClHandler(sys.stdout)\n if console_handler.stream.isatty():\n console_handler.setFormatter(logger.DevassistantClColorFormatter())\n else:\n console_handler.setFormatter(logger.DevassistantClFormatter())\n console_handler.setLevel(level)\n cls.cur_handler = console_handler\n lgr.addHandler(console_handler)\n", "role": "user" }, { "content": "register_console_logging_handler", "role": "assistant" } ]
def x(cls): sigint_handler.override() settings.USE_CACHE = False if '--no-cache' in sys.argv else True cls.register_console_logging_handler(logger.logger) is_log_file = logger.add_log_file_handler(settings.LOG_FILE) if not is_log_file: logger.logger.warning("Could not create log file '{0}'.".format( settings.LOG_FILE)) cls.inform_of_short_bin_name(sys.argv[0]) top_assistant = bin.TopAssistant() tree = top_assistant.get_subassistant_tree() argparser = argparse_generator.ArgparseGenerator.generate_argument_parser( tree, actions=actions.actions) parsed_args = vars(argparser.parse_args()) parsed_args_decoded = dict() for k, v in parsed_args.items(): parsed_args_decoded[k] = v.decode(utils.defenc ) if not six.PY3 and isinstance(v, str) else v parsed_args_decoded['__ui__'] = 'cli' if parsed_args.get('da_debug'): cls.change_logging_level(logging.DEBUG) if actions.is_action_run(**parsed_args_decoded): to_run = actions.get_action_to_run(**parsed_args_decoded)(** parsed_args_decoded) else: parsed_args = cls.transform_executable_assistant_alias( parsed_args_decoded) path = top_assistant.get_selected_subassistant_path(** parsed_args_decoded) to_run = path_runner.PathRunner(path, parsed_args_decoded) try: to_run.run() except exceptions.ExecutionException: sys.exit(1)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n sigint_handler.override()\n settings.USE_CACHE = False if '--no-cache' in sys.argv else True\n cls.register_console_logging_handler(logger.logger)\n is_log_file = logger.add_log_file_handler(settings.LOG_FILE)\n if not is_log_file:\n logger.logger.warning(\"Could not create log file '{0}'.\".format(\n settings.LOG_FILE))\n cls.inform_of_short_bin_name(sys.argv[0])\n top_assistant = bin.TopAssistant()\n tree = top_assistant.get_subassistant_tree()\n argparser = argparse_generator.ArgparseGenerator.generate_argument_parser(\n tree, actions=actions.actions)\n parsed_args = vars(argparser.parse_args())\n parsed_args_decoded = dict()\n for k, v in parsed_args.items():\n parsed_args_decoded[k] = v.decode(utils.defenc\n ) if not six.PY3 and isinstance(v, str) else v\n parsed_args_decoded['__ui__'] = 'cli'\n if parsed_args.get('da_debug'):\n cls.change_logging_level(logging.DEBUG)\n if actions.is_action_run(**parsed_args_decoded):\n to_run = actions.get_action_to_run(**parsed_args_decoded)(**\n parsed_args_decoded)\n else:\n parsed_args = cls.transform_executable_assistant_alias(\n parsed_args_decoded)\n path = top_assistant.get_selected_subassistant_path(**\n parsed_args_decoded)\n to_run = path_runner.PathRunner(path, parsed_args_decoded)\n try:\n to_run.run()\n except exceptions.ExecutionException:\n sys.exit(1)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(cls, binary): binary = os.path.splitext(os.path.basename(binary))[0] if binary != 'da': msg = '"da" is the preffered way of running "{binary}".'.format(binary =binary) logger.logger.info('*' * len(msg)) logger.logger.info(msg) logger.logger.info('*' * len(msg))
inform_of_short_bin_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, binary):\n binary = os.path.splitext(os.path.basename(binary))[0]\n if binary != 'da':\n msg = '\"da\" is the preffered way of running \"{binary}\".'.format(binary\n =binary)\n logger.logger.info('*' * len(msg))\n logger.logger.info(msg)\n logger.logger.info('*' * len(msg))\n", "role": "user" }, { "content": "inform_of_short_bin_name", "role": "assistant" } ]
def x(self): return os.path.join(self.dir_name.get_text(), self.entry_project_name. get_text())
get_full_dir_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return os.path.join(self.dir_name.get_text(), self.entry_project_name.\n get_text())\n", "role": "user" }, { "content": "get_full_dir_name", "role": "assistant" } ]
def x(self, widget, data=None): deps_only = 'deps_only' in self.args and self.args['deps_only']['checkbox' ].get_active() for arg_dict in [x for x in self.args.values() if 'preserved' in x[ 'arg'].kwargs]: preserve_key = arg_dict['arg'].kwargs['preserved'] if 'entry' in arg_dict: if self.arg_is_selected(arg_dict): config_manager.set_config_value(preserve_key, arg_dict[ 'entry'].get_text()) else: config_manager.set_config_value(preserve_key, self. arg_is_selected(arg_dict)) config_manager.save_configuration_file() project_dir = self.dir_name.get_text() full_name = self.get_full_dir_name() if not deps_only and self.current_main_assistant.name == 'crt': if project_dir == '': return self.gui_helper.execute_dialog( 'Specify directory for project') elif not os.path.isdir(project_dir): response = self.gui_helper.create_question_dialog( 'Directory {0} does not exists'.format(project_dir), 'Do you want to create them?') if response == Gtk.ResponseType.NO: return else: try: os.makedirs(project_dir) except OSError as os_err: return self.gui_helper.execute_dialog('{0}'.format(os_err)) elif os.path.isdir(full_name): return self.check_for_directory(full_name) if not self._build_flags(): return if not deps_only and self.current_main_assistant.name == 'crt': self.kwargs['name'] = full_name self.kwargs['__ui__'] = 'gui_gtk+' self.data['kwargs'] = self.kwargs self.data['top_assistant'] = self.top_assistant self.data['current_main_assistant'] = self.current_main_assistant self.parent.run_window.open_window(widget, self.data) self.path_window.hide()
next_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 deps_only = 'deps_only' in self.args and self.args['deps_only']['checkbox'\n ].get_active()\n for arg_dict in [x for x in self.args.values() if 'preserved' in x[\n 'arg'].kwargs]:\n preserve_key = arg_dict['arg'].kwargs['preserved']\n if 'entry' in arg_dict:\n if self.arg_is_selected(arg_dict):\n config_manager.set_config_value(preserve_key, arg_dict[\n 'entry'].get_text())\n else:\n config_manager.set_config_value(preserve_key, self.\n arg_is_selected(arg_dict))\n config_manager.save_configuration_file()\n project_dir = self.dir_name.get_text()\n full_name = self.get_full_dir_name()\n if not deps_only and self.current_main_assistant.name == 'crt':\n if project_dir == '':\n return self.gui_helper.execute_dialog(\n 'Specify directory for project')\n elif not os.path.isdir(project_dir):\n response = self.gui_helper.create_question_dialog(\n 'Directory {0} does not exists'.format(project_dir),\n 'Do you want to create them?')\n if response == Gtk.ResponseType.NO:\n return\n else:\n try:\n os.makedirs(project_dir)\n except OSError as os_err:\n return self.gui_helper.execute_dialog('{0}'.format(os_err))\n elif os.path.isdir(full_name):\n return self.check_for_directory(full_name)\n if not self._build_flags():\n return\n if not deps_only and self.current_main_assistant.name == 'crt':\n self.kwargs['name'] = full_name\n self.kwargs['__ui__'] = 'gui_gtk+'\n self.data['kwargs'] = self.kwargs\n self.data['top_assistant'] = self.top_assistant\n self.data['current_main_assistant'] = self.current_main_assistant\n self.parent.run_window.open_window(widget, self.data)\n self.path_window.hide()\n", "role": "user" }, { "content": "next_window", "role": "assistant" } ]
def x(self): for arg_dict in [x for x in self.args.values() if self.arg_is_selected(x)]: if 'entry' in arg_dict and not arg_dict['entry'].get_text(): self.gui_helper.execute_dialog('Entry {0} is empty'.format( arg_dict['label'])) return False for arg_dict in [x for x in self.args.values() if self.arg_is_selected(x)]: arg_name = arg_dict['arg'].get_dest() if 'entry' in arg_dict: self.kwargs[arg_name] = arg_dict['entry'].get_text() elif arg_dict['arg'].get_gui_hint('type') == 'const': self.kwargs[arg_name] = arg_dict['arg'].kwargs['const'] else: self.kwargs[arg_name] = True for arg_dict in [x for x in self.args.values() if not self. arg_is_selected(x)]: arg_name = arg_dict['arg'].get_dest() if 'default' in arg_dict['arg'].kwargs: self.kwargs[arg_name] = arg_dict['arg'].get_gui_hint('default') elif arg_name in self.kwargs: del self.kwargs[arg_name] return True
build_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for arg_dict in [x for x in self.args.values() if self.arg_is_selected(x)]:\n if 'entry' in arg_dict and not arg_dict['entry'].get_text():\n self.gui_helper.execute_dialog('Entry {0} is empty'.format(\n arg_dict['label']))\n return False\n for arg_dict in [x for x in self.args.values() if self.arg_is_selected(x)]:\n arg_name = arg_dict['arg'].get_dest()\n if 'entry' in arg_dict:\n self.kwargs[arg_name] = arg_dict['entry'].get_text()\n elif arg_dict['arg'].get_gui_hint('type') == 'const':\n self.kwargs[arg_name] = arg_dict['arg'].kwargs['const']\n else:\n self.kwargs[arg_name] = True\n for arg_dict in [x for x in self.args.values() if not self.\n arg_is_selected(x)]:\n arg_name = arg_dict['arg'].get_dest()\n if 'default' in arg_dict['arg'].kwargs:\n self.kwargs[arg_name] = arg_dict['arg'].get_gui_hint('default')\n elif arg_name in self.kwargs:\n del self.kwargs[arg_name]\n return True\n", "role": "user" }, { "content": "build_flags", "role": "assistant" } ]
def x(self, data=None): self.args = dict() if data is not None: self.top_assistant = data.get('top_assistant', None) self.current_main_assistant = data.get('current_main_assistant', None) self.kwargs = data.get('kwargs', None) self.data['debugging'] = data.get('debugging', False) project_dir = self.get_default_project_dir() self.dir_name.set_text(project_dir) self.label_full_prj_dir.set_text(project_dir) self.dir_name.set_sensitive(True) self.dir_name_browse_btn.set_sensitive(True) self._remove_widget_items() if self.current_main_assistant.name != 'crt' and self.project_name_shown: self.box6.remove(self.box_project) self.project_name_shown = False elif self.current_main_assistant.name == 'crt' and not self.project_name_shown: self.box6.remove(self.box_path_main) self.box6.pack_start(self.box_project, False, False, 0) self.box6.pack_end(self.box_path_main, False, False, 0) self.project_name_shown = True caption_text = 'Project: ' row = 0 path = self.top_assistant.get_selected_subassistant_path(**self.kwargs)[1:] caption_parts = [] found_deps = [x for x in path if x.dependencies()] any_options = False for assistant in path: caption_parts.append('<b>' + assistant.fullname + '</b>') for arg in sorted([x for x in assistant.args if not '--name' in x. flags], key=lambda y: y.flags): if not (arg.name == 'deps_only' and not found_deps): row = self._add_table_row(arg, len(arg.flags) - 1, row) + 1 any_options = True if not any_options: self.title.set_text('') else: self.title.set_text('Available options:') caption_text += ' -> '.join(caption_parts) self.label_caption.set_markup(caption_text) self.path_window.show_all() self.entry_project_name.set_text(os.path.basename(self.kwargs.get( 'name', ''))) self.entry_project_name.set_sensitive(True) self.run_btn.set_sensitive(not self.project_name_shown or self. entry_project_name.get_text() != '') if 'name' in self.kwargs: self.dir_name.set_text(os.path.dirname(self.kwargs.get('name', ''))) for arg_name, arg_dict in [(k, v) for k, v in self.args.items() if self .kwargs.get(k)]: if 'checkbox' in arg_dict: arg_dict['checkbox'].set_active(True) if 'entry' in arg_dict: arg_dict['entry'].set_sensitive(True) arg_dict['entry'].set_text(self.kwargs[arg_name]) if 'browse_btn' in arg_dict: arg_dict['browse_btn'].set_sensitive(True)
open_window
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data=None):\n self.args = dict()\n if data is not None:\n self.top_assistant = data.get('top_assistant', None)\n self.current_main_assistant = data.get('current_main_assistant', None)\n self.kwargs = data.get('kwargs', None)\n self.data['debugging'] = data.get('debugging', False)\n project_dir = self.get_default_project_dir()\n self.dir_name.set_text(project_dir)\n self.label_full_prj_dir.set_text(project_dir)\n self.dir_name.set_sensitive(True)\n self.dir_name_browse_btn.set_sensitive(True)\n self._remove_widget_items()\n if self.current_main_assistant.name != 'crt' and self.project_name_shown:\n self.box6.remove(self.box_project)\n self.project_name_shown = False\n elif self.current_main_assistant.name == 'crt' and not self.project_name_shown:\n self.box6.remove(self.box_path_main)\n self.box6.pack_start(self.box_project, False, False, 0)\n self.box6.pack_end(self.box_path_main, False, False, 0)\n self.project_name_shown = True\n caption_text = 'Project: '\n row = 0\n path = self.top_assistant.get_selected_subassistant_path(**self.kwargs)[1:]\n caption_parts = []\n found_deps = [x for x in path if x.dependencies()]\n any_options = False\n for assistant in path:\n caption_parts.append('<b>' + assistant.fullname + '</b>')\n for arg in sorted([x for x in assistant.args if not '--name' in x.\n flags], key=lambda y: y.flags):\n if not (arg.name == 'deps_only' and not found_deps):\n row = self._add_table_row(arg, len(arg.flags) - 1, row) + 1\n any_options = True\n if not any_options:\n self.title.set_text('')\n else:\n self.title.set_text('Available options:')\n caption_text += ' -> '.join(caption_parts)\n self.label_caption.set_markup(caption_text)\n self.path_window.show_all()\n self.entry_project_name.set_text(os.path.basename(self.kwargs.get(\n 'name', '')))\n self.entry_project_name.set_sensitive(True)\n self.run_btn.set_sensitive(not self.project_name_shown or self.\n entry_project_name.get_text() != '')\n if 'name' in self.kwargs:\n self.dir_name.set_text(os.path.dirname(self.kwargs.get('name', '')))\n for arg_name, arg_dict in [(k, v) for k, v in self.args.items() if self\n .kwargs.get(k)]:\n if 'checkbox' in arg_dict:\n arg_dict['checkbox'].set_active(True)\n if 'entry' in arg_dict:\n arg_dict['entry'].set_sensitive(True)\n arg_dict['entry'].set_text(self.kwargs[arg_name])\n if 'browse_btn' in arg_dict:\n arg_dict['browse_btn'].set_sensitive(True)\n", "role": "user" }, { "content": "open_window", "role": "assistant" } ]
def x(self, widget, data=None): active = widget.get_active() arg_name = data if 'entry' in self.args[arg_name]: self.args[arg_name]['entry'].set_sensitive(active) if 'browse_btn' in self.args[arg_name]: self.args[arg_name]['browse_btn'].set_sensitive(active) self.path_window.show_all()
check_box_toggled
[ { "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 active = widget.get_active()\n arg_name = data\n if 'entry' in self.args[arg_name]:\n self.args[arg_name]['entry'].set_sensitive(active)\n if 'browse_btn' in self.args[arg_name]:\n self.args[arg_name]['browse_btn'].set_sensitive(active)\n self.path_window.show_all()\n", "role": "user" }, { "content": "check_box_toggled", "role": "assistant" } ]
def x(self, widget, data=None): active = widget.get_active() self.dir_name.set_sensitive(not active) self.entry_project_name.set_sensitive(not active) self.dir_name_browse_btn.set_sensitive(not active) self.run_btn.set_sensitive(active or not self.project_name_shown or self.entry_project_name.get_text() != '')
deps_only_toggled
[ { "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 active = widget.get_active()\n self.dir_name.set_sensitive(not active)\n self.entry_project_name.set_sensitive(not active)\n self.dir_name_browse_btn.set_sensitive(not active)\n self.run_btn.set_sensitive(active or not self.project_name_shown or \n self.entry_project_name.get_text() != '')\n", "role": "user" }, { "content": "deps_only_toggled", "role": "assistant" } ]
def x(self, widget, data=None): self.path_window.hide() self.parent.open_window(widget, self.data)
prev_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 self.path_window.hide()\n self.parent.open_window(widget, self.data)\n", "role": "user" }, { "content": "prev_window", "role": "assistant" } ]
def x(self, window): text = self.gui_helper.create_file_chooser_dialog( 'Choose project directory', self.path_window, name='Select') if text is not None: self.dir_name.set_text(text)
browse_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, window):\n text = self.gui_helper.create_file_chooser_dialog(\n 'Choose project directory', self.path_window, name='Select')\n if text is not None:\n self.dir_name.set_text(text)\n", "role": "user" }, { "content": "browse_path", "role": "assistant" } ]
def x(self, arg, number, row): self.args[arg.name] = dict() self.args[arg.name]['arg'] = arg check_box_title = arg.flags[number][2:].title() self.args[arg.name]['label'] = check_box_title align = self.gui_helper.create_alignment() if arg.kwargs.get('required'): star_label = self.gui_helper.create_label( '<span color="#FF0000">*</span>') star_label.set_padding(0, 3) label = self.gui_helper.create_label(check_box_title) box = self.gui_helper.create_box() box.pack_start(star_label, False, False, 6) box.pack_start(label, False, False, 6) align.add(box) else: chbox = self.gui_helper.create_checkbox(check_box_title) chbox.set_alignment(0, 0) if arg.name == 'deps_only': chbox.connect('clicked', self._deps_only_toggled) else: chbox.connect('clicked', self._check_box_toggled, arg.name) align.add(chbox) self.args[arg.name]['checkbox'] = chbox if row == 0: self.grid.add(align) else: self.grid.attach(align, 0, row, 1, 1) label = self.gui_helper.create_label(arg.kwargs['help'], justify=Gtk. Justification.LEFT) label.set_alignment(0, 0) label.set_padding(0, 3) self.grid.attach(label, 1, row, 1, 1) label_check_box = self.gui_helper.create_label(name='') self.grid.attach(label_check_box, 0, row, 1, 1) if arg.get_gui_hint('type') not in ['bool', 'const']: new_box = self.gui_helper.create_box(spacing=6) entry = self.gui_helper.create_entry(text='') align = self.gui_helper.create_alignment() align.add(entry) new_box.pack_start(align, False, False, 6) align_btn = self.gui_helper.create_alignment() """ If a button is needed please add there and in function _check_box_toggled Also do not forget to create a function for that button This can not be done by any automatic tool from those reasons Some fields needs a input user like user name for GitHub and some fields needs to have interaction from user like selecting directory """ entry.set_text(arg.get_gui_hint('default')) entry.set_sensitive(arg.kwargs.get('required') == True) if arg.get_gui_hint('type') == 'path': browse_btn = self.gui_helper.button_with_label('Browse') browse_btn.connect('clicked', self.browse_clicked, entry) browse_btn.set_sensitive(arg.kwargs.get('required') == True) align_btn.add(browse_btn) self.args[arg.name]['browse_btn'] = browse_btn elif arg.get_gui_hint('type') == 'str': if arg.name == 'github' or arg.name == 'github-login': link_button = self.gui_helper.create_link_button(text= 'For registration visit GitHub Homepage', uri= 'https://www.github.com') align_btn.add(link_button) new_box.pack_start(align_btn, False, False, 6) row += 1 self.args[arg.name]['entry'] = entry self.grid.attach(new_box, 1, row, 1, 1) elif 'preserved' in arg.kwargs and config_manager.get_config_value(arg. kwargs['preserved']): if 'checkbox' in self.args[arg.name]: self.args[arg.name]['checkbox'].set_active(True) return row
add_table_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg, number, row):\n self.args[arg.name] = dict()\n self.args[arg.name]['arg'] = arg\n check_box_title = arg.flags[number][2:].title()\n self.args[arg.name]['label'] = check_box_title\n align = self.gui_helper.create_alignment()\n if arg.kwargs.get('required'):\n star_label = self.gui_helper.create_label(\n '<span color=\"#FF0000\">*</span>')\n star_label.set_padding(0, 3)\n label = self.gui_helper.create_label(check_box_title)\n box = self.gui_helper.create_box()\n box.pack_start(star_label, False, False, 6)\n box.pack_start(label, False, False, 6)\n align.add(box)\n else:\n chbox = self.gui_helper.create_checkbox(check_box_title)\n chbox.set_alignment(0, 0)\n if arg.name == 'deps_only':\n chbox.connect('clicked', self._deps_only_toggled)\n else:\n chbox.connect('clicked', self._check_box_toggled, arg.name)\n align.add(chbox)\n self.args[arg.name]['checkbox'] = chbox\n if row == 0:\n self.grid.add(align)\n else:\n self.grid.attach(align, 0, row, 1, 1)\n label = self.gui_helper.create_label(arg.kwargs['help'], justify=Gtk.\n Justification.LEFT)\n label.set_alignment(0, 0)\n label.set_padding(0, 3)\n self.grid.attach(label, 1, row, 1, 1)\n label_check_box = self.gui_helper.create_label(name='')\n self.grid.attach(label_check_box, 0, row, 1, 1)\n if arg.get_gui_hint('type') not in ['bool', 'const']:\n new_box = self.gui_helper.create_box(spacing=6)\n entry = self.gui_helper.create_entry(text='')\n align = self.gui_helper.create_alignment()\n align.add(entry)\n new_box.pack_start(align, False, False, 6)\n align_btn = self.gui_helper.create_alignment()\n \"\"\" If a button is needed please add there and in function\n _check_box_toggled\n Also do not forget to create a function for that button\n This can not be done by any automatic tool from those reasons\n Some fields needs a input user like user name for GitHub\n and some fields needs to have interaction from user like selecting directory\n \"\"\"\n entry.set_text(arg.get_gui_hint('default'))\n entry.set_sensitive(arg.kwargs.get('required') == True)\n if arg.get_gui_hint('type') == 'path':\n browse_btn = self.gui_helper.button_with_label('Browse')\n browse_btn.connect('clicked', self.browse_clicked, entry)\n browse_btn.set_sensitive(arg.kwargs.get('required') == True)\n align_btn.add(browse_btn)\n self.args[arg.name]['browse_btn'] = browse_btn\n elif arg.get_gui_hint('type') == 'str':\n if arg.name == 'github' or arg.name == 'github-login':\n link_button = self.gui_helper.create_link_button(text=\n 'For registration visit GitHub Homepage', uri=\n 'https://www.github.com')\n align_btn.add(link_button)\n new_box.pack_start(align_btn, False, False, 6)\n row += 1\n self.args[arg.name]['entry'] = entry\n self.grid.attach(new_box, 1, row, 1, 1)\n elif 'preserved' in arg.kwargs and config_manager.get_config_value(arg.\n kwargs['preserved']):\n if 'checkbox' in self.args[arg.name]:\n self.args[arg.name]['checkbox'].set_active(True)\n return row\n", "role": "user" }, { "content": "add_table_row", "role": "assistant" } ]
def x(self, widget, data=None): text = self.gui_helper.create_file_chooser_dialog('Please select directory' , self.path_window) if text is not None: data.set_text(text)
browse_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 text = self.gui_helper.create_file_chooser_dialog('Please select directory'\n , self.path_window)\n if text is not None:\n data.set_text(text)\n", "role": "user" }, { "content": "browse_clicked", "role": "assistant" } ]
def x(self, widget, data=None): if widget.get_text() != '': self.run_btn.set_sensitive(True) else: self.run_btn.set_sensitive(False) self.update_full_label()
project_name_changed
[ { "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 widget.get_text() != '':\n self.run_btn.set_sensitive(True)\n else:\n self.run_btn.set_sensitive(False)\n self.update_full_label()\n", "role": "user" }, { "content": "project_name_changed", "role": "assistant" } ]
def x(self, widget, data=None): config_manager.set_config_value('da.project_dir', self.dir_name.get_text()) self.update_full_label()
dir_name_changed
[ { "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 config_manager.set_config_value('da.project_dir', self.dir_name.get_text())\n self.update_full_label()\n", "role": "user" }, { "content": "dir_name_changed", "role": "assistant" } ]
def x(self): if not isinstance(self.parsed_yaml, dict): msg = 'In {0}:\n'.format(self.sourcefile) msg += ('Assistants and snippets must be Yaml mappings, not "{0}"!' .format(self.parsed_yaml)) raise exceptions.YamlTypeError(msg) self._check_fullname(self.sourcefile) self._check_description(self.sourcefile) self._check_section_names(self.sourcefile) self._check_project_type(self.sourcefile) self._check_args(self.sourcefile) self._check_files(self.sourcefile) self._check_dependencies(self.sourcefile) self._check_run(self.sourcefile)
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not isinstance(self.parsed_yaml, dict):\n msg = 'In {0}:\\n'.format(self.sourcefile)\n msg += ('Assistants and snippets must be Yaml mappings, not \"{0}\"!'\n .format(self.parsed_yaml))\n raise exceptions.YamlTypeError(msg)\n self._check_fullname(self.sourcefile)\n self._check_description(self.sourcefile)\n self._check_section_names(self.sourcefile)\n self._check_project_type(self.sourcefile)\n self._check_args(self.sourcefile)\n self._check_files(self.sourcefile)\n self._check_dependencies(self.sourcefile)\n self._check_run(self.sourcefile)\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self, source): path = [source] args = self.parsed_yaml.get('args', {}) self._assert_struct_type(args, 'args', (dict, list), path) path.append('args') if isinstance(args, dict): for argn, argattrs in args.items(): self._check_one_arg(path, argn, argattrs) else: for argdict in args: self._assert_command_dict(argdict, '[list-item]', path) argn, argattrs = list(argdict.items())[0] self._check_one_arg(path, argn, argattrs)
check_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source):\n path = [source]\n args = self.parsed_yaml.get('args', {})\n self._assert_struct_type(args, 'args', (dict, list), path)\n path.append('args')\n if isinstance(args, dict):\n for argn, argattrs in args.items():\n self._check_one_arg(path, argn, argattrs)\n else:\n for argdict in args:\n self._assert_command_dict(argdict, '[list-item]', path)\n argn, argattrs = list(argdict.items())[0]\n self._check_one_arg(path, argn, argattrs)\n", "role": "user" }, { "content": "check_args", "role": "assistant" } ]