source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(metaurl, name): if 'http' in metaurl: kit = yaml.safe_load(requests.get(url=metaurl).content)['kit'][ 'applications'] else: kit = yaml.safe_load(open(metaurl).read())['kit']['applications'] app_urls = [x['manifest'] for x in kit if x['name'] == name] assert len(app_urls) == 1 return app_urls[0]
get_manifest_from_meta
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metaurl, name):\n if 'http' in metaurl:\n kit = yaml.safe_load(requests.get(url=metaurl).content)['kit'][\n 'applications']\n else:\n ...
def x(self, attributes, objType=None): if self.setInParentPayload: return {self.parentPayloadObject: {self.payloadObj: attributes}} else: return {self.payloadObj: attributes}
getPayloadStruct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attributes, objType=None):\n if self.setInParentPayload:\n return {self.parentPayloadObject: {self.payloadObj: attributes}}\n else:\n ...
def x(function): def x(self, *args, **kwargs): ret = function(self, *args, **kwargs) if len(self.history) > self.maxHistory: self.history = self.history[1:self.maxHistory] self.history.append({'errorMsg': self.errorMsg, 'payload': self. payload, 'url': self.url, 'resp': self.resp, 'res': self.res, 'printErrors': self.printErrors, 'method': self.method}) self.clearReqVars() return ret return _log
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n\n def x(self, *args, **kwargs):\n ret = function(self, *args, **kwargs)\n if len(self.history) > self.maxHistory:\n se...
def x(self): self.errorMsg = None self.payload = None self.url = None self.resp = None self.res = None self.method = None self.printErrors = None
clearReqVars
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.errorMsg = None\n self.payload = None\n self.url = None\n self.resp = None\n self.res = None\n self.method = None\n self.pri...
def x(self, obj, filter=False, only_id=False, limit=20): self.url = '{}{}/?per_page={}'.format(self.base_url, obj, limit) self.method = 'GET' if filter: self.url += '&search={}'.format(filter) self.resp = requests.get(url=self.url, auth=self.auth, headers=self. headers, cert=self.ca_cert) if only_id: if self.__process_resp__(obj) is False: return False if type(self.res['results']) is list: return dict((x['name'], x['id']) for x in self.res['results']) elif type(self.res['results']) is dict: r = {} for v in self.res['results'].values(): for vv in v: r[vv['name']] = vv['id'] return r else: return False else: return self.__process_resp__(obj)
list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, filter=False, only_id=False, limit=20):\n self.url = '{}{}/?per_page={}'.format(self.base_url, obj, limit)\n self.method = 'GET'\n if filte...
def x(self, obj, id, sub_object=None): self.url = '{}{}/{}'.format(self.base_url, obj, id) self.method = 'GET' if sub_object: self.url += '/' + sub_object self.resp = requests.get(url=self.url, auth=self.auth, headers=self. headers, cert=self.ca_cert) if self.__process_resp__(obj): return self.res return False
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, id, sub_object=None):\n self.url = '{}{}/{}'.format(self.base_url, obj, id)\n self.method = 'GET'\n if sub_object:\n self.url += '/'...
def x(self, obj, name): list = self.list(obj, filter='name = "{}"'.format(name), only_id=True, limit=1) return list[name] if name in list.keys() else False
get_id_by_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, name):\n list = self.list(obj, filter='name = \"{}\"'.format(name), only_id=True,\n limit=1)\n return list[name] if name in list.keys()...
def x(self, obj, id): self.url = '{}{}/{}'.format(self.base_url, obj, id) self.method = 'DELETE' self.resp = requests.delete(url=self.url, auth=self.auth, headers=self. headers, cert=self.ca_cert) return self.__process_resp__(obj)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj, id):\n self.url = '{}{}/{}'.format(self.base_url, obj, id)\n self.method = 'DELETE'\n self.resp = requests.delete(url=self.url, auth=self.a...
def x(self): try: if self._target: return_value = self._target(*self._args, **self._kwargs) if return_value is not None: self._exception = OrphanedReturn(self, return_value) except BaseException as err: self._exception = err finally: del self._target, self._args, self._kwargs
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n if self._target:\n return_value = self._target(*self._args, **self._kwargs)\n if return_value is not None:\n ...
def x(self): with self._lock: payloads = self._payloads.copy() self._payloads.clear() for subroutine in payloads: thread = CapturingThread(target=subroutine) thread.start() self._threads.add(thread) self._logger.debug('booted thread %s', thread) time.sleep(0)
start_payloads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with self._lock:\n payloads = self._payloads.copy()\n self._payloads.clear()\n for subroutine in payloads:\n thread = Captu...
def x(self): for thread in self._threads.copy(): if thread.join(timeout=0): self._threads.remove(thread) self._logger.debug('reaped thread %s', thread)
reap_payloads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for thread in self._threads.copy():\n if thread.join(timeout=0):\n self._threads.remove(thread)\n self._logger.debug('...
def x(func): @wraps(func) def x(self, *args, **kwargs): lazy = kwargs.get('lazy', False) kwargs.pop('lazy', None) if not lazy: self.get_json() ret = func(self, *args, **kwargs) if isinstance(ret, str) and not lazy: self.set_json(ret) else: return ret return wrapper
update_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(self, *args, **kwargs):\n lazy = kwargs.get('lazy', False)\n kwargs.pop('lazy', None)\n if not lazy:...
def x(cls: Type[C], *args, **kwargs) ->Partial[C]: return Partial(cls, *args, **kwargs)
s
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls: Type[C], *args, **kwargs) ->Partial[C]:\n return Partial(cls, *args, **kwargs)\n", "role": "user" }, { "content": "s", "role": "assista...
def x(self, classes: Sequence[type]) ->Tuple[Mapping[type, Sequence[type]], Mapping[type, Sequence[type]]]: parents_to_children: MutableMapping[type, Set[type]] = {} children_to_parents: MutableMapping[type, Set[type]] = {} visited_classes: Set[type] = set() class_stack = list(classes) while class_stack: class_ = class_stack.pop() if class_ in visited_classes: continue visited_classes.add(class_) for base in class_.__bases__: if base not in visited_classes: class_stack.append(base) parents_to_children.setdefault(base, set()).add(class_) children_to_parents.setdefault(class_, set()).add(base) sorted_parents_to_children: MutableMapping[type, List[type] ] = collections.OrderedDict() for parent, children in sorted(parents_to_children.items(), key=lambda x: (x[0].__module__, x[0].__name__)): sorted_parents_to_children[parent] = sorted(children, key=lambda x: (x.__module__, x.__name__)) sorted_children_to_parents: MutableMapping[type, List[type] ] = collections.OrderedDict() for child, parents in sorted(children_to_parents.items(), key=lambda x: (x[0].__module__, x[0].__name__)): sorted_children_to_parents[child] = sorted(parents, key=lambda x: ( x.__module__, x.__name__)) return sorted_parents_to_children, sorted_children_to_parents
build_mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, classes: Sequence[type]) ->Tuple[Mapping[type, Sequence[type]],\n Mapping[type, Sequence[type]]]:\n parents_to_children: MutableMapping[type, Set[t...
def x(self, package_paths: Sequence[str], recurse_subpackages: bool=True ) ->Sequence[type]: import uqbar.apis classes = [] initial_source_paths: Set[str] = set() for path in package_paths: try: module = importlib.import_module(path) if hasattr(module, '__path__'): initial_source_paths.update(getattr(module, '__path__')) else: initial_source_paths.add(module.__file__) except ModuleNotFoundError: path, _, class_name = path.rpartition('.') module = importlib.import_module(path) classes.append(getattr(module, class_name)) for source_path in uqbar.apis.collect_source_paths(initial_source_paths, recurse_subpackages=recurse_subpackages): package_path = uqbar.apis.source_path_to_package_path(source_path) module = importlib.import_module(package_path) for name in dir(module): if name.startswith('_'): continue object_ = getattr(module, name) if isinstance(object_, type ) and object_.__module__ == module.__name__: classes.append(object_) return sorted(classes, key=lambda x: (x.__module__, x.__name__))
collect_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_paths: Sequence[str], recurse_subpackages: bool=True\n ) ->Sequence[type]:\n import uqbar.apis\n classes = []\n initial_source_paths:...
def x(): auth = get_auth_from_env() if auth[0] and auth[1]: return auth home = os.path.expanduser('~') config = os.path.join(home, '.gitconfig') if not os.path.isfile(config): raise GithubException('No .gitconfig available') parser = configparser.ConfigParser() parser.read(config) if 'user' in parser: user = parser['user'] if 'username' not in user: raise GithubException('Specify username in %s user section' % config) if 'token' not in user: raise GithubException('Specify token in %s user section' % config) return user['username'], user['token'] else: raise GithubException('No user section in %s' % config)
get_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n auth = get_auth_from_env()\n if auth[0] and auth[1]:\n return auth\n home = os.path.expanduser('~')\n config = os.path.join(home, '.git...
def x(self, key, payload, osIds): if key not in self: self[key] = payload oid = self[key]['id'] if not oid: return False for os in self[key]['operatingsystems']: osIds.add(os['id']) self[key]['operatingsystem_ids'] = list(osIds) if len(self[key]['operatingsystems']) is not len(osIds): return False return oid
checkAndCreate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, payload, osIds):\n if key not in self:\n self[key] = payload\n oid = self[key]['id']\n if not oid:\n return False\n for os...
def x(pip_args): import sys import pip from io import StringIO old_stdout = sys.stdout sys.stdout = mystdout = StringIO() pip.main(pip_args) output = mystdout.getvalue() mystdout.truncate(0) sys.stdout = old_stdout return output
pip_command_output
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pip_args):\n import sys\n import pip\n from io import StringIO\n old_stdout = sys.stdout\n sys.stdout = mystdout = StringIO()\n pip.main(pip_...
def x(): try: import versioneer versioneer.get_version() except ImportError: import subprocess try: subprocess.check_output(['versioneer', 'install']) except OSError: output = pip_command_output(['show', '-f', 'versioneer']) import os main_path = [x[len('Location: '):] for x in output.splitlines() if x.startswith('Location')][0] bin_path = [x[len(' '):] for x in output.splitlines() if x. endswith(os.path.sep + 'versioneer')][0] exe_path = os.path.join(main_path, bin_path) subprocess.check_output(['python', exe_path, 'install'])
setup_versioneer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n import versioneer\n versioneer.get_version()\n except ImportError:\n import subprocess\n try:\n subpro...
def x(): import importlib try: vermod = importlib.import_module('versioneer') globals()['versioneer'] = vermod except ImportError: importlib.invalidate_caches()
clean_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n import importlib\n try:\n vermod = importlib.import_module('versioneer')\n globals()['versioneer'] = vermod\n except ImportError:\n...
def x(): setup_versioneer() clean_cache() import versioneer version = versioneer.get_version() parsed_version = parse_version(version) if '*@' in str(parsed_version): import time version += str(int(time.time())) return version
get_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n setup_versioneer()\n clean_cache()\n import versioneer\n version = versioneer.get_version()\n parsed_version = parse_version(version)\n ...
def x(paths: Sequence[Union[str, pathlib.Path]]) ->Optional[pathlib.Path]: counter: collections.Counter = collections.Counter() for path in paths: path = pathlib.Path(path) counter.update([path]) counter.update(path.parents) valid_paths = sorted([path for path, count in counter.items() if count >= len(paths)], key=lambda x: len(x.parts)) if valid_paths: return valid_paths[-1] return None
find_common_prefix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(paths: Sequence[Union[str, pathlib.Path]]) ->Optional[pathlib.Path]:\n counter: collections.Counter = collections.Counter()\n for path in paths:\n ...
def x(name: str, flags=os.X_OK) ->List[str]: result = [] extensions = [x for x in os.environ.get('PATHEXT', '').split(os.pathsep ) if x] path = os.environ.get('PATH', None) if path is None: return [] for path in os.environ.get('PATH', '').split(os.pathsep): path = os.path.join(path, name) if os.access(path, flags): result.append(path) for extension in extensions: path_extension = path + extension if os.access(path_extension, flags): result.append(path_extension) return result
find_executable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name: str, flags=os.X_OK) ->List[str]:\n result = []\n extensions = [x for x in os.environ.get('PATHEXT', '').split(os.pathsep\n ) if x]\n path...
def x(source_path: Union[str, pathlib.Path], target_path: Union[str, pathlib.Path]) ->pathlib.Path: source_path = pathlib.Path(source_path).absolute() if source_path.is_file(): source_path = source_path.parent target_path = pathlib.Path(target_path).absolute() common_prefix = find_common_prefix([source_path, target_path]) if not common_prefix: raise ValueError('No common prefix') source_path = source_path.relative_to(common_prefix) target_path = target_path.relative_to(common_prefix) result = pathlib.Path(*(['..'] * len(source_path.parts))) return result / target_path
relative_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source_path: Union[str, pathlib.Path], target_path: Union[str,\n pathlib.Path]) ->pathlib.Path:\n source_path = pathlib.Path(source_path).absolute()\n ...
def x(root_path: Union[str, pathlib.Path], top_down: bool=True) ->Generator[ Tuple[pathlib.Path, Sequence[pathlib.Path], Sequence[pathlib.Path]], None, None]: root_path = pathlib.Path(root_path) directory_paths, file_paths = [], [] for path in sorted(root_path.iterdir()): if path.is_dir(): directory_paths.append(path) else: file_paths.append(path) if top_down: yield root_path, directory_paths, file_paths for directory_path in directory_paths: yield from walk(directory_path, top_down=top_down) if not top_down: yield root_path, directory_paths, file_paths
walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_path: Union[str, pathlib.Path], top_down: bool=True) ->Generator[\n Tuple[pathlib.Path, Sequence[pathlib.Path], Sequence[pathlib.Path]],\n None, Non...
def x(contents: str, path: Union[str, pathlib.Path], verbose: bool=False, logger_func=None) ->bool: print_func = logger_func or print path = pathlib.Path(path) if path.exists(): with path.open('r') as file_pointer: old_contents = file_pointer.read() if old_contents == contents: if verbose: print_func('preserved {}'.format(path)) return False else: with path.open('w') as file_pointer: file_pointer.write(contents) if verbose: print_func('rewrote {}'.format(path)) return True elif not path.exists(): if not path.parent.exists(): path.parent.mkdir(parents=True) with path.open('w') as file_pointer: file_pointer.write(contents) if verbose: print_func('wrote {}'.format(path)) return True
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(contents: str, path: Union[str, pathlib.Path], verbose: bool=False,\n logger_func=None) ->bool:\n print_func = logger_func or print\n path = pathlib.P...
def x(obj: Any) ->str: try: return obj.__module__ + ':' + obj.__qualname__ except AttributeError: return pretty_ref(type(obj)) + '(...)'
pretty_ref
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj: Any) ->str:\n try:\n return obj.__module__ + ':' + obj.__qualname__\n except AttributeError:\n return pretty_ref(type(obj)) + '(...)'\...
def x(ctx): with command(): m = RepoManager(ctx.obj['agile']) click.echo(m.github_repo().repo_path)
remote
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx):\n with command():\n m = RepoManager(ctx.obj['agile'])\n click.echo(m.github_repo().repo_path)\n", "role": "user" }, { "conte...
def x(self): parentage = tuple(reversed(self.parentage)) graph_order = [] for i in range(len(parentage) - 1): parent, child = parentage[i:i + 2] graph_order.append(parent.index(child)) return tuple(graph_order)
graph_order
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parentage = tuple(reversed(self.parentage))\n graph_order = []\n for i in range(len(parentage) - 1):\n parent, child = parentage[i:i +...
def x(self, cmd, multilines=False): self.logger.debug('sendQuery(%s)', cmd) if not self.is_connected(): raise socket.error('sendQuery on a disconnected socket') if multilines: replies = self.__sendQueryReplies(cmd) for reply in replies: if reply.startswith(XenaSocket.reply_errors): raise XenaCommandException('sendQuery({}) reply({})'.format (cmd, replies)) self.logger.debug('sendQuery(%s) -- Begin', cmd) for l in replies: self.logger.debug('%s', l.strip()) self.logger.debug('sendQuery(%s) -- End', cmd) return replies else: reply = self.__sendQueryReply(cmd) if reply.startswith(XenaSocket.reply_errors): raise XenaCommandException('sendQuery({}) reply({})'.format(cmd, reply)) self.logger.debug('sendQuery(%s) reply(%s)', cmd, reply) return reply
sendQuery
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, multilines=False):\n self.logger.debug('sendQuery(%s)', cmd)\n if not self.is_connected():\n raise socket.error('sendQuery on a disconn...
def x(self, cmd): cmd = cmd.strip() self.logger.debug('sendQueryVerify(%s)', cmd) if not self.is_connected(): raise socket.error('sendQueryVerify on a disconnected socket') resp = self.__sendQueryReply(cmd) if resp != self.reply_ok: raise XenaCommandException('Command {} Fail Expected {} Actual {}'. format(cmd, self.reply_ok, resp)) self.logger.debug('SendQueryVerify(%s) Succeed', cmd)
sendQueryVerify
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd):\n cmd = cmd.strip()\n self.logger.debug('sendQueryVerify(%s)', cmd)\n if not self.is_connected():\n raise socket.error('sendQueryVe...
def x(self, run_input_dir): beam_file, geo_file, mat_file, _ = self.input_files external_beam_files = self._parse_beam_file(beam_file, run_input_dir) if external_beam_files: logger.info('External files from BEAM file: {0}'.format( external_beam_files)) else: logger.debug('No external files from BEAM file') icru_numbers = self._parse_mat_file(mat_file) if icru_numbers: logger.info('External files from MAT file: {0}'.format(icru_numbers)) else: logger.debug('No external files from MAT file') icru_files = [] if icru_numbers: icru_files = self._decrypt_icru_files(icru_numbers) geo_files = self._parse_geo_file(geo_file, run_input_dir) if geo_files: logger.info('External files from GEO file: {0}'.format(geo_files)) else: logger.debug('No external files from GEO file') external_files = external_beam_files + icru_files + geo_files return [os.path.join(self.input_path, e) for e in external_files]
find_external_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, run_input_dir):\n beam_file, geo_file, mat_file, _ = self.input_files\n external_beam_files = self._parse_beam_file(beam_file, run_input_dir)\n ...
def x(self, file_path, run_input_dir): external_files = [] paths_to_replace = [] with open(file_path, 'r') as beam_f: for line in beam_f.readlines(): split_line = line.split() if len(split_line) > 2 and split_line[0] == 'USEBMOD': logger.debug( 'Found reference to external file in BEAM file: {0} {1}' .format(split_line[0], split_line[2])) external_files.append(split_line[2]) paths_to_replace.append(split_line[2]) elif len(split_line) > 1 and split_line[0] == 'USECBEAM': logger.debug( 'Found reference to external file in BEAM file: {0} {1}' .format(split_line[0], split_line[1])) external_files.append(split_line[1]) paths_to_replace.append(split_line[1]) if paths_to_replace: run_dir_config_file = os.path.join(run_input_dir, os.path.split( file_path)[-1]) logger.debug('Calling rewrite_paths method on file: {0}'.format( run_dir_config_file)) self._rewrite_paths_in_file(run_dir_config_file, paths_to_replace) return external_files
parse_beam_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_path, run_input_dir):\n external_files = []\n paths_to_replace = []\n with open(file_path, 'r') as beam_f:\n for line in beam_f.read...
def x(self, file_path, run_input_dir): external_files = [] paths_to_replace = [] with open(file_path, 'r') as geo_f: for line in geo_f.readlines(): split_line = line.split() if len(split_line) > 0 and not line.startswith('*'): base_path = os.path.join(self.input_path, split_line[0]) if os.path.isfile(base_path + '.hed'): logger.debug('Found ctx + hed files: {0}'.format(base_path) ) external_files.append(base_path + '.hed') if os.path.isfile(base_path + '.ctx'): external_files.append(base_path + '.ctx') elif os.path.isfile(base_path + '.ctx.gz'): external_files.append(base_path + '.ctx.gz') paths_to_replace.append(split_line[0]) if paths_to_replace: run_dir_config_file = os.path.join(run_input_dir, os.path.split( file_path)[-1]) logger.debug('Calling rewrite_paths method on file: {0}'.format( run_dir_config_file)) self._rewrite_paths_in_file(run_dir_config_file, paths_to_replace) return external_files
parse_geo_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_path, run_input_dir):\n external_files = []\n paths_to_replace = []\n with open(file_path, 'r') as geo_f:\n for line in geo_f.readli...
def x(self, file_path): mat_file_sections = self._extract_mat_sections(file_path) return self._analyse_mat_sections(mat_file_sections)
parse_mat_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, file_path):\n mat_file_sections = self._extract_mat_sections(file_path)\n return self._analyse_mat_sections(mat_file_sections)\n", "role": "use...
def x(sections): icru_numbers = [] for section in sections: load_present = False load_value = False icru_value = False for e in section: split_line = e.split() if 'LOADDEDX' in e: load_present = True if len(split_line) > 1: load_value = split_line[1] if '!' not in split_line[1 ] else False elif 'ICRU' in e and len(split_line) > 1: icru_value = split_line[1] if '!' not in split_line[1 ] else False if load_present: if icru_value: icru_numbers.append(icru_value) elif load_value: icru_numbers.append(load_value) return icru_numbers
analyse_mat_sections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sections):\n icru_numbers = []\n for section in sections:\n load_present = False\n load_value = False\n icru_value = False\n ...
def x(numbers): import json icru_file = resource_string(__name__, os.path.join('data', 'SH12A_ICRU_table.json')) ref_dict = json.loads(icru_file.decode('ascii')) try: return [ref_dict[e] for e in numbers] except KeyError as er: logger.error('There is no ICRU file for id: {0}'.format(er)) raise
decrypt_icru_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(numbers):\n import json\n icru_file = resource_string(__name__, os.path.join('data',\n 'SH12A_ICRU_table.json'))\n ref_dict = json.loads(icru_f...
def x(config_file, paths_to_replace): lines = [] import shutil shutil.copyfile(config_file, str(config_file + '_original')) with open(config_file) as infile: for line in infile: for old_path in paths_to_replace: if old_path in line: new_path = os.path.split(old_path)[-1] line = line.replace(old_path, new_path) logger.debug('Changed path {0} ---> {1} in file {2}'. format(old_path, new_path, config_file)) lines.append(line) with open(config_file, 'w') as outfile: for line in lines: outfile.write(line)
rewrite_paths_in_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file, paths_to_replace):\n lines = []\n import shutil\n shutil.copyfile(config_file, str(config_file + '_original'))\n with open(config_file...
def x(database: Database, table: LdapObjectClass, key: str, value: str): try: get_one(table, Q(**{key: value}), database=database) return True except ObjectDoesNotExist: return False
check_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(database: Database, table: LdapObjectClass, key: str, value: str):\n try:\n get_one(table, Q(**{key: value}), database=database)\n return True...
def x(changes: Changeset, table: LdapObjectClass, database: Database ) ->Changeset: d = {} settings = database.settings uid_number = changes.get_value_as_single('uidNumber') if uid_number is None: scheme = settings['NUMBER_SCHEME'] first = settings.get('UID_FIRST', 10000) d['uidNumber'] = Counters.get_and_increment(scheme, 'uidNumber', first, lambda n: not _check_exists(database, table, 'uidNumber', n) ) changes = changes.merge(d) return changes
save_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(changes: Changeset, table: LdapObjectClass, database: Database\n ) ->Changeset:\n d = {}\n settings = database.settings\n uid_number = changes.get_...
def x(text): toks = tokenize.generate_tokens(StringIO(text).readline) result = [] replacing_keyword = False for toktype, tokvalue, _, _, _ in toks: if toktype == tokenize.NAME and tokvalue == 'switch': result.extend([(tokenize.NAME, 'for'), (tokenize.NAME, '__case' ), (tokenize.NAME, 'in'), (tokenize.NAME, '_Switch'), ( tokenize.OP, '(')]) replacing_keyword = True elif toktype == tokenize.NAME and (tokvalue == 'case' or tokvalue == 'default'): result.extend([(tokenize.NAME, 'if'), (tokenize.NAME, '__case'), (tokenize.OP, '(')]) replacing_keyword = True elif replacing_keyword and tokvalue == ':': result.extend([(tokenize.OP, ')'), (tokenize.OP, ':')]) replacing_keyword = False else: result.append((toktype, tokvalue)) return tokenize.untokenize(result)
transform_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text):\n toks = tokenize.generate_tokens(StringIO(text).readline)\n result = []\n replacing_keyword = False\n for toktype, tokvalue, _, _, _ in tok...
def x(self, base, scope, filterstr='(objectClass=*)', attrlist=None, limit=None ) ->Generator[Tuple[str, dict], None, None]: _debug('search', base, scope, filterstr, attrlist, limit) if attrlist is None: attrlist = ldap3.ALL_ATTRIBUTES elif isinstance(attrlist, set): attrlist = list(attrlist) def x(obj): _debug('---> searching ldap', limit) obj.search(base, filterstr, scope, attributes=attrlist, paged_size= limit) return obj.response result_list = self._do_with_retry(first_results) for result_item in result_list: if result_item['type'] != 'searchResEntry': continue dn = result_item['dn'] attributes = result_item['raw_attributes'] _debug('---> got ldap result', dn) _debug('---> yielding', result_item) yield dn, attributes _debug('---> done') return
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, base, scope, filterstr='(objectClass=*)', attrlist=None, limit=None\n ) ->Generator[Tuple[str, dict], None, None]:\n _debug('search', base, scope, ...
def x(self, dn: str, new_rdn: str, new_base_dn: Optional[str]=None) ->None: raise NotImplementedError()
rename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dn: str, new_rdn: str, new_base_dn: Optional[str]=None) ->None:\n raise NotImplementedError()\n", "role": "user" }, { "content": "rename",...
def x(org): key_service = org.service(type='builtin:cobalt_secure_store', name= 'Keystore') wf_service = org.service(type='builtin:workflow_service', name= 'Workflow', parameters='{}') env = org.environment(name='default') env.clean() env.add_service(key_service) env.add_service(wf_service) env.add_policy({'action': 'provisionVms', 'parameter': 'publicKeyId', 'value': key_service.regenerate()['id']}) access = {'provider': 'aws-ec2', 'usedEnvironments': [], 'ec2SecurityGroup': 'default', 'providerCopy': 'aws-ec2', 'name': 'test-provider', 'jcloudsIdentity': KEY, 'jcloudsCredential': SECRET_KEY, 'jcloudsRegions': 'us-east-1'} prov = org.provider(access) env.add_provider(prov) return org.organizationId
prepare_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(org):\n key_service = org.service(type='builtin:cobalt_secure_store', name=\n 'Keystore')\n wf_service = org.service(type='builtin:workflow_servic...
def x(ctx, debug, version, config): ctx.obj = {} ctx.DEBUG = debug if os.path.isfile(config): with open(config) as fp: agile = json.load(fp) else: agile = {} ctx.obj['agile'] = agile if version: click.echo(__version__) ctx.exit(0) if not ctx.invoked_subcommand: click.echo(ctx.get_help())
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx, debug, version, config):\n ctx.obj = {}\n ctx.DEBUG = debug\n if os.path.isfile(config):\n with open(config) as fp:\n agile = j...
def x(obj, value=None, field=None, duplicate_order=None): using = router.db_for_write(obj._meta.model) collector = CloneCollector(using=using) collector.collect([obj]) collector.sort() related_models = list(collector.data.keys()) data_snapshot = {} for key in collector.data.keys(): data_snapshot.update({key: dict(zip([item.pk for item in collector. data[key]], [item for item in collector.data[key]]))}) root_obj = None if duplicate_order is None: duplicate_order = reversed(related_models) for model in duplicate_order: fks = [] for f in model._meta.fields: if isinstance(f, ForeignKey) and f.rel.to in related_models: fks.append(f) if model not in collector.data: continue sub_objects = collector.data[model] for obj in sub_objects: for fk in fks: fk_value = getattr(obj, '%s_id' % fk.name) fk_rel_to = data_snapshot[fk.rel.to] if fk_value in fk_rel_to: dupe_obj = fk_rel_to[fk_value] setattr(obj, fk.name, dupe_obj) obj.id = None if field is not None: setattr(obj, field, value) obj.save() if root_obj is None: root_obj = obj return root_obj
duplicate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, value=None, field=None, duplicate_order=None):\n using = router.db_for_write(obj._meta.model)\n collector = CloneCollector(using=using)\n collect...
def x(self, attributes, objType): payload = {self.payloadObj: attributes, (objType + '_class'): {self. payloadObj: attributes}} return payload
getPayloadStruct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attributes, objType):\n payload = {self.payloadObj: attributes, (objType + '_class'): {self.\n payloadObj: attributes}}\n return payload\n",...
def x(value): if not re.match(VIMEO_URL_RE, value) and not re.match(YOUTUBE_URL_RE, value ): raise ValidationError('Invalid URL - only Youtube, Vimeo can be used.')
validate_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n if not re.match(VIMEO_URL_RE, value) and not re.match(YOUTUBE_URL_RE, value\n ):\n raise ValidationError('Invalid URL - only Youtube...
def x(using=None): if using is None: for using in tldap.backend.connections: connection = tldap.backend.connections[using] connection.enter_transaction_management() return connection = tldap.backend.connections[using] connection.enter_transaction_management()
enter_transaction_management
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n for using in tldap.backend.connections:\n connection = tldap.backend.connections[using]\n co...
def x(using=None): if using is None: for using in tldap.backend.connections: connection = tldap.backend.connections[using] connection.leave_transaction_management() return connection = tldap.backend.connections[using] connection.leave_transaction_management()
leave_transaction_management
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n for using in tldap.backend.connections:\n connection = tldap.backend.connections[using]\n co...
def x(using=None): if using is None: dirty = False for using in tldap.backend.connections: connection = tldap.backend.connections[using] if connection.is_dirty(): dirty = True return dirty connection = tldap.backend.connections[using] return connection.is_dirty()
is_dirty
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n dirty = False\n for using in tldap.backend.connections:\n connection = tldap.backend.connections...
def x(using=None): if using is None: managed = False for using in tldap.backend.connections: connection = tldap.backend.connections[using] if connection.is_managed(): managed = True return managed connection = tldap.backend.connections[using] return connection.is_managed()
is_managed
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n managed = False\n for using in tldap.backend.connections:\n connection = tldap.backend.connectio...
def x(using=None): if using is None: for using in tldap.backend.connections: connection = tldap.backend.connections[using] connection.commit() return connection = tldap.backend.connections[using] connection.commit()
commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n for using in tldap.backend.connections:\n connection = tldap.backend.connections[using]\n co...
def x(using=None): if using is None: for using in tldap.backend.connections: connection = tldap.backend.connections[using] connection.rollback() return connection = tldap.backend.connections[using] connection.rollback()
rollback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n if using is None:\n for using in tldap.backend.connections:\n connection = tldap.backend.connections[using]\n co...
def x(entering, exiting, using): if callable(using): return Transaction(entering, exiting, None)(using) return Transaction(entering, exiting, using)
transaction_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(entering, exiting, using):\n if callable(using):\n return Transaction(entering, exiting, None)(using)\n return Transaction(entering, exiting, usin...
def x(using=None): def x(using): enter_transaction_management(using=using) def x(exc_value, using): try: if exc_value is not None: if is_dirty(using=using): rollback(using=using) else: commit(using=using) finally: leave_transaction_management(using=using) return _transaction_func(entering, exiting, using)
commit_on_success
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n\n def x(using):\n enter_transaction_management(using=using)\n\n def x(exc_value, using):\n try:\n if exc_value is...
def x(using=None): def x(using): enter_transaction_management(using=using) def x(exc_value, using): leave_transaction_management(using=using) return _transaction_func(entering, exiting, using)
commit_manually
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(using=None):\n\n def x(using):\n enter_transaction_management(using=using)\n\n def x(exc_value, using):\n leave_transaction_management(usin...
def x(self) ->Generator[Tuple[int, int, str, type], None, None]: if is_test_file(self.filename): self.load() for func in self.all_funcs(): try: for error in func.check_all(): yield error.line_number, error.offset, error.text, Checker except ValidationError as error: yield error.to_flake8(Checker)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self) ->Generator[Tuple[int, int, str, type], None, None]:\n if is_test_file(self.filename):\n self.load()\n for func in self.all_funcs():\n ...
def x(self, request): global _urlconf_pages page_list = list(Page.objects.exclude(glitter_app_name='').values_list( 'id', 'url').order_by('id')) with _urlconf_lock: if page_list != _urlconf_pages: glitter_urls = 'glitter.urls' if glitter_urls in sys.modules: importlib.reload(sys.modules[glitter_urls]) _urlconf_pages = page_list
process_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n global _urlconf_pages\n page_list = list(Page.objects.exclude(glitter_app_name='').values_list(\n 'id', 'url').order_by('id'))\n...
def x(self): self._logger.info('runner started: %s', self) try: with self._lock: assert not self.running.is_set() and self._stopped.is_set( ), 'cannot re-run: %s' % self self.running.set() self._stopped.clear() self._run() except Exception: self._logger.exception('runner aborted: %s', self) raise else: self._logger.info('runner stopped: %s', self) finally: with self._lock: self.running.clear() self._stopped.set()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._logger.info('runner started: %s', self)\n try:\n with self._lock:\n assert not self.running.is_set() and self._stopped.i...
def x(self): if not self.running.wait(0.2): return self._logger.debug('runner disabled: %s', self) with self._lock: self.running.clear() self._stopped.wait()
stop
[ { "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 self.running.wait(0.2):\n return\n self._logger.debug('runner disabled: %s', self)\n with self._lock:\n self.running.cle...
def x(string: str) ->Generator[str, None, None]: wordlike_characters = '<', '>', '!' current_word = '' for i, character in enumerate(string): if not character.isalpha() and not character.isdigit( ) and character not in wordlike_characters: if current_word: yield current_word current_word = '' elif not current_word: current_word += character elif character.isupper(): if current_word[-1].isupper(): current_word += character else: yield current_word current_word = character elif character.islower(): if current_word[-1].isalpha(): current_word += character else: yield current_word current_word = character elif character.isdigit(): if current_word[-1].isdigit() or current_word[-1].isupper(): current_word += character else: yield current_word current_word = character elif character in wordlike_characters: if current_word[-1] in wordlike_characters: current_word += character else: yield current_word current_word = character if current_word: yield current_word
delimit_words
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string: str) ->Generator[str, None, None]:\n wordlike_characters = '<', '>', '!'\n current_word = ''\n for i, character in enumerate(string):\n ...
def x(string: str) ->str: string = string.replace('\t', ' ') lines = string.split('\n') while lines and (not lines[0] or lines[0].isspace()): lines.pop(0) while lines and (not lines[-1] or lines[-1].isspace()): lines.pop() for i, line in enumerate(lines): lines[i] = line.rstrip() string = '\n'.join(lines) string = textwrap.dedent(string) return string
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string: str) ->str:\n string = string.replace('\\t', ' ')\n lines = string.split('\\n')\n while lines and (not lines[0] or lines[0].isspace()):\n ...
def x(string: str) ->str: string = unidecode.unidecode(string) words = (_.lower() for _ in delimit_words(string)) string = '-'.join(words) return string
to_dash_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(string: str) ->str:\n string = unidecode.unidecode(string)\n words = (_.lower() for _ in delimit_words(string))\n string = '-'.join(words)\n return...
def x(): fixers = [] fixer_dirname = fixer_dir.__path__[0] for name in sorted(os.listdir(fixer_dirname)): if name.startswith('fix_') and name.endswith('.py'): fixers.append('lib2to3.fixes.' + name[:-3]) return fixers
get_lib2to3_fixers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fixers = []\n fixer_dirname = fixer_dir.__path__[0]\n for name in sorted(os.listdir(fixer_dirname)):\n if name.startswith('fix_') and name...
def x(fixname): fixer_dirname = fixer_dir.__path__[0] for name in sorted(os.listdir(fixer_dirname)): if name.startswith('fix_') and name.endswith('.py' ) and fixname == name[4:-3]: return 'lib2to3.fixes.' + name[:-3]
get_single_fixer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fixname):\n fixer_dirname = fixer_dir.__path__[0]\n for name in sorted(os.listdir(fixer_dirname)):\n if name.startswith('fix_') and name.endswith(...
def x(self, value): self.validate(value) assert isinstance(value, list) value = list(value) for i, v in enumerate(value): value[i] = self.value_to_db(v) assert isinstance(value, list) return value
to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n self.validate(value)\n assert isinstance(value, list)\n value = list(value)\n for i, v in enumerate(value):\n value[i] = sel...
def x(self, value): assert isinstance(value, list) value = list(value) for i, v in enumerate(value): value[i] = self.value_to_python(v) return value
to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, list)\n value = list(value)\n for i, v in enumerate(value):\n value[i] = self.value_to_python(v)\n ...
def x(self, value): if not isinstance(value, list): raise tldap.exceptions.ValidationError( 'is not a list and max_instances is %s' % self._max_instances) if self._max_instances is not None and len(value) > self._max_instances: raise tldap.exceptions.ValidationError( 'exceeds max_instances of %d' % self._max_instances) if self._required: if len(value) == 0: raise tldap.exceptions.ValidationError('is required') for i, v in enumerate(value): self.value_validate(v)
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, list):\n raise tldap.exceptions.ValidationError(\n 'is not a list and max_instances is %s' % self...
def x(self, value): value = self.to_python(value) self.validate(value) return value
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n value = self.to_python(value)\n self.validate(value)\n return value\n", "role": "user" }, { "content": "clean", "role"...
def x(self, value): if isinstance(value, six.string_types): value = value.encode('utf_8') return value
value_to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if isinstance(value, six.string_types):\n value = value.encode('utf_8')\n return value\n", "role": "user" }, { "conten...
def x(self, value): if not isinstance(value, bytes): raise tldap.exceptions.ValidationError('should be a bytes') value = value.decode('utf_8') return value
value_to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, bytes):\n raise tldap.exceptions.ValidationError('should be a bytes')\n value = value.decode('utf_8')\n ...
def x(self, value): if not isinstance(value, six.string_types): raise tldap.exceptions.ValidationError('should be a string')
value_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, six.string_types):\n raise tldap.exceptions.ValidationError('should be a string')\n", "role": "user" }...
def x(self, value): if not isinstance(value, bytes): raise tldap.exceptions.ValidationError('should be bytes') if value is None: return value try: return int(value) except (TypeError, ValueError): raise tldap.exceptions.ValidationError('is invalid integer')
value_to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, bytes):\n raise tldap.exceptions.ValidationError('should be bytes')\n if value is None:\n return v...
def x(self, value): assert isinstance(value, six.integer_types) return str(value).encode('utf_8')
value_to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, six.integer_types)\n return str(value).encode('utf_8')\n", "role": "user" }, { "content": "value_to_...
def x(self, value): if not isinstance(value, six.integer_types): raise tldap.exceptions.ValidationError('should be a integer') try: return str(value) except (TypeError, ValueError): raise tldap.exceptions.ValidationError('is invalid integer')
value_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, six.integer_types):\n raise tldap.exceptions.ValidationError('should be a integer')\n try:\n retur...
def x(self, value): if not isinstance(value, bytes): raise tldap.exceptions.ValidationError('should be a bytes') try: value = int(value) except (TypeError, ValueError): raise tldap.exceptions.ValidationError('is invalid integer') try: value = datetime.date.fromtimestamp(value * 24 * 60 * 60) except OverflowError: raise tldap.exceptions.ValidationError('is too big a date') return value
value_to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, bytes):\n raise tldap.exceptions.ValidationError('should be a bytes')\n try:\n value = int(value)\...
def x(self, value): assert isinstance(value, datetime.date) assert not isinstance(value, datetime.datetime) try: value = value - datetime.date(year=1970, month=1, day=1) except OverflowError: raise tldap.exceptions.ValidationError('is too big a date') return str(value.days).encode('utf_8')
value_to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, datetime.date)\n assert not isinstance(value, datetime.datetime)\n try:\n value = value - datetime.dat...
def x(self, value): if not isinstance(value, datetime.date): raise tldap.exceptions.ValidationError('is invalid date') if isinstance(value, datetime.datetime): raise tldap.exceptions.ValidationError( 'should be a date, not a datetime')
value_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, datetime.date):\n raise tldap.exceptions.ValidationError('is invalid date')\n if isinstance(value, dateti...
def x(self, value): assert isinstance(value, datetime.datetime) try: value = value - datetime.datetime(1970, 1, 1) except OverflowError: raise tldap.exceptions.ValidationError('is too big a date') value = value.seconds + value.days * 24 * 3600 value = str(value).encode('utf_8') return value
value_to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, datetime.datetime)\n try:\n value = value - datetime.datetime(1970, 1, 1)\n except OverflowError:\n ...
def x(self, value): if not isinstance(value, datetime.datetime): raise tldap.exceptions.ValidationError('is invalid date time')
value_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, datetime.datetime):\n raise tldap.exceptions.ValidationError('is invalid date time')\n", "role": "user" ...
def x(self, value): if not isinstance(value, bytes): raise tldap.exceptions.ValidationError('should be a bytes') length = len(value) - 8 if length % 4 != 0: raise tldap.exceptions.ValidationError('Invalid sid') length = length // 4 array = struct.unpack('<bbbbbbbb' + 'I' * length, value) if array[1] != length: raise tldap.exceptions.ValidationError('Invalid sid') if array[2:7] != (0, 0, 0, 0, 0): raise tldap.exceptions.ValidationError('Invalid sid') array = ('S',) + array[0:1] + array[7:] return '-'.join([str(i) for i in array])
value_to_python
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, bytes):\n raise tldap.exceptions.ValidationError('should be a bytes')\n length = len(value) - 8\n if l...
def x(self, value): assert isinstance(value, str) array = value.split('-') length = len(array) - 3 assert length >= 0 assert array[0] == 'S' array = array[1:2] + [length, 0, 0, 0, 0, 0] + array[2:] array = [int(i) for i in array] return struct.pack('<bbbbbbbb' + 'I' * length, *array)
value_to_db
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n assert isinstance(value, str)\n array = value.split('-')\n length = len(array) - 3\n assert length >= 0\n assert array[0] == 'S'...
def x(self, value): if not isinstance(value, str): raise tldap.exceptions.ValidationError('Invalid sid') array = value.split('-') length = len(array) - 3 if length < 1: raise tldap.exceptions.ValidationError('Invalid sid') if array.pop(0) != 'S': raise tldap.exceptions.ValidationError('Invalid sid') try: [int(i) for i in array] except TypeError: raise tldap.exceptions.ValidationError('Invalid sid')
value_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if not isinstance(value, str):\n raise tldap.exceptions.ValidationError('Invalid sid')\n array = value.split('-')\n length = le...
def x(self, id): id = self.as_id(id) url = '%s/%s' % (self, id) response = self.http.get(url, auth=self.auth) response.raise_for_status() return response.json()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n id = self.as_id(id)\n url = '%s/%s' % (self, id)\n response = self.http.get(url, auth=self.auth)\n response.raise_for_status()\n re...
def x(self, data): response = self.http.post(str(self), json=data, auth=self.auth) response.raise_for_status() return response.json()
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n response = self.http.post(str(self), json=data, auth=self.auth)\n response.raise_for_status()\n return response.json()\n", "role": ...
def x(self, id, data): id = self.as_id(id) response = self.http.patch('%s/%s' % (self, id), json=data, auth=self.auth) response.raise_for_status() return response.json()
update
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, data):\n id = self.as_id(id)\n response = self.http.patch('%s/%s' % (self, id), json=data, auth=self.auth)\n response.raise_for_status()\n ...
def x(self, id): id = self.as_id(id) response = self.http.delete('%s/%s' % (self.api_url, id), auth=self.auth) response.raise_for_status()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n id = self.as_id(id)\n response = self.http.delete('%s/%s' % (self.api_url, id), auth=self.auth)\n response.raise_for_status()\n", "ro...
def x(self, url=None, callback=None, limit=100, **data): url = url or str(self) data = dict((k, v) for k, v in data.items() if v) all_data = [] if limit: data['per_page'] = min(limit, 100) while url: response = self.http.get(url, params=data, auth=self.auth) response.raise_for_status() result = response.json() n = m = len(result) if callback: result = callback(result) m = len(result) all_data.extend(result) if limit and len(all_data) > limit: all_data = all_data[:limit] break elif m == n: data = None next = response.links.get('next', {}) url = next.get('url') else: break return all_data
get_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url=None, callback=None, limit=100, **data):\n url = url or str(self)\n data = dict((k, v) for k, v in data.items() if v)\n all_data = []\n i...
def x(self, issue): commit = self.as_id(issue) return self.get_list(url='%s/%s/comments' % (self, commit))
comments
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, issue):\n commit = self.as_id(issue)\n return self.get_list(url='%s/%s/comments' % (self, commit))\n", "role": "user" }, { "content": "...
def x(self, request, obj=None, version=None): permission_name = '{}.edit_{}'.format(self.opts.app_label, self.opts. model_name) has_permission = request.user.has_perm(permission_name) if obj is not None and has_permission is False: has_permission = request.user.has_perm(permission_name, obj=obj) if has_permission and version is not None: if version.version_number or version.owner != request.user: has_permission = False return has_permission
has_edit_permission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, obj=None, version=None):\n permission_name = '{}.edit_{}'.format(self.opts.app_label, self.opts.\n model_name)\n has_permission = r...
def x(self, request, obj=None): permission_name = '{}.publish_{}'.format(self.opts.app_label, self.opts .model_name) has_permission = request.user.has_perm(permission_name) if obj is not None and has_permission is False: has_permission = request.user.has_perm(permission_name, obj=obj) return has_permission
has_publish_permission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, obj=None):\n permission_name = '{}.publish_{}'.format(self.opts.app_label, self.opts\n .model_name)\n has_permission = request.user...
def x(tag): try: version = list(map(int, tag.split('.'))) assert len(version) == 3 return tuple(version) except Exception as exc: raise CommandError( 'Could not parse "%s", please use MAJOR.MINOR.PATCH' % tag ) from exc
semantic_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tag):\n try:\n version = list(map(int, tag.split('.')))\n assert len(version) == 3\n return tuple(version)\n except Exception as exc...
def x(self, data): self.clear() self.update(data) self.enhance()
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n self.clear()\n self.update(data)\n self.enhance()\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self): if self.objName in ['hosts', 'hostgroups', 'puppet_classes']: from foreman.itemSmartClassParameter import ItemSmartClassParameter self.update({'smart_class_parameters': SubDict(self.api, self. objName, self.payloadObj, self.key, ItemSmartClassParameter)})
enhance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.objName in ['hosts', 'hostgroups', 'puppet_classes']:\n from foreman.itemSmartClassParameter import ItemSmartClassParameter\n ...
def x(self): self.load(self.api.get(self.objName, self.key))
reload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.load(self.api.get(self.objName, self.key))\n", "role": "user" }, { "content": "reload", "role": "assistant" } ]
def x(self, name=None): if 'parameters' in self.keys(): l = {x['name']: x['value'] for x in self['parameters'].values()} if name: if name in l.keys(): return l[name] else: return False else: return l
getParam
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if 'parameters' in self.keys():\n l = {x['name']: x['value'] for x in self['parameters'].values()}\n if name:\n ...
def x(self, classes): actual_classes = self['puppetclasses'].keys() for i in classes: if i not in actual_classes: self['puppetclasses'].append(i) self.reload() return set(classes).issubset(set(self['puppetclasses'].keys()))
checkAndCreateClasses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, classes):\n actual_classes = self['puppetclasses'].keys()\n for i in classes:\n if i not in actual_classes:\n self['puppetclasses...
def x(self, params): actual_params = self['parameters'].keys() for k, v in params.items(): if k not in actual_params: self['parameters'].append({'name': k, 'value': v}) self.reload() return self['parameters'].keys() == params.keys()
checkAndCreateParams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, params):\n actual_params = self['parameters'].keys()\n for k, v in params.items():\n if k not in actual_params:\n self['parameter...
def x(version): match = version_re.match(str(version) or '') letters = 'alpha pre'.split() numbers = 'major minor1 minor2 minor3 alpha_ver pre_ver'.split() if match: d = match.groupdict() for letter in letters: d[letter] = d[letter] if d[letter] else None for num in numbers: if d[num] == '*': d[num] = 99 else: d[num] = int(d[num]) if d[num] else None else: d = dict((k, None) for k in numbers) d.update((k, None) for k in letters) return d
version_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(version):\n match = version_re.match(str(version) or '')\n letters = 'alpha pre'.split()\n numbers = 'major minor1 minor2 minor3 alpha_ver pre_ver'.sp...