source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, tag): tag = tag.strip('#') tag = tag.upper() try: resp = requests.get(self._base_url + 'bands/' + tag, headers=self. headers, timeout=self.timeout) if resp.status_code == 200: data = resp.json() elif 500 > resp.status_code > 400: raise HTTPError(resp.status_code) else: raise Error() except ValueError: raise MissingData('data') except Exception: raise Timeout() data = Box(data) band = Band(data) return band
get_band
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tag):\n tag = tag.strip('#')\n tag = tag.upper()\n try:\n resp = requests.get(self._base_url + 'bands/' + tag, headers=self.\n headers, timeout=self.timeout)\n if resp.status_code == 200:\n data = resp.json()\n elif 500 > resp.status_code > 400:\n raise HTTPError(resp.status_code)\n else:\n raise Error()\n except ValueError:\n raise MissingData('data')\n except Exception:\n raise Timeout()\n data = Box(data)\n band = Band(data)\n return band\n", "role": "user" }, { "content": "get_band", "role": "assistant" } ]
async def get_player(self, tag): """Gets a player. Gets a player with specified tag. If no tag is specified, the request will fail. If the tag is invalid, a brawlstars.InvalidTag will be raised. If the data is missing, a ValueError will be raised. If the connection times out, a brawlstars.Timeout will be raised. If the data was unable to be received, a brawlstars.HTTPError will be raised along with the HTTP status code. On success, will return a Player. """ tag = tag.strip('#') tag = tag.upper() try: async with self.session.get(self._base_url + 'players/' + tag, timeout=self.timeout, headers=self.headers) as resp: if resp.status == 200: data = await resp.json() elif 500 > resp.status > 400: raise HTTPError(resp.status) else: raise Error() except asyncio.TimeoutError: raise Timeout() except ValueError: raise MissingData('data') except Exception: raise InvalidArg('tag') data = Box(data) player = Player(data) return player
get_player
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_player(self, tag):\n \"\"\"Gets a player.\n\n Gets a player with specified tag. If no tag is specified, the request will fail.\n If the tag is invalid, a brawlstars.InvalidTag will be raised.\n If the data is missing, a ValueError will be raised.\n If the connection times out, a brawlstars.Timeout will be raised.\n If the data was unable to be received, a brawlstars.HTTPError will be raised along with the\n HTTP status code.\n On success, will return a Player.\n \"\"\"\n tag = tag.strip('#')\n tag = tag.upper()\n try:\n async with self.session.get(self._base_url + 'players/' + tag,\n timeout=self.timeout, headers=self.headers) as resp:\n if resp.status == 200:\n data = await resp.json()\n elif 500 > resp.status > 400:\n raise HTTPError(resp.status)\n else:\n raise Error()\n except asyncio.TimeoutError:\n raise Timeout()\n except ValueError:\n raise MissingData('data')\n except Exception:\n raise InvalidArg('tag')\n data = Box(data)\n player = Player(data)\n return player\n", "role": "user" }, { "content": "get_player", "role": "assistant" } ]
async def get_band(self, tag): """Gets a band. Gets a band with specified tag. If no tag is specified, the request will fail. If the tag is invalid, a brawlstars.InvalidTag will be raised. If the data is missing, a ValueError will be raised. If the connection times out, a brawlstars.Timeout will be raised. If the data was unable to be received, a brawlstars.HTTPError will be raised along with the HTTP status code. On success, will return a Band. """ tag = tag.strip('#') tag = tag.upper() try: async with self.session.get(self._base_url + 'bands/' + tag, timeout=self.timeout, headers=self.headers) as resp: if resp.status == 200: data = await resp.json() elif 500 > resp.status > 400: raise HTTPError(resp.status) else: raise Error() except asyncio.TimeoutError: raise Timeout() except ValueError: raise MissingData('data') except Exception: raise InvalidArg('tag') data = Box(data) band = Band(data) return band
get_band
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def get_band(self, tag):\n \"\"\"Gets a band.\n\n Gets a band with specified tag. If no tag is specified, the request will fail.\n If the tag is invalid, a brawlstars.InvalidTag will be raised.\n If the data is missing, a ValueError will be raised.\n If the connection times out, a brawlstars.Timeout will be raised.\n If the data was unable to be received, a brawlstars.HTTPError will be raised along with the\n HTTP status code.\n On success, will return a Band.\n \"\"\"\n tag = tag.strip('#')\n tag = tag.upper()\n try:\n async with self.session.get(self._base_url + 'bands/' + tag,\n timeout=self.timeout, headers=self.headers) as resp:\n if resp.status == 200:\n data = await resp.json()\n elif 500 > resp.status > 400:\n raise HTTPError(resp.status)\n else:\n raise Error()\n except asyncio.TimeoutError:\n raise Timeout()\n except ValueError:\n raise MissingData('data')\n except Exception:\n raise InvalidArg('tag')\n data = Box(data)\n band = Band(data)\n return band\n", "role": "user" }, { "content": "get_band", "role": "assistant" } ]
def x(modname, error_strings=None, lazy_mod_class=LazyModule, level='leaf'): if error_strings is None: error_strings = {} _set_default_errornames(modname, error_strings) mod = _lazy_module(modname, error_strings, lazy_mod_class) if level == 'base': return sys.modules[module_basename(modname)] elif level == 'leaf': return mod else: raise ValueError("Parameter 'level' must be one of ('base', 'leaf')")
lazy_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modname, error_strings=None, lazy_mod_class=LazyModule, level='leaf'):\n if error_strings is None:\n error_strings = {}\n _set_default_errornames(modname, error_strings)\n mod = _lazy_module(modname, error_strings, lazy_mod_class)\n if level == 'base':\n return sys.modules[module_basename(modname)]\n elif level == 'leaf':\n return mod\n else:\n raise ValueError(\"Parameter 'level' must be one of ('base', 'leaf')\")\n", "role": "user" }, { "content": "lazy_module", "role": "assistant" } ]
def x(modname, *names, **kwargs): if not names: modname, _, name = modname.rpartition('.') lazy_mod_class = _setdef(kwargs, 'lazy_mod_class', LazyModule) lazy_call_class = _setdef(kwargs, 'lazy_call_class', LazyCallable) error_strings = _setdef(kwargs, 'error_strings', {}) _set_default_errornames(modname, error_strings, call=True) if not names: return _lazy_callable(modname, name, error_strings.copy(), lazy_mod_class, lazy_call_class) return tuple(_lazy_callable(modname, cname, error_strings.copy(), lazy_mod_class, lazy_call_class) for cname in names)
lazy_callable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modname, *names, **kwargs):\n if not names:\n modname, _, name = modname.rpartition('.')\n lazy_mod_class = _setdef(kwargs, 'lazy_mod_class', LazyModule)\n lazy_call_class = _setdef(kwargs, 'lazy_call_class', LazyCallable)\n error_strings = _setdef(kwargs, 'error_strings', {})\n _set_default_errornames(modname, error_strings, call=True)\n if not names:\n return _lazy_callable(modname, name, error_strings.copy(),\n lazy_mod_class, lazy_call_class)\n return tuple(_lazy_callable(modname, cname, error_strings.copy(),\n lazy_mod_class, lazy_call_class) for cname in names)\n", "role": "user" }, { "content": "lazy_callable", "role": "assistant" } ]
def x(module): modclass = type(module) if not issubclass(modclass, LazyModule): raise TypeError('Passed module is not a LazyModule instance.') with _ImportLockContext(): parent, _, modname = module.__name__.rpartition('.') logger.debug('loading module {}'.format(modname)) if not hasattr(modclass, '_lazy_import_error_msgs'): return modclass._LOADING = True try: if parent: logger.debug('first loading parent module {}'.format(parent)) setattr(sys.modules[parent], modname, module) if not hasattr(modclass, '_LOADING'): logger.debug('Module {} already loaded by the parent'. format(modname)) return cached_data = _clean_lazymodule(module) try: reload_module(module) except: logger.debug('Failed to load module {}. Resetting...'. format(modname)) _reset_lazymodule(module, cached_data) raise else: logger.debug('Successfully loaded module {}'.format(modname)) delattr(modclass, '_LOADING') _reset_lazy_submod_refs(module) except (AttributeError, ImportError) as err: logger.debug('Failed to load {}.\n{}: {}'.format(modname, err. __class__.__name__, err)) logger.lazy_trace() if (six.PY3 and isinstance(err, AttributeError)) and not err.args[0 ] == "'NoneType' object has no attribute 'name'": raise msg = modclass._lazy_import_error_msgs['msg'] raise_from(ImportError(msg.format(**modclass. _lazy_import_error_strings)), None)
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n modclass = type(module)\n if not issubclass(modclass, LazyModule):\n raise TypeError('Passed module is not a LazyModule instance.')\n with _ImportLockContext():\n parent, _, modname = module.__name__.rpartition('.')\n logger.debug('loading module {}'.format(modname))\n if not hasattr(modclass, '_lazy_import_error_msgs'):\n return\n modclass._LOADING = True\n try:\n if parent:\n logger.debug('first loading parent module {}'.format(parent))\n setattr(sys.modules[parent], modname, module)\n if not hasattr(modclass, '_LOADING'):\n logger.debug('Module {} already loaded by the parent'.\n format(modname))\n return\n cached_data = _clean_lazymodule(module)\n try:\n reload_module(module)\n except:\n logger.debug('Failed to load module {}. Resetting...'.\n format(modname))\n _reset_lazymodule(module, cached_data)\n raise\n else:\n logger.debug('Successfully loaded module {}'.format(modname))\n delattr(modclass, '_LOADING')\n _reset_lazy_submod_refs(module)\n except (AttributeError, ImportError) as err:\n logger.debug('Failed to load {}.\\n{}: {}'.format(modname, err.\n __class__.__name__, err))\n logger.lazy_trace()\n if (six.PY3 and isinstance(err, AttributeError)) and not err.args[0\n ] == \"'NoneType' object has no attribute 'name'\":\n raise\n msg = modclass._lazy_import_error_msgs['msg']\n raise_from(ImportError(msg.format(**modclass.\n _lazy_import_error_strings)), None)\n", "role": "user" }, { "content": "load_module", "role": "assistant" } ]
def x(argdict, name, defaultvalue): if not name in argdict or argdict[name] is None: argdict[name] = defaultvalue return argdict[name]
setdef
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(argdict, name, defaultvalue):\n if not name in argdict or argdict[name] is None:\n argdict[name] = defaultvalue\n return argdict[name]\n", "role": "user" }, { "content": "setdef", "role": "assistant" } ]
def x(module): modclass = type(module) _clean_lazy_submod_refs(module) modclass.__getattribute__ = ModuleType.__getattribute__ modclass.__setattr__ = ModuleType.__setattr__ cls_attrs = {} for cls_attr in _CLS_ATTRS: try: cls_attrs[cls_attr] = getattr(modclass, cls_attr) delattr(modclass, cls_attr) except AttributeError: pass return cls_attrs
clean_lazymodule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module):\n modclass = type(module)\n _clean_lazy_submod_refs(module)\n modclass.__getattribute__ = ModuleType.__getattribute__\n modclass.__setattr__ = ModuleType.__setattr__\n cls_attrs = {}\n for cls_attr in _CLS_ATTRS:\n try:\n cls_attrs[cls_attr] = getattr(modclass, cls_attr)\n delattr(modclass, cls_attr)\n except AttributeError:\n pass\n return cls_attrs\n", "role": "user" }, { "content": "clean_lazymodule", "role": "assistant" } ]
def x(module, cls_attrs): modclass = type(module) del modclass.__getattribute__ del modclass.__setattr__ try: del modclass._LOADING except AttributeError: pass for cls_attr in _CLS_ATTRS: try: setattr(modclass, cls_attr, cls_attrs[cls_attr]) except KeyError: pass _reset_lazy_submod_refs(module)
reset_lazymodule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module, cls_attrs):\n modclass = type(module)\n del modclass.__getattribute__\n del modclass.__setattr__\n try:\n del modclass._LOADING\n except AttributeError:\n pass\n for cls_attr in _CLS_ATTRS:\n try:\n setattr(modclass, cls_attr, cls_attrs[cls_attr])\n except KeyError:\n pass\n _reset_lazy_submod_refs(module)\n", "role": "user" }, { "content": "reset_lazymodule", "role": "assistant" } ]
def x(klass): if six.PY2: klass.__unicode__ = klass.__str__ klass.__str__ = lambda self: self.__unicode__().encode('utf-8') return klass
python_2_unicode_compatible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(klass):\n if six.PY2:\n klass.__unicode__ = klass.__str__\n klass.__str__ = lambda self: self.__unicode__().encode('utf-8')\n return klass\n", "role": "user" }, { "content": "python_2_unicode_compatible", "role": "assistant" } ]
def x(dt): try: utc_dt = dt.astimezone(pytz.utc) except ValueError: utc_dt = dt.replace(tzinfo=pytz.utc) return timegm(utc_dt.timetuple())
timestamp_from_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt):\n try:\n utc_dt = dt.astimezone(pytz.utc)\n except ValueError:\n utc_dt = dt.replace(tzinfo=pytz.utc)\n return timegm(utc_dt.timetuple())\n", "role": "user" }, { "content": "timestamp_from_datetime", "role": "assistant" } ]
def x(s, encoding='utf-8', strings_only=False, errors='strict'): if isinstance(s, memoryview): s = bytes(s) if isinstance(s, bytes): if encoding == 'utf-8': return s else: return s.decode('utf-8', errors).encode(encoding, errors) if strings_only and (s is None or isinstance(s, int)): return s if not isinstance(s, six.string_types): try: if six.PY3: return six.text_type(s).encode(encoding) else: return bytes(s) except UnicodeEncodeError: if isinstance(s, Exception): return b' '.join([force_bytes(arg, encoding, strings_only, errors) for arg in s]) return six.text_type(s).encode(encoding, errors) else: return s.encode(encoding, errors)
force_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, encoding='utf-8', strings_only=False, errors='strict'):\n if isinstance(s, memoryview):\n s = bytes(s)\n if isinstance(s, bytes):\n if encoding == 'utf-8':\n return s\n else:\n return s.decode('utf-8', errors).encode(encoding, errors)\n if strings_only and (s is None or isinstance(s, int)):\n return s\n if not isinstance(s, six.string_types):\n try:\n if six.PY3:\n return six.text_type(s).encode(encoding)\n else:\n return bytes(s)\n except UnicodeEncodeError:\n if isinstance(s, Exception):\n return b' '.join([force_bytes(arg, encoding, strings_only,\n errors) for arg in s])\n return six.text_type(s).encode(encoding, errors)\n else:\n return s.encode(encoding, errors)\n", "role": "user" }, { "content": "force_bytes", "role": "assistant" } ]
def x(func, cache, num_args): @wraps(func) def x(*args): mem_args = args[:num_args] if mem_args in cache: return cache[mem_args] result = func(*args) cache[mem_args] = result return result return wrapper
memoize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, cache, num_args):\n\n @wraps(func)\n def x(*args):\n mem_args = args[:num_args]\n if mem_args in cache:\n return cache[mem_args]\n result = func(*args)\n cache[mem_args] = result\n return result\n return wrapper\n", "role": "user" }, { "content": "memoize", "role": "assistant" } ]
def x(new_exception_or_type): __traceback_hide__ = True e_type, e_value, e_traceback = sys.exc_info() if inspect.isclass(new_exception_or_type): new_type = new_exception_or_type new_exception = new_exception_or_type() else: new_type = type(new_exception_or_type) new_exception = new_exception_or_type new_exception.__cause__ = e_value try: six.reraise(new_type, new_exception, e_traceback) finally: del e_traceback
reraise_as
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(new_exception_or_type):\n __traceback_hide__ = True\n e_type, e_value, e_traceback = sys.exc_info()\n if inspect.isclass(new_exception_or_type):\n new_type = new_exception_or_type\n new_exception = new_exception_or_type()\n else:\n new_type = type(new_exception_or_type)\n new_exception = new_exception_or_type\n new_exception.__cause__ = e_value\n try:\n six.reraise(new_type, new_exception, e_traceback)\n finally:\n del e_traceback\n", "role": "user" }, { "content": "reraise_as", "role": "assistant" } ]
def x(msg): for pattern, repl in RE_HIDE_AUTH: msg = pattern.sub(repl, msg) return msg
hide_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg):\n for pattern, repl in RE_HIDE_AUTH:\n msg = pattern.sub(repl, msg)\n return msg\n", "role": "user" }, { "content": "hide_auth", "role": "assistant" } ]
def x(self): self.debug('Initializing %r', self) proto = self.server.split('://')[0] if proto == 'https': if hasattr(ssl, 'create_default_context'): context = ssl.create_default_context() if self.ssl_verify: context.check_hostname = True context.verify_mode = ssl.CERT_REQUIRED else: context.check_hostname = False context.verify_mode = ssl.CERT_NONE self._http_handler = urllib2.HTTPSHandler(debuglevel=0, context =context) else: self._http_handler = urllib2.HTTPSHandler(debuglevel=0) elif proto == 'http': self._http_handler = urllib2.HTTPHandler(debuglevel=0) else: raise ValueError('Invalid protocol %s' % proto) self._api_url = self.server + '/api_jsonrpc.php' self._http_headers = {'Content-Type': 'application/json-rpc', 'User-Agent': 'python/zabbix_api'} if self.httpuser: self.debug('HTTP authentication enabled') auth = self.httpuser + ':' + self.httppasswd self._http_headers['Authorization'] = 'Basic ' + b64encode(auth. encode('utf-8')).decode('ascii')
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.debug('Initializing %r', self)\n proto = self.server.split('://')[0]\n if proto == 'https':\n if hasattr(ssl, 'create_default_context'):\n context = ssl.create_default_context()\n if self.ssl_verify:\n context.check_hostname = True\n context.verify_mode = ssl.CERT_REQUIRED\n else:\n context.check_hostname = False\n context.verify_mode = ssl.CERT_NONE\n self._http_handler = urllib2.HTTPSHandler(debuglevel=0, context\n =context)\n else:\n self._http_handler = urllib2.HTTPSHandler(debuglevel=0)\n elif proto == 'http':\n self._http_handler = urllib2.HTTPHandler(debuglevel=0)\n else:\n raise ValueError('Invalid protocol %s' % proto)\n self._api_url = self.server + '/api_jsonrpc.php'\n self._http_headers = {'Content-Type': 'application/json-rpc',\n 'User-Agent': 'python/zabbix_api'}\n if self.httpuser:\n self.debug('HTTP authentication enabled')\n auth = self.httpuser + ':' + self.httppasswd\n self._http_headers['Authorization'] = 'Basic ' + b64encode(auth.\n encode('utf-8')).decode('ascii')\n", "role": "user" }, { "content": "init", "role": "assistant" } ]
def x(cls, dt, dt_format=DATETIME_FORMAT): return cls.convert_datetime(cls.get_datetime(dt), dt_format=dt_format)
timestamp_to_datetime
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, dt, dt_format=DATETIME_FORMAT):\n return cls.convert_datetime(cls.get_datetime(dt), dt_format=dt_format)\n", "role": "user" }, { "content": "timestamp_to_datetime", "role": "assistant" } ]
def x(dt): delta = datetime.now() - dt days = delta.days hours, rem = divmod(delta.seconds, 3600) minutes, seconds = divmod(rem, 60) if days: return '%dd %dh %dm' % (days, hours, minutes) else: return '%dh %dm %ds' % (hours, minutes, seconds)
get_age
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dt):\n delta = datetime.now() - dt\n days = delta.days\n hours, rem = divmod(delta.seconds, 3600)\n minutes, seconds = divmod(rem, 60)\n if days:\n return '%dd %dh %dm' % (days, hours, minutes)\n else:\n return '%dh %dm %ds' % (hours, minutes, seconds)\n", "role": "user" }, { "content": "get_age", "role": "assistant" } ]
def x(self, method, params=None, auth=True): if params is None: params = {} obj = {'jsonrpc': '2.0', 'method': method, 'params': params, 'auth': self.__auth if auth else None, 'id': self.id} return json.dumps(obj)
json_obj
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, params=None, auth=True):\n if params is None:\n params = {}\n obj = {'jsonrpc': '2.0', 'method': method, 'params': params, 'auth': \n self.__auth if auth else None, 'id': self.id}\n return json.dumps(obj)\n", "role": "user" }, { "content": "json_obj", "role": "assistant" } ]
def x(self, json_obj): self.debug('Request: url="%s" headers=%s', self._api_url, self. _http_headers) self.debug('Request: body=%s', json_obj) self.r_query.append(json_obj) request = urllib2.Request(url=self._api_url, data=json_obj.encode( 'utf-8'), headers=self._http_headers) opener = urllib2.build_opener(self._http_handler) urllib2.install_opener(opener) try: response = opener.open(request, timeout=self.timeout) except Exception as e: raise ZabbixAPIException('HTTP connection problem: %s' % e) self.debug('Response: code=%s', response.code) if response.code != 200: raise ZabbixAPIException('HTTP error %s: %s' % (response.status, response.reason)) reads = response.read() if len(reads) == 0: raise ZabbixAPIException('Received zero answer') try: jobj = json.loads(reads.decode('utf-8')) except ValueError as e: self.log(ERROR, 'Unable to decode. returned string: %s', reads) raise ZabbixAPIException('Unable to decode response: %s' % e) self.debug('Response: body=%s', jobj) self.id += 1 if 'error' in jobj: error = jobj['error'] if isinstance(error, dict): raise ZabbixAPIError(**error) try: return jobj['result'] except KeyError: raise ZabbixAPIException('Missing result in API response')
do_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, json_obj):\n self.debug('Request: url=\"%s\" headers=%s', self._api_url, self.\n _http_headers)\n self.debug('Request: body=%s', json_obj)\n self.r_query.append(json_obj)\n request = urllib2.Request(url=self._api_url, data=json_obj.encode(\n 'utf-8'), headers=self._http_headers)\n opener = urllib2.build_opener(self._http_handler)\n urllib2.install_opener(opener)\n try:\n response = opener.open(request, timeout=self.timeout)\n except Exception as e:\n raise ZabbixAPIException('HTTP connection problem: %s' % e)\n self.debug('Response: code=%s', response.code)\n if response.code != 200:\n raise ZabbixAPIException('HTTP error %s: %s' % (response.status,\n response.reason))\n reads = response.read()\n if len(reads) == 0:\n raise ZabbixAPIException('Received zero answer')\n try:\n jobj = json.loads(reads.decode('utf-8'))\n except ValueError as e:\n self.log(ERROR, 'Unable to decode. returned string: %s', reads)\n raise ZabbixAPIException('Unable to decode response: %s' % e)\n self.debug('Response: body=%s', jobj)\n self.id += 1\n if 'error' in jobj:\n error = jobj['error']\n if isinstance(error, dict):\n raise ZabbixAPIError(**error)\n try:\n return jobj['result']\n except KeyError:\n raise ZabbixAPIException('Missing result in API response')\n", "role": "user" }, { "content": "do_request", "role": "assistant" } ]
def x(self, user=None, password=None, save=True): if user and password: if save: self.__username = user self.__password = password elif self.__username and self.__password: user = self.__username password = self.__password else: raise ZabbixAPIException('No authentication information available.') self.last_login = time() hashed_pw_string = 'md5(%s)' % md5(password.encode('utf-8')).hexdigest() self.debug('Trying to login with %r:%r', user, hashed_pw_string) obj = self.json_obj('user.login', params={'user': user, 'password': password}, auth=False) self.__auth = self.do_request(obj)
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None, password=None, save=True):\n if user and password:\n if save:\n self.__username = user\n self.__password = password\n elif self.__username and self.__password:\n user = self.__username\n password = self.__password\n else:\n raise ZabbixAPIException('No authentication information available.')\n self.last_login = time()\n hashed_pw_string = 'md5(%s)' % md5(password.encode('utf-8')).hexdigest()\n self.debug('Trying to login with %r:%r', user, hashed_pw_string)\n obj = self.json_obj('user.login', params={'user': user, 'password':\n password}, auth=False)\n self.__auth = self.do_request(obj)\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self): try: self.__auth = None self.login() except ZabbixAPIException as e: self.log(ERROR, 'Zabbix API relogin error (%s)', e) self.__auth = None raise
relogin
[ { "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 self.__auth = None\n self.login()\n except ZabbixAPIException as e:\n self.log(ERROR, 'Zabbix API relogin error (%s)', e)\n self.__auth = None\n raise\n", "role": "user" }, { "content": "relogin", "role": "assistant" } ]
def x(self): if not self.logged_in: if self.relogin_interval and self.last_login and time( ) - self.last_login > self.relogin_interval: self.log(WARNING, 'Zabbix API not logged in. Performing Zabbix API relogin after %d seconds' , self.relogin_interval) self.relogin() else: raise ZabbixAPIException('Not logged in.')
check_auth
[ { "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.logged_in:\n if self.relogin_interval and self.last_login and time(\n ) - self.last_login > self.relogin_interval:\n self.log(WARNING,\n 'Zabbix API not logged in. Performing Zabbix API relogin after %d seconds'\n , self.relogin_interval)\n self.relogin()\n else:\n raise ZabbixAPIException('Not logged in.')\n", "role": "user" }, { "content": "check_auth", "role": "assistant" } ]
def x(self, method, params=None): start_time = time() self.check_auth() self.log(INFO, '[%s-%05d] Calling Zabbix API method "%s"', start_time, self.id, method) self.log(DEBUG, '\twith parameters: %s', params) try: return self.do_request(self.json_obj(method, params=params)) except ZabbixAPIError as ex: if self.relogin_interval and any(i in ex.error['data'] for i in self.LOGIN_ERRORS): self.log(WARNING, 'Zabbix API not logged in (%s). Performing Zabbix API relogin', ex) self.relogin() return self.do_request(self.json_obj(method, params=params)) raise finally: self.log(INFO, '[%s-%05d] Zabbix API method "%s" finished in %g seconds', start_time, self.id, method, time() - start_time)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method, params=None):\n start_time = time()\n self.check_auth()\n self.log(INFO, '[%s-%05d] Calling Zabbix API method \"%s\"', start_time,\n self.id, method)\n self.log(DEBUG, '\\twith parameters: %s', params)\n try:\n return self.do_request(self.json_obj(method, params=params))\n except ZabbixAPIError as ex:\n if self.relogin_interval and any(i in ex.error['data'] for i in\n self.LOGIN_ERRORS):\n self.log(WARNING,\n 'Zabbix API not logged in (%s). Performing Zabbix API relogin',\n ex)\n self.relogin()\n return self.do_request(self.json_obj(method, params=params))\n raise\n finally:\n self.log(INFO,\n '[%s-%05d] Zabbix API method \"%s\" finished in %g seconds',\n start_time, self.id, method, time() - start_time)\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(url, directory, idx, min_file_size=0, max_file_size=-1, no_redirects= False, pos=0, mode='s'): global main_it global exit_flag global total_chunks global file_name global i_max file_name[idx] = url.split('/')[-1] file_address = directory + '/' + file_name[idx] is_redirects = not no_redirects resp = s.get(url, stream=True, allow_redirects=is_redirects) if not resp.status_code == 200: exit_flag += 1 return try: total_size = int(resp.headers['content-length']) except KeyError: total_size = len(resp.content) total_chunks[idx] = total_size / chunk_size if total_chunks[idx] < min_file_size: exit_flag += 1 return elif max_file_size != -1 and total_chunks[idx] > max_file_size: exit_flag += 1 return file_iterable = resp.iter_content(chunk_size=chunk_size) with open(file_address, 'wb') as f: for sno, data in enumerate(file_iterable): i_max[idx] = sno + 1 f.write(data) exit_flag += 1
download_parallel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, directory, idx, min_file_size=0, max_file_size=-1, no_redirects=\n False, pos=0, mode='s'):\n global main_it\n global exit_flag\n global total_chunks\n global file_name\n global i_max\n file_name[idx] = url.split('/')[-1]\n file_address = directory + '/' + file_name[idx]\n is_redirects = not no_redirects\n resp = s.get(url, stream=True, allow_redirects=is_redirects)\n if not resp.status_code == 200:\n exit_flag += 1\n return\n try:\n total_size = int(resp.headers['content-length'])\n except KeyError:\n total_size = len(resp.content)\n total_chunks[idx] = total_size / chunk_size\n if total_chunks[idx] < min_file_size:\n exit_flag += 1\n return\n elif max_file_size != -1 and total_chunks[idx] > max_file_size:\n exit_flag += 1\n return\n file_iterable = resp.iter_content(chunk_size=chunk_size)\n with open(file_address, 'wb') as f:\n for sno, data in enumerate(file_iterable):\n i_max[idx] = sno + 1\n f.write(data)\n exit_flag += 1\n", "role": "user" }, { "content": "download_parallel", "role": "assistant" } ]
def x(root, urls, directory, min_file_size, max_file_size, no_redirects): global parallel if not os.path.exists(directory): os.makedirs(directory) parallel = True app = progress_class(root, urls, directory, min_file_size, max_file_size, no_redirects)
download_parallel_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root, urls, directory, min_file_size, max_file_size, no_redirects):\n global parallel\n if not os.path.exists(directory):\n os.makedirs(directory)\n parallel = True\n app = progress_class(root, urls, directory, min_file_size,\n max_file_size, no_redirects)\n", "role": "user" }, { "content": "download_parallel_gui", "role": "assistant" } ]
def x(frame, urls, directory, min_file_size, max_file_size, no_redirects): if not os.path.exists(directory): os.makedirs(directory) app = progress_class(frame, urls, directory, min_file_size, max_file_size, no_redirects)
download_series_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(frame, urls, directory, min_file_size, max_file_size, no_redirects):\n if not os.path.exists(directory):\n os.makedirs(directory)\n app = progress_class(frame, urls, directory, min_file_size,\n max_file_size, no_redirects)\n", "role": "user" }, { "content": "download_series_gui", "role": "assistant" } ]
def x(self): global parallel if parallel: download_parallel(self.url, self.directory, self.idx, self. min_file_size, self.max_file_size, self.no_redirects) else: download(self.url, self.directory, self.idx, self.min_file_size, self.max_file_size, self.no_redirects)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n global parallel\n if parallel:\n download_parallel(self.url, self.directory, self.idx, self.\n min_file_size, self.max_file_size, self.no_redirects)\n else:\n download(self.url, self.directory, self.idx, self.min_file_size,\n self.max_file_size, self.no_redirects)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): global parallel for self.i in range(0, self.length): if parallel: self.thread.append(myThread(self.url[self.i], self.directory, self.i, self.min_file_size, self.max_file_size, self. no_redirects)) else: self.thread.append(myThread(self.url, self.directory, self.i, self.min_file_size, self.max_file_size, self.no_redirects)) self.progress[self.i]['value'] = 0 self.bytes[self.i] = 0 self.thread[self.i].start() self.read_bytes()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n global parallel\n for self.i in range(0, self.length):\n if parallel:\n self.thread.append(myThread(self.url[self.i], self.directory,\n self.i, self.min_file_size, self.max_file_size, self.\n no_redirects))\n else:\n self.thread.append(myThread(self.url, self.directory, self.i,\n self.min_file_size, self.max_file_size, self.no_redirects))\n self.progress[self.i]['value'] = 0\n self.bytes[self.i] = 0\n self.thread[self.i].start()\n self.read_bytes()\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self): global exit_flag for self.i in range(0, self.length): self.bytes[self.i] = i_max[self.i] self.maxbytes[self.i] = total_chunks[self.i] self.progress[self.i]['maximum'] = total_chunks[self.i] self.progress[self.i]['value'] = self.bytes[self.i] self.str[self.i].set(file_name[self.i] + ' ' + str(self.bytes [self.i]) + 'KB / ' + str(int(self.maxbytes[self.i] + 1)) + ' KB') if exit_flag == self.length: exit_flag = 0 self.frame.destroy() else: self.frame.after(10, self.read_bytes)
read_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n global exit_flag\n for self.i in range(0, self.length):\n self.bytes[self.i] = i_max[self.i]\n self.maxbytes[self.i] = total_chunks[self.i]\n self.progress[self.i]['maximum'] = total_chunks[self.i]\n self.progress[self.i]['value'] = self.bytes[self.i]\n self.str[self.i].set(file_name[self.i] + ' ' + str(self.bytes\n [self.i]) + 'KB / ' + str(int(self.maxbytes[self.i] + 1)) + ' KB')\n if exit_flag == self.length:\n exit_flag = 0\n self.frame.destroy()\n else:\n self.frame.after(10, self.read_bytes)\n", "role": "user" }, { "content": "read_bytes", "role": "assistant" } ]
def x(self, declared_type): if declared_type not in self.collected_types: self.collected_types[declared_type.name] = declared_type return declared_type
declare_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, declared_type):\n if declared_type not in self.collected_types:\n self.collected_types[declared_type.name] = declared_type\n return declared_type\n", "role": "user" }, { "content": "declare_type", "role": "assistant" } ]
def x(metadata, namespaces): for key, value in metadata.items(): if key not in namespaces: namespaces[key] = value elif namespaces[key] != value: raise validate.ValidationException( "Namespace prefix '{}' has conflicting definitions '{}' and '{}'." .format(key, namespaces[key], value))
add_namespaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metadata, namespaces):\n for key, value in metadata.items():\n if key not in namespaces:\n namespaces[key] = value\n elif namespaces[key] != value:\n raise validate.ValidationException(\n \"Namespace prefix '{}' has conflicting definitions '{}' and '{}'.\"\n .format(key, namespaces[key], value))\n", "role": "user" }, { "content": "add_namespaces", "role": "assistant" } ]
def x(metadata): namespaces = {} if '$import_metadata' in metadata: for value in metadata['$import_metadata'].values(): add_namespaces(collect_namespaces(value), namespaces) if '$namespaces' in metadata: add_namespaces(metadata['$namespaces'], namespaces) return namespaces
collect_namespaces
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(metadata):\n namespaces = {}\n if '$import_metadata' in metadata:\n for value in metadata['$import_metadata'].values():\n add_namespaces(collect_namespaces(value), namespaces)\n if '$namespaces' in metadata:\n add_namespaces(metadata['$namespaces'], namespaces)\n return namespaces\n", "role": "user" }, { "content": "collect_namespaces", "role": "assistant" } ]
def x(schema_ref, cache=None): metaschema_names, _metaschema_doc, metaschema_loader = get_metaschema() if cache is not None: metaschema_loader.cache.update(cache) schema_doc, schema_metadata = metaschema_loader.resolve_ref(schema_ref, '') if not isinstance(schema_doc, MutableSequence): raise ValueError('Schema reference must resolve to a list.') validate_doc(metaschema_names, schema_doc, metaschema_loader, True) metactx = schema_metadata.get('@context', {}) metactx.update(collect_namespaces(schema_metadata)) schema_ctx = jsonld_context.salad_to_jsonld_context(schema_doc, metactx)[0] document_loader = Loader(schema_ctx, cache=cache) avsc_names = make_avro_schema(schema_doc, document_loader) return document_loader, avsc_names, schema_metadata, metaschema_loader
load_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema_ref, cache=None):\n metaschema_names, _metaschema_doc, metaschema_loader = get_metaschema()\n if cache is not None:\n metaschema_loader.cache.update(cache)\n schema_doc, schema_metadata = metaschema_loader.resolve_ref(schema_ref, '')\n if not isinstance(schema_doc, MutableSequence):\n raise ValueError('Schema reference must resolve to a list.')\n validate_doc(metaschema_names, schema_doc, metaschema_loader, True)\n metactx = schema_metadata.get('@context', {})\n metactx.update(collect_namespaces(schema_metadata))\n schema_ctx = jsonld_context.salad_to_jsonld_context(schema_doc, metactx)[0]\n document_loader = Loader(schema_ctx, cache=cache)\n avsc_names = make_avro_schema(schema_doc, document_loader)\n return document_loader, avsc_names, schema_metadata, metaschema_loader\n", "role": "user" }, { "content": "load_schema", "role": "assistant" } ]
def x(document_loader, avsc_names, document, strict, strict_foreign_properties=False): try: if isinstance(document, CommentedMap): data, metadata = document_loader.resolve_all(document, document ['id'], checklinks=True, strict_foreign_properties= strict_foreign_properties) else: data, metadata = document_loader.resolve_ref(document, checklinks=True, strict_foreign_properties= strict_foreign_properties) validate_doc(avsc_names, data, document_loader, strict, strict_foreign_properties=strict_foreign_properties) return data, metadata except validate.ValidationException as exc: raise validate.ValidationException(strip_dup_lineno(str(exc)))
load_and_validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(document_loader, avsc_names, document, strict,\n strict_foreign_properties=False):\n try:\n if isinstance(document, CommentedMap):\n data, metadata = document_loader.resolve_all(document, document\n ['id'], checklinks=True, strict_foreign_properties=\n strict_foreign_properties)\n else:\n data, metadata = document_loader.resolve_ref(document,\n checklinks=True, strict_foreign_properties=\n strict_foreign_properties)\n validate_doc(avsc_names, data, document_loader, strict,\n strict_foreign_properties=strict_foreign_properties)\n return data, metadata\n except validate.ValidationException as exc:\n raise validate.ValidationException(strip_dup_lineno(str(exc)))\n", "role": "user" }, { "content": "load_and_validate", "role": "assistant" } ]
def x(schema_names, doc, loader, strict, strict_foreign_properties=False): has_root = False for root in schema_names.names.values(): if hasattr(root, 'get_prop') and root.get_prop(u'documentRoot' ) or u'documentRoot' in root.props: has_root = True break if not has_root: raise validate.ValidationException( 'No document roots defined in the schema') if isinstance(doc, MutableSequence): vdoc = doc elif isinstance(doc, CommentedMap): vdoc = CommentedSeq([doc]) vdoc.lc.add_kv_line_col(0, [doc.lc.line, doc.lc.col]) vdoc.lc.filename = doc.lc.filename else: raise validate.ValidationException('Document must be dict or list') roots = [] for root in schema_names.names.values(): if hasattr(root, 'get_prop') and root.get_prop(u'documentRoot' ) or root.props.get(u'documentRoot'): roots.append(root) anyerrors = [] for pos, item in enumerate(vdoc): sourceline = SourceLine(vdoc, pos, Text) success = False for root in roots: success = validate.validate_ex(root, item, loader.identifiers, strict, foreign_properties=loader.foreign_properties, raise_ex=False, skip_foreign_properties=loader.skip_schemas, strict_foreign_properties=strict_foreign_properties) if success: break if not success: errors = [] for root in roots: if hasattr(root, 'get_prop'): name = root.get_prop(u'name') elif hasattr(root, 'name'): name = root.name try: validate.validate_ex(root, item, loader.identifiers, strict, foreign_properties=loader. foreign_properties, raise_ex=True, skip_foreign_properties=loader.skip_schemas, strict_foreign_properties=strict_foreign_properties) except validate.ClassValidationException as exc: errors = [sourceline.makeError(u'tried `%s` but\n%s' % (name, validate.indent(str(exc), nolead=False)))] break except validate.ValidationException as exc: errors.append(sourceline.makeError( u'tried `%s` but\n%s' % (name, validate.indent(str( exc), nolead=False)))) objerr = sourceline.makeError(u'Invalid') for ident in loader.identifiers: if ident in item: objerr = sourceline.makeError( u'Object `%s` is not valid because' % relname(item[ ident])) break anyerrors.append(u'%s\n%s' % (objerr, validate.indent(bullets( errors, '- ')))) if anyerrors: raise validate.ValidationException(strip_dup_lineno(bullets( anyerrors, '* ')))
validate_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schema_names, doc, loader, strict, strict_foreign_properties=False):\n has_root = False\n for root in schema_names.names.values():\n if hasattr(root, 'get_prop') and root.get_prop(u'documentRoot'\n ) or u'documentRoot' in root.props:\n has_root = True\n break\n if not has_root:\n raise validate.ValidationException(\n 'No document roots defined in the schema')\n if isinstance(doc, MutableSequence):\n vdoc = doc\n elif isinstance(doc, CommentedMap):\n vdoc = CommentedSeq([doc])\n vdoc.lc.add_kv_line_col(0, [doc.lc.line, doc.lc.col])\n vdoc.lc.filename = doc.lc.filename\n else:\n raise validate.ValidationException('Document must be dict or list')\n roots = []\n for root in schema_names.names.values():\n if hasattr(root, 'get_prop') and root.get_prop(u'documentRoot'\n ) or root.props.get(u'documentRoot'):\n roots.append(root)\n anyerrors = []\n for pos, item in enumerate(vdoc):\n sourceline = SourceLine(vdoc, pos, Text)\n success = False\n for root in roots:\n success = validate.validate_ex(root, item, loader.identifiers,\n strict, foreign_properties=loader.foreign_properties,\n raise_ex=False, skip_foreign_properties=loader.skip_schemas,\n strict_foreign_properties=strict_foreign_properties)\n if success:\n break\n if not success:\n errors = []\n for root in roots:\n if hasattr(root, 'get_prop'):\n name = root.get_prop(u'name')\n elif hasattr(root, 'name'):\n name = root.name\n try:\n validate.validate_ex(root, item, loader.identifiers,\n strict, foreign_properties=loader.\n foreign_properties, raise_ex=True,\n skip_foreign_properties=loader.skip_schemas,\n strict_foreign_properties=strict_foreign_properties)\n except validate.ClassValidationException as exc:\n errors = [sourceline.makeError(u'tried `%s` but\\n%s' %\n (name, validate.indent(str(exc), nolead=False)))]\n break\n except validate.ValidationException as exc:\n errors.append(sourceline.makeError(\n u'tried `%s` but\\n%s' % (name, validate.indent(str(\n exc), nolead=False))))\n objerr = sourceline.makeError(u'Invalid')\n for ident in loader.identifiers:\n if ident in item:\n objerr = sourceline.makeError(\n u'Object `%s` is not valid because' % relname(item[\n ident]))\n break\n anyerrors.append(u'%s\\n%s' % (objerr, validate.indent(bullets(\n errors, '- '))))\n if anyerrors:\n raise validate.ValidationException(strip_dup_lineno(bullets(\n anyerrors, '* ')))\n", "role": "user" }, { "content": "validate_doc", "role": "assistant" } ]
def x(rec): if 'name' in rec: return rec['name'] anon_name = '' if rec['type'] in ('enum', 'https://w3id.org/cwl/salad#enum'): for sym in rec['symbols']: anon_name += sym return 'enum_' + hashlib.sha1(anon_name.encode('UTF-8')).hexdigest() if rec['type'] in ('record', 'https://w3id.org/cwl/salad#record'): for field in rec['fields']: anon_name += field['name'] return 'record_' + hashlib.sha1(anon_name.encode('UTF-8')).hexdigest() if rec['type'] in ('array', 'https://w3id.org/cwl/salad#array'): return '' raise validate.ValidationException('Expected enum or record, was %s' % rec['type'])
get_anon_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rec):\n if 'name' in rec:\n return rec['name']\n anon_name = ''\n if rec['type'] in ('enum', 'https://w3id.org/cwl/salad#enum'):\n for sym in rec['symbols']:\n anon_name += sym\n return 'enum_' + hashlib.sha1(anon_name.encode('UTF-8')).hexdigest()\n if rec['type'] in ('record', 'https://w3id.org/cwl/salad#record'):\n for field in rec['fields']:\n anon_name += field['name']\n return 'record_' + hashlib.sha1(anon_name.encode('UTF-8')).hexdigest()\n if rec['type'] in ('array', 'https://w3id.org/cwl/salad#array'):\n return ''\n raise validate.ValidationException('Expected enum or record, was %s' %\n rec['type'])\n", "role": "user" }, { "content": "get_anon_name", "role": "assistant" } ]
def x(items, spec, loader, found, find_embeds=True, deepen=True): if isinstance(items, MutableMapping): if items.get('type') in ('record', 'enum') and items.get('name'): if items['name'] in found: return items['name'] found.add(items['name']) if not deepen: return items items = copy.copy(items) if not items.get('name'): items['name'] = get_anon_name(items) for name in ('type', 'items', 'fields'): if name in items: items[name] = replace_type(items[name], spec, loader, found, find_embeds=find_embeds, deepen=find_embeds) if isinstance(items[name], MutableSequence): items[name] = flatten(items[name]) return items if isinstance(items, MutableSequence): return [replace_type(i, spec, loader, found, find_embeds= find_embeds, deepen=deepen) for i in items] if isinstance(items, string_types): replace_with = None if items in loader.vocab: items = loader.vocab[items] if items in spec: replace_with = spec[items] if replace_with: return replace_type(replace_with, spec, loader, found, find_embeds=find_embeds) found.add(items) return items
replace_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items, spec, loader, found, find_embeds=True, deepen=True):\n if isinstance(items, MutableMapping):\n if items.get('type') in ('record', 'enum') and items.get('name'):\n if items['name'] in found:\n return items['name']\n found.add(items['name'])\n if not deepen:\n return items\n items = copy.copy(items)\n if not items.get('name'):\n items['name'] = get_anon_name(items)\n for name in ('type', 'items', 'fields'):\n if name in items:\n items[name] = replace_type(items[name], spec, loader, found,\n find_embeds=find_embeds, deepen=find_embeds)\n if isinstance(items[name], MutableSequence):\n items[name] = flatten(items[name])\n return items\n if isinstance(items, MutableSequence):\n return [replace_type(i, spec, loader, found, find_embeds=\n find_embeds, deepen=deepen) for i in items]\n if isinstance(items, string_types):\n replace_with = None\n if items in loader.vocab:\n items = loader.vocab[items]\n if items in spec:\n replace_with = spec[items]\n if replace_with:\n return replace_type(replace_with, spec, loader, found,\n find_embeds=find_embeds)\n found.add(items)\n return items\n", "role": "user" }, { "content": "replace_type", "role": "assistant" } ]
def x(url): frg = urllib.parse.urldefrag(url)[1] if frg != '': if '/' in frg: return frg[frg.rindex('/') + 1:] return frg return url
avro_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n frg = urllib.parse.urldefrag(url)[1]\n if frg != '':\n if '/' in frg:\n return frg[frg.rindex('/') + 1:]\n return frg\n return url\n", "role": "user" }, { "content": "avro_name", "role": "assistant" } ]
def x(items, alltypes, found, union=False): if isinstance(items, MutableMapping): items = copy.copy(items) if items.get('name') and items.get('inVocab', True): items['name'] = avro_name(items['name']) if 'type' in items and items['type'] in ( 'https://w3id.org/cwl/salad#record', 'https://w3id.org/cwl/salad#enum', 'record', 'enum'): if hasattr(items, 'get') and items.get('abstract' ) or 'abstract' in items: return items if items['name'] in found: return cast(Text, items['name']) found.add(items['name']) for field in ('type', 'items', 'values', 'fields'): if field in items: items[field] = make_valid_avro(items[field], alltypes, found, union=True) if 'symbols' in items: items['symbols'] = [avro_name(sym) for sym in items['symbols']] return items if isinstance(items, MutableSequence): ret = [] for i in items: ret.append(make_valid_avro(i, alltypes, found, union=union)) return ret if union and isinstance(items, string_types): if items in alltypes and avro_name(items) not in found: return cast(Dict, make_valid_avro(alltypes[items], alltypes, found, union=union)) items = avro_name(items) return items
make_valid_avro
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items, alltypes, found, union=False):\n if isinstance(items, MutableMapping):\n items = copy.copy(items)\n if items.get('name') and items.get('inVocab', True):\n items['name'] = avro_name(items['name'])\n if 'type' in items and items['type'] in (\n 'https://w3id.org/cwl/salad#record',\n 'https://w3id.org/cwl/salad#enum', 'record', 'enum'):\n if hasattr(items, 'get') and items.get('abstract'\n ) or 'abstract' in items:\n return items\n if items['name'] in found:\n return cast(Text, items['name'])\n found.add(items['name'])\n for field in ('type', 'items', 'values', 'fields'):\n if field in items:\n items[field] = make_valid_avro(items[field], alltypes,\n found, union=True)\n if 'symbols' in items:\n items['symbols'] = [avro_name(sym) for sym in items['symbols']]\n return items\n if isinstance(items, MutableSequence):\n ret = []\n for i in items:\n ret.append(make_valid_avro(i, alltypes, found, union=union))\n return ret\n if union and isinstance(items, string_types):\n if items in alltypes and avro_name(items) not in found:\n return cast(Dict, make_valid_avro(alltypes[items], alltypes,\n found, union=union))\n items = avro_name(items)\n return items\n", "role": "user" }, { "content": "make_valid_avro", "role": "assistant" } ]
def x(item): if isinstance(item, MutableMapping): return {k: deepcopy_strip(v) for k, v in iteritems(item)} if isinstance(item, MutableSequence): return [deepcopy_strip(k) for k in item] return item
deepcopy_strip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(item):\n if isinstance(item, MutableMapping):\n return {k: deepcopy_strip(v) for k, v in iteritems(item)}\n if isinstance(item, MutableSequence):\n return [deepcopy_strip(k) for k in item]\n return item\n", "role": "user" }, { "content": "deepcopy_strip", "role": "assistant" } ]
def x(items, loader): items = deepcopy_strip(items) types = {i['name']: i for i in items} results = [] for stype in items: if 'extends' in stype: specs = {} if 'specialize' in stype: for spec in aslist(stype['specialize']): specs[spec['specializeFrom']] = spec['specializeTo'] exfields = [] exsym = [] for ex in aslist(stype['extends']): if ex not in types: raise Exception( 'Extends {} in {} refers to invalid base type.'. format(stype['extends'], stype['name'])) basetype = copy.copy(types[ex]) if stype['type'] == 'record': if specs: basetype['fields'] = replace_type(basetype.get( 'fields', []), specs, loader, set()) for field in basetype.get('fields', []): if 'inherited_from' not in field: field['inherited_from'] = ex exfields.extend(basetype.get('fields', [])) elif stype['type'] == 'enum': exsym.extend(basetype.get('symbols', [])) if stype['type'] == 'record': stype = copy.copy(stype) exfields.extend(stype.get('fields', [])) stype['fields'] = exfields fieldnames = set() for field in stype['fields']: if field['name'] in fieldnames: raise validate.ValidationException( 'Field name {} appears twice in {}'.format( field['name'], stype['name'])) else: fieldnames.add(field['name']) elif stype['type'] == 'enum': stype = copy.copy(stype) exsym.extend(stype.get('symbols', [])) stype['symbol'] = exsym types[stype['name']] = stype results.append(stype) ex_types = {} for result in results: ex_types[result['name']] = result extended_by = {} for result in results: if 'extends' in result: for ex in aslist(result['extends']): if ex_types[ex].get('abstract'): add_dictlist(extended_by, ex, ex_types[result['name']]) add_dictlist(extended_by, avro_name(ex), ex_types[ex]) for result in results: if result.get('abstract') and result['name'] not in extended_by: raise validate.ValidationException( '{} is abstract but missing a concrete subtype'.format( result['name'])) for result in results: if 'fields' in result: result['fields'] = replace_type(result['fields'], extended_by, loader, set()) return results
extend_and_specialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(items, loader):\n items = deepcopy_strip(items)\n types = {i['name']: i for i in items}\n results = []\n for stype in items:\n if 'extends' in stype:\n specs = {}\n if 'specialize' in stype:\n for spec in aslist(stype['specialize']):\n specs[spec['specializeFrom']] = spec['specializeTo']\n exfields = []\n exsym = []\n for ex in aslist(stype['extends']):\n if ex not in types:\n raise Exception(\n 'Extends {} in {} refers to invalid base type.'.\n format(stype['extends'], stype['name']))\n basetype = copy.copy(types[ex])\n if stype['type'] == 'record':\n if specs:\n basetype['fields'] = replace_type(basetype.get(\n 'fields', []), specs, loader, set())\n for field in basetype.get('fields', []):\n if 'inherited_from' not in field:\n field['inherited_from'] = ex\n exfields.extend(basetype.get('fields', []))\n elif stype['type'] == 'enum':\n exsym.extend(basetype.get('symbols', []))\n if stype['type'] == 'record':\n stype = copy.copy(stype)\n exfields.extend(stype.get('fields', []))\n stype['fields'] = exfields\n fieldnames = set()\n for field in stype['fields']:\n if field['name'] in fieldnames:\n raise validate.ValidationException(\n 'Field name {} appears twice in {}'.format(\n field['name'], stype['name']))\n else:\n fieldnames.add(field['name'])\n elif stype['type'] == 'enum':\n stype = copy.copy(stype)\n exsym.extend(stype.get('symbols', []))\n stype['symbol'] = exsym\n types[stype['name']] = stype\n results.append(stype)\n ex_types = {}\n for result in results:\n ex_types[result['name']] = result\n extended_by = {}\n for result in results:\n if 'extends' in result:\n for ex in aslist(result['extends']):\n if ex_types[ex].get('abstract'):\n add_dictlist(extended_by, ex, ex_types[result['name']])\n add_dictlist(extended_by, avro_name(ex), ex_types[ex])\n for result in results:\n if result.get('abstract') and result['name'] not in extended_by:\n raise validate.ValidationException(\n '{} is abstract but missing a concrete subtype'.format(\n result['name']))\n for result in results:\n if 'fields' in result:\n result['fields'] = replace_type(result['fields'], extended_by,\n loader, set())\n return results\n", "role": "user" }, { "content": "extend_and_specialize", "role": "assistant" } ]
def x(i, loader): names = Names() avro = make_avro(i, loader) make_avsc_object(convert_to_dict(avro), names) return names
make_avro_schema
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(i, loader):\n names = Names()\n avro = make_avro(i, loader)\n make_avsc_object(convert_to_dict(avro), names)\n return names\n", "role": "user" }, { "content": "make_avro_schema", "role": "assistant" } ]
def x(inputid): parsed_id = urllib.parse.urlparse(inputid) if parsed_id.fragment: return parsed_id.fragment.split(u'/')[-1] return parsed_id.path.split(u'/')[-1]
shortname
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(inputid):\n parsed_id = urllib.parse.urlparse(inputid)\n if parsed_id.fragment:\n return parsed_id.fragment.split(u'/')[-1]\n return parsed_id.path.split(u'/')[-1]\n", "role": "user" }, { "content": "shortname", "role": "assistant" } ]
def x(doc, stream): stream.write('digraph {\n') for entry in doc: if entry['type'] == 'record': label = name = shortname(entry['name']) fields = entry.get('fields', []) if fields: label += '\\n* %s\\l' % '\\l* '.join(shortname(field['name' ]) for field in fields) shape = 'ellipse' if entry.get('abstract') else 'box' stream.write('"%s" [shape=%s label="%s"];\n' % (name, shape, label) ) if 'extends' in entry: for target in aslist(entry['extends']): stream.write('"%s" -> "%s";\n' % (shortname(target), name)) stream.write('}\n')
print_inheritance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(doc, stream):\n stream.write('digraph {\\n')\n for entry in doc:\n if entry['type'] == 'record':\n label = name = shortname(entry['name'])\n fields = entry.get('fields', [])\n if fields:\n label += '\\\\n* %s\\\\l' % '\\\\l* '.join(shortname(field['name'\n ]) for field in fields)\n shape = 'ellipse' if entry.get('abstract') else 'box'\n stream.write('\"%s\" [shape=%s label=\"%s\"];\\n' % (name, shape, label)\n )\n if 'extends' in entry:\n for target in aslist(entry['extends']):\n stream.write('\"%s\" -> \"%s\";\\n' % (shortname(target), name))\n stream.write('}\\n')\n", "role": "user" }, { "content": "print_inheritance", "role": "assistant" } ]
def x(doc, loader, stream): obj = extend_and_specialize(doc, loader) primitives = set(('http://www.w3.org/2001/XMLSchema#string', 'http://www.w3.org/2001/XMLSchema#boolean', 'http://www.w3.org/2001/XMLSchema#int', 'http://www.w3.org/2001/XMLSchema#long', 'https://w3id.org/cwl/salad#null', 'https://w3id.org/cwl/salad#enum', 'https://w3id.org/cwl/salad#array', 'https://w3id.org/cwl/salad#record', 'https://w3id.org/cwl/salad#Any')) stream.write('digraph {\n') for entry in obj: if entry.get('abstract'): continue if entry['type'] == 'record': label = shortname(entry['name']) for field in entry.get('fields', []): found = set() field_name = shortname(field['name']) replace_type(field['type'], {}, loader, found, find_embeds= False) for each_type in found: if each_type not in primitives: stream.write('"%s" -> "%s" [label="%s"];\n' % ( label, shortname(each_type), field_name)) stream.write('}\n')
print_fieldrefs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(doc, loader, stream):\n obj = extend_and_specialize(doc, loader)\n primitives = set(('http://www.w3.org/2001/XMLSchema#string',\n 'http://www.w3.org/2001/XMLSchema#boolean',\n 'http://www.w3.org/2001/XMLSchema#int',\n 'http://www.w3.org/2001/XMLSchema#long',\n 'https://w3id.org/cwl/salad#null',\n 'https://w3id.org/cwl/salad#enum',\n 'https://w3id.org/cwl/salad#array',\n 'https://w3id.org/cwl/salad#record', 'https://w3id.org/cwl/salad#Any'))\n stream.write('digraph {\\n')\n for entry in obj:\n if entry.get('abstract'):\n continue\n if entry['type'] == 'record':\n label = shortname(entry['name'])\n for field in entry.get('fields', []):\n found = set()\n field_name = shortname(field['name'])\n replace_type(field['type'], {}, loader, found, find_embeds=\n False)\n for each_type in found:\n if each_type not in primitives:\n stream.write('\"%s\" -> \"%s\" [label=\"%s\"];\\n' % (\n label, shortname(each_type), field_name))\n stream.write('}\\n')\n", "role": "user" }, { "content": "print_fieldrefs", "role": "assistant" } ]
def x(all_props, reserved_props): if hasattr(all_props, 'items') and callable(all_props.items): return dict([(k, v) for k, v in list(all_props.items()) if k not in reserved_props]) return None
get_other_props
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(all_props, reserved_props):\n if hasattr(all_props, 'items') and callable(all_props.items):\n return dict([(k, v) for k, v in list(all_props.items()) if k not in\n reserved_props])\n return None\n", "role": "user" }, { "content": "get_other_props", "role": "assistant" } ]
def x(json_data, names=None): if names is None: names = Names() assert isinstance(names, Names) if hasattr(json_data, 'get') and callable(json_data.get): assert isinstance(json_data, Dict) atype = cast(Text, json_data.get('type')) other_props = get_other_props(json_data, SCHEMA_RESERVED_PROPS) if atype in PRIMITIVE_TYPES: return PrimitiveSchema(atype, other_props) if atype in NAMED_TYPES: name = cast(Text, json_data.get('name')) namespace = cast(Text, json_data.get('namespace', names. default_namespace)) if atype == 'enum': symbols = cast(List[Text], json_data.get('symbols')) doc = json_data.get('doc') return EnumSchema(name, namespace, symbols, names, doc, other_props) if atype in ['record', 'error']: fields = cast(List, json_data.get('fields')) doc = json_data.get('doc') return RecordSchema(name, namespace, fields, names, atype, doc, other_props) raise SchemaParseException('Unknown Named Type: %s' % atype) if atype in VALID_TYPES: if atype == 'array': items = cast(List, json_data.get('items')) return ArraySchema(items, names, other_props) if atype is None: raise SchemaParseException('No "type" property: %s' % json_data) raise SchemaParseException('Undefined type: %s' % atype) if isinstance(json_data, list): return UnionSchema(json_data, names) if json_data in PRIMITIVE_TYPES: return PrimitiveSchema(cast(Text, json_data)) fail_msg = 'Could not make an Avro Schema object from %s.' % json_data raise SchemaParseException(fail_msg)
make_avsc_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(json_data, names=None):\n if names is None:\n names = Names()\n assert isinstance(names, Names)\n if hasattr(json_data, 'get') and callable(json_data.get):\n assert isinstance(json_data, Dict)\n atype = cast(Text, json_data.get('type'))\n other_props = get_other_props(json_data, SCHEMA_RESERVED_PROPS)\n if atype in PRIMITIVE_TYPES:\n return PrimitiveSchema(atype, other_props)\n if atype in NAMED_TYPES:\n name = cast(Text, json_data.get('name'))\n namespace = cast(Text, json_data.get('namespace', names.\n default_namespace))\n if atype == 'enum':\n symbols = cast(List[Text], json_data.get('symbols'))\n doc = json_data.get('doc')\n return EnumSchema(name, namespace, symbols, names, doc,\n other_props)\n if atype in ['record', 'error']:\n fields = cast(List, json_data.get('fields'))\n doc = json_data.get('doc')\n return RecordSchema(name, namespace, fields, names, atype,\n doc, other_props)\n raise SchemaParseException('Unknown Named Type: %s' % atype)\n if atype in VALID_TYPES:\n if atype == 'array':\n items = cast(List, json_data.get('items'))\n return ArraySchema(items, names, other_props)\n if atype is None:\n raise SchemaParseException('No \"type\" property: %s' % json_data)\n raise SchemaParseException('Undefined type: %s' % atype)\n if isinstance(json_data, list):\n return UnionSchema(json_data, names)\n if json_data in PRIMITIVE_TYPES:\n return PrimitiveSchema(cast(Text, json_data))\n fail_msg = 'Could not make an Avro Schema object from %s.' % json_data\n raise SchemaParseException(fail_msg)\n", "role": "user" }, { "content": "make_avsc_object", "role": "assistant" } ]
def x(self): if self._full is None: return None if self._full.find('.') > 0: return self._full.rsplit('.', 1)[0] else: return ''
get_space
[ { "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._full is None:\n return None\n if self._full.find('.') > 0:\n return self._full.rsplit('.', 1)[0]\n else:\n return ''\n", "role": "user" }, { "content": "get_space", "role": "assistant" } ]
def x(self, name_attr, space_attr, new_schema): to_add = Name(name_attr, space_attr, self.default_namespace) if to_add.fullname in VALID_TYPES: fail_msg = '%s is a reserved type name.' % to_add.fullname raise SchemaParseException(fail_msg) elif to_add.fullname in self.names: fail_msg = 'The name "%s" is already in use.' % to_add.fullname raise SchemaParseException(fail_msg) self.names[to_add.fullname] = new_schema return to_add
add_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name_attr, space_attr, new_schema):\n to_add = Name(name_attr, space_attr, self.default_namespace)\n if to_add.fullname in VALID_TYPES:\n fail_msg = '%s is a reserved type name.' % to_add.fullname\n raise SchemaParseException(fail_msg)\n elif to_add.fullname in self.names:\n fail_msg = 'The name \"%s\" is already in use.' % to_add.fullname\n raise SchemaParseException(fail_msg)\n self.names[to_add.fullname] = new_schema\n return to_add\n", "role": "user" }, { "content": "add_name", "role": "assistant" } ]
def x(field_data, names): field_objects = [] field_names = [] for field in field_data: if hasattr(field, 'get') and callable(field.get): atype = cast(Text, field.get('type')) name = cast(Text, field.get('name')) has_default = False default = None if 'default' in field: has_default = True default = field.get('default') order = field.get('order') doc = field.get('doc') other_props = get_other_props(field, FIELD_RESERVED_PROPS) new_field = Field(atype, name, has_default, default, order, names, doc, other_props) if new_field.name in field_names: fail_msg = 'Field name %s already in use.' % new_field.name raise SchemaParseException(fail_msg) field_names.append(new_field.name) else: raise SchemaParseException('Not a valid field: %s' % field) field_objects.append(new_field) return field_objects
make_field_objects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(field_data, names):\n field_objects = []\n field_names = []\n for field in field_data:\n if hasattr(field, 'get') and callable(field.get):\n atype = cast(Text, field.get('type'))\n name = cast(Text, field.get('name'))\n has_default = False\n default = None\n if 'default' in field:\n has_default = True\n default = field.get('default')\n order = field.get('order')\n doc = field.get('doc')\n other_props = get_other_props(field, FIELD_RESERVED_PROPS)\n new_field = Field(atype, name, has_default, default, order,\n names, doc, other_props)\n if new_field.name in field_names:\n fail_msg = 'Field name %s already in use.' % new_field.name\n raise SchemaParseException(fail_msg)\n field_names.append(new_field.name)\n else:\n raise SchemaParseException('Not a valid field: %s' % field)\n field_objects.append(new_field)\n return field_objects\n", "role": "user" }, { "content": "make_field_objects", "role": "assistant" } ]
def x(root1, q, s, f, l, o='g'): global links links = search(q, o, s, f, l) root1.destroy() root1.quit()
search_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root1, q, s, f, l, o='g'):\n global links\n links = search(q, o, s, f, l)\n root1.destroy()\n root1.quit()\n", "role": "user" }, { "content": "search_function", "role": "assistant" } ]
def x(ft): ft.pack(expand=True, fill=BOTH, side=TOP) pb_hD = ttk.Progressbar(ft, orient='horizontal', mode='indeterminate') pb_hD.pack(expand=True, fill=BOTH, side=TOP) pb_hD.start(50) ft.mainloop()
task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ft):\n ft.pack(expand=True, fill=BOTH, side=TOP)\n pb_hD = ttk.Progressbar(ft, orient='horizontal', mode='indeterminate')\n pb_hD.pack(expand=True, fill=BOTH, side=TOP)\n pb_hD.start(50)\n ft.mainloop()\n", "role": "user" }, { "content": "task", "role": "assistant" } ]
def x(**args): global row if not args['directory']: args['directory'] = args['query'].replace(' ', '-') root1 = Frame(root) t1 = threading.Thread(target=search_function, args=(root1, args['query' ], args['website'], args['file_type'], args['limit'], args['option'])) t1.start() task(root1) t1.join() row = Frame(root) row.pack() if args['parallel']: download_parallel_gui(row, links, args['directory'], args[ 'min_file_size'], args['max_file_size'], args['no_redirects']) else: download_series_gui(row, links, args['directory'], args[ 'min_file_size'], args['max_file_size'], args['no_redirects'])
download_content_gui
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**args):\n global row\n if not args['directory']:\n args['directory'] = args['query'].replace(' ', '-')\n root1 = Frame(root)\n t1 = threading.Thread(target=search_function, args=(root1, args['query'\n ], args['website'], args['file_type'], args['limit'], args['option']))\n t1.start()\n task(root1)\n t1.join()\n row = Frame(root)\n row.pack()\n if args['parallel']:\n download_parallel_gui(row, links, args['directory'], args[\n 'min_file_size'], args['max_file_size'], args['no_redirects'])\n else:\n download_series_gui(row, links, args['directory'], args[\n 'min_file_size'], args['max_file_size'], args['no_redirects'])\n", "role": "user" }, { "content": "download_content_gui", "role": "assistant" } ]
def x(): s = ttk.Style() s.theme_use('clam') ents = makeform(root) root.mainloop()
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n s = ttk.Style()\n s.theme_use('clam')\n ents = makeform(root)\n root.mainloop()\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(self, event): args['parallel'] = self.p.get() args['file_type'] = self.optionmenu.get() args['no_redirects'] = self.t.get() args['query'] = self.entry_query.get() args['min_file_size'] = int(self.entry_min.get()) args['max_file_size'] = int(self.entry_max.get()) args['limit'] = int(self.entry_limit.get()) args['website'] = self.entry_website.get() args['option'] = self.engine.get() print(args) self.check_threat() download_content_gui(**args)
click_download
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n args['parallel'] = self.p.get()\n args['file_type'] = self.optionmenu.get()\n args['no_redirects'] = self.t.get()\n args['query'] = self.entry_query.get()\n args['min_file_size'] = int(self.entry_min.get())\n args['max_file_size'] = int(self.entry_max.get())\n args['limit'] = int(self.entry_limit.get())\n args['website'] = self.entry_website.get()\n args['option'] = self.engine.get()\n print(args)\n self.check_threat()\n download_content_gui(**args)\n", "role": "user" }, { "content": "click_download", "role": "assistant" } ]
def x(self, event): if event.widget.config('fg')[4] == 'grey': event.widget.delete(0, 'end') event.widget.insert(0, '') event.widget.config(fg='black')
on_entry_click
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if event.widget.config('fg')[4] == 'grey':\n event.widget.delete(0, 'end')\n event.widget.insert(0, '')\n event.widget.config(fg='black')\n", "role": "user" }, { "content": "on_entry_click", "role": "assistant" } ]
def x(self, event, a): if event.widget.get() == '': event.widget.insert(0, default_text[a]) event.widget.config(fg='grey')
on_focusout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, a):\n if event.widget.get() == '':\n event.widget.insert(0, default_text[a])\n event.widget.config(fg='grey')\n", "role": "user" }, { "content": "on_focusout", "role": "assistant" } ]
def x(self): is_high_threat = False for val in THREAT_EXTENSIONS.values(): if type(val) == list: for el in val: if self.optionmenu.get() == el: is_high_threat = True break elif self.optionmenu.get() == val: is_high_threat = True break if is_high_threat == True: is_high_threat = not askokcancel('FILE TYPE', """WARNING: Downloading this file type may expose you to a heightened security risk. Press "OK" to proceed or "CANCEL" to exit""" ) return not is_high_threat
check_threat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n is_high_threat = False\n for val in THREAT_EXTENSIONS.values():\n if type(val) == list:\n for el in val:\n if self.optionmenu.get() == el:\n is_high_threat = True\n break\n elif self.optionmenu.get() == val:\n is_high_threat = True\n break\n if is_high_threat == True:\n is_high_threat = not askokcancel('FILE TYPE',\n \"\"\"WARNING: Downloading this \t\t\t\t\t\t\t\t\t\t\tfile type may expose you to a heightened security risk.\nPress\t\t\t\t\t\t\t\t\t\t\t\"OK\" to proceed or \"CANCEL\" to exit\"\"\"\n )\n return not is_high_threat\n", "role": "user" }, { "content": "check_threat", "role": "assistant" } ]
def x(self): args['directory'] = askdirectory(**self.dir_opt) self.dir_text.set(args['directory'])
ask_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n args['directory'] = askdirectory(**self.dir_opt)\n self.dir_text.set(args['directory'])\n", "role": "user" }, { "content": "ask_dir", "role": "assistant" } ]
def x(limit, params, headers): links = [] for start_index in range(0, limit, 10): params['start'] = start_index resp = s.get('https://www.google.com/search', params=params, headers=headers) page_links = scrape_links(resp.content, engine='g') links.extend(page_links) return links[:limit]
get_google_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(limit, params, headers):\n links = []\n for start_index in range(0, limit, 10):\n params['start'] = start_index\n resp = s.get('https://www.google.com/search', params=params,\n headers=headers)\n page_links = scrape_links(resp.content, engine='g')\n links.extend(page_links)\n return links[:limit]\n", "role": "user" }, { "content": "get_google_links", "role": "assistant" } ]
def x(limit, params, headers): resp = s.get('https://duckduckgo.com/html', params=params, headers=headers) links = scrape_links(resp.content, engine='d') return links[:limit]
get_duckduckgo_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(limit, params, headers):\n resp = s.get('https://duckduckgo.com/html', params=params, headers=headers)\n links = scrape_links(resp.content, engine='d')\n return links[:limit]\n", "role": "user" }, { "content": "get_duckduckgo_links", "role": "assistant" } ]
def x(html, engine): soup = BeautifulSoup(html, 'lxml') links = [] if engine == 'd': results = soup.findAll('a', {'class': 'result__a'}) for result in results: link = result.get('href')[15:] link = link.replace('/blob/', '/raw/') links.append(link) elif engine == 'g': results = soup.findAll('h3', {'class': 'r'}) for result in results: link = result.a['href'][7:].split('&')[0] link = link.replace('/blob/', '/raw/') links.append(link) return links
scrape_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(html, engine):\n soup = BeautifulSoup(html, 'lxml')\n links = []\n if engine == 'd':\n results = soup.findAll('a', {'class': 'result__a'})\n for result in results:\n link = result.get('href')[15:]\n link = link.replace('/blob/', '/raw/')\n links.append(link)\n elif engine == 'g':\n results = soup.findAll('h3', {'class': 'r'})\n for result in results:\n link = result.a['href'][7:].split('&')[0]\n link = link.replace('/blob/', '/raw/')\n links.append(link)\n return links\n", "role": "user" }, { "content": "scrape_links", "role": "assistant" } ]
def x(url): try: response = urlopen(url) code = response.getcode() return code except HTTPError as e: return e.code except: return 0
get_url_nofollow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n try:\n response = urlopen(url)\n code = response.getcode()\n return code\n except HTTPError as e:\n return e.code\n except:\n return 0\n", "role": "user" }, { "content": "get_url_nofollow", "role": "assistant" } ]
def x(links): valid_links = [] for link in links: if link[:7] in 'http://' or link[:8] in 'https://': valid_links.append(link) if not valid_links: print('No files found.') sys.exit(0) urls = {} for link in valid_links: if 'github.com' and '/blob/' in link: link = link.replace('/blob/', '/raw/') urls[link] = {'code': get_url_nofollow(link)} available_urls = [] for url in urls: print('code: %d\turl: %s' % (urls[url]['code'], url)) if urls[url]['code'] != 0: available_urls.append(url) return available_urls
validate_links
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(links):\n valid_links = []\n for link in links:\n if link[:7] in 'http://' or link[:8] in 'https://':\n valid_links.append(link)\n if not valid_links:\n print('No files found.')\n sys.exit(0)\n urls = {}\n for link in valid_links:\n if 'github.com' and '/blob/' in link:\n link = link.replace('/blob/', '/raw/')\n urls[link] = {'code': get_url_nofollow(link)}\n available_urls = []\n for url in urls:\n print('code: %d\\turl: %s' % (urls[url]['code'], url))\n if urls[url]['code'] != 0:\n available_urls.append(url)\n return available_urls\n", "role": "user" }, { "content": "validate_links", "role": "assistant" } ]
def x(query, engine='g', site='', file_type='pdf', limit=10): if site == '': search_query = 'filetype:{0} {1}'.format(file_type, query) else: search_query = 'site:{0} filetype:{1} {2}'.format(site, file_type, query) headers = {'User Agent': 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:53.0) \t\tGecko/20100101 Firefox/53.0' } if engine == 'g': params = {'q': search_query, 'start': 0} links = get_google_links(limit, params, headers) elif engine == 'd': params = {'q': search_query} links = get_duckduckgo_links(limit, params, headers) else: print('Wrong search engine selected!') sys.exit() valid_links = validate_links(links) return valid_links
search
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, engine='g', site='', file_type='pdf', limit=10):\n if site == '':\n search_query = 'filetype:{0} {1}'.format(file_type, query)\n else:\n search_query = 'site:{0} filetype:{1} {2}'.format(site, file_type,\n query)\n headers = {'User Agent':\n 'Mozilla/5.0 (X11; Ubuntu; Linux x86_64; rv:53.0) \\t\\tGecko/20100101 Firefox/53.0'\n }\n if engine == 'g':\n params = {'q': search_query, 'start': 0}\n links = get_google_links(limit, params, headers)\n elif engine == 'd':\n params = {'q': search_query}\n links = get_duckduckgo_links(limit, params, headers)\n else:\n print('Wrong search engine selected!')\n sys.exit()\n valid_links = validate_links(links)\n return valid_links\n", "role": "user" }, { "content": "search", "role": "assistant" } ]
def x(**args): is_high_threat = False for val in THREAT_EXTENSIONS.values(): if type(val) == list: for el in val: if args['file_type'] == el: is_high_threat = True break elif args['file_type'] == val: is_high_threat = True break return is_high_threat
check_threats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**args):\n is_high_threat = False\n for val in THREAT_EXTENSIONS.values():\n if type(val) == list:\n for el in val:\n if args['file_type'] == el:\n is_high_threat = True\n break\n elif args['file_type'] == val:\n is_high_threat = True\n break\n return is_high_threat\n", "role": "user" }, { "content": "check_threats", "role": "assistant" } ]
def x(**args): if not args['query']: print('\nMissing required query argument.') sys.exit() for key in DEFAULTS: if key not in args: args[key] = DEFAULTS[key] return args
validate_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**args):\n if not args['query']:\n print('\\nMissing required query argument.')\n sys.exit()\n for key in DEFAULTS:\n if key not in args:\n args[key] = DEFAULTS[key]\n return args\n", "role": "user" }, { "content": "validate_args", "role": "assistant" } ]
def x(**args): args = validate_args(**args) if not args['directory']: args['directory'] = args['query'].replace(' ', '-') print( 'Downloading {0} {1} files on topic {2} from {3} and saving to directory: {4}' .format(args['limit'], args['file_type'], args['query'], args[ 'website'], args['directory'])) links = search(args['query'], args['engine'], args['website'], args[ 'file_type'], args['limit']) if args['parallel']: download_parallel(links, args['directory'], args['min_file_size'], args['max_file_size'], args['no_redirects']) else: download_series(links, args['directory'], args['min_file_size'], args['max_file_size'], args['no_redirects'])
download_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**args):\n args = validate_args(**args)\n if not args['directory']:\n args['directory'] = args['query'].replace(' ', '-')\n print(\n 'Downloading {0} {1} files on topic {2} from {3} and saving to directory: {4}'\n .format(args['limit'], args['file_type'], args['query'], args[\n 'website'], args['directory']))\n links = search(args['query'], args['engine'], args['website'], args[\n 'file_type'], args['limit'])\n if args['parallel']:\n download_parallel(links, args['directory'], args['min_file_size'],\n args['max_file_size'], args['no_redirects'])\n else:\n download_series(links, args['directory'], args['min_file_size'],\n args['max_file_size'], args['no_redirects'])\n", "role": "user" }, { "content": "download_content", "role": "assistant" } ]
def x(extensions): for item in extensions.items(): val = item[1] if type(item[1]) == list: val = ', '.join(str(x) for x in item[1]) print('{0:4}: {1}'.format(val, item[0]))
show_filetypes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(extensions):\n for item in extensions.items():\n val = item[1]\n if type(item[1]) == list:\n val = ', '.join(str(x) for x in item[1])\n print('{0:4}: {1}'.format(val, item[0]))\n", "role": "user" }, { "content": "show_filetypes", "role": "assistant" } ]
def x(obj, fp, **kwargs): if six.PY2: kwargs['encoding'] = 'utf-8' json.dump(convert_to_dict(obj), fp, **kwargs)
json_dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, fp, **kwargs):\n if six.PY2:\n kwargs['encoding'] = 'utf-8'\n json.dump(convert_to_dict(obj), fp, **kwargs)\n", "role": "user" }, { "content": "json_dump", "role": "assistant" } ]
def x(obj, **kwargs): if six.PY2: kwargs['encoding'] = 'utf-8' return json.dumps(convert_to_dict(obj), **kwargs)
json_dumps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, **kwargs):\n if six.PY2:\n kwargs['encoding'] = 'utf-8'\n return json.dumps(convert_to_dict(obj), **kwargs)\n", "role": "user" }, { "content": "json_dumps", "role": "assistant" } ]
def x(lang, i, schema_metadata, loader): j = schema.extend_and_specialize(i, loader) gen = None if lang == 'python': gen = PythonCodeGen(sys.stdout) elif lang == 'java': gen = JavaCodeGen(schema_metadata.get('$base', schema_metadata.get( 'id'))) else: raise Exception("Unsupported code generation language '%s'" % lang) assert gen is not None gen.prologue() document_roots = [] for rec in j: if rec['type'] in ('enum', 'record'): gen.type_loader(rec) gen.add_vocab(shortname(rec['name']), rec['name']) for rec in j: if rec['type'] == 'enum': for symbol in rec['symbols']: gen.add_vocab(shortname(symbol), symbol) if rec['type'] == 'record': if rec.get('documentRoot'): document_roots.append(rec['name']) field_names = [] for field in rec.get('fields', []): field_names.append(shortname(field['name'])) idfield = '' for field in rec.get('fields', []): if field.get('jsonldPredicate') == '@id': idfield = field.get('name') gen.begin_class(rec['name'], aslist(rec.get('extends', [])), rec.get('doc', ''), rec.get('abstract', False), field_names, idfield) gen.add_vocab(shortname(rec['name']), rec['name']) for field in rec.get('fields', []): if field.get('jsonldPredicate') == '@id': fieldpred = field['name'] optional = bool('https://w3id.org/cwl/salad#null' in field['type']) uri_loader = gen.uri_loader(gen.type_loader(field[ 'type']), True, False, None) gen.declare_id_field(fieldpred, uri_loader, field.get( 'doc'), optional) break for field in rec.get('fields', []): optional = bool('https://w3id.org/cwl/salad#null' in field[ 'type']) type_loader = gen.type_loader(field['type']) jld = field.get('jsonldPredicate') fieldpred = field['name'] if isinstance(jld, MutableMapping): ref_scope = jld.get('refScope') if jld.get('typeDSL'): type_loader = gen.typedsl_loader(type_loader, ref_scope ) elif jld.get('_type') == '@id': type_loader = gen.uri_loader(type_loader, jld.get( 'identity', False), False, ref_scope) elif jld.get('_type') == '@vocab': type_loader = gen.uri_loader(type_loader, False, True, ref_scope) map_subject = jld.get('mapSubject') if map_subject: type_loader = gen.idmap_loader(field['name'], type_loader, map_subject, jld.get('mapPredicate')) if '_id' in jld and jld['_id'][0] != '@': fieldpred = jld['_id'] if jld == '@id': continue gen.declare_field(fieldpred, type_loader, field.get('doc'), optional) gen.end_class(rec['name'], field_names) root_type = list(document_roots) root_type.append({'type': 'array', 'items': document_roots}) gen.epilogue(gen.type_loader(root_type))
codegen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(lang, i, schema_metadata, loader):\n j = schema.extend_and_specialize(i, loader)\n gen = None\n if lang == 'python':\n gen = PythonCodeGen(sys.stdout)\n elif lang == 'java':\n gen = JavaCodeGen(schema_metadata.get('$base', schema_metadata.get(\n 'id')))\n else:\n raise Exception(\"Unsupported code generation language '%s'\" % lang)\n assert gen is not None\n gen.prologue()\n document_roots = []\n for rec in j:\n if rec['type'] in ('enum', 'record'):\n gen.type_loader(rec)\n gen.add_vocab(shortname(rec['name']), rec['name'])\n for rec in j:\n if rec['type'] == 'enum':\n for symbol in rec['symbols']:\n gen.add_vocab(shortname(symbol), symbol)\n if rec['type'] == 'record':\n if rec.get('documentRoot'):\n document_roots.append(rec['name'])\n field_names = []\n for field in rec.get('fields', []):\n field_names.append(shortname(field['name']))\n idfield = ''\n for field in rec.get('fields', []):\n if field.get('jsonldPredicate') == '@id':\n idfield = field.get('name')\n gen.begin_class(rec['name'], aslist(rec.get('extends', [])),\n rec.get('doc', ''), rec.get('abstract', False), field_names,\n idfield)\n gen.add_vocab(shortname(rec['name']), rec['name'])\n for field in rec.get('fields', []):\n if field.get('jsonldPredicate') == '@id':\n fieldpred = field['name']\n optional = bool('https://w3id.org/cwl/salad#null' in\n field['type'])\n uri_loader = gen.uri_loader(gen.type_loader(field[\n 'type']), True, False, None)\n gen.declare_id_field(fieldpred, uri_loader, field.get(\n 'doc'), optional)\n break\n for field in rec.get('fields', []):\n optional = bool('https://w3id.org/cwl/salad#null' in field[\n 'type'])\n type_loader = gen.type_loader(field['type'])\n jld = field.get('jsonldPredicate')\n fieldpred = field['name']\n if isinstance(jld, MutableMapping):\n ref_scope = jld.get('refScope')\n if jld.get('typeDSL'):\n type_loader = gen.typedsl_loader(type_loader, ref_scope\n )\n elif jld.get('_type') == '@id':\n type_loader = gen.uri_loader(type_loader, jld.get(\n 'identity', False), False, ref_scope)\n elif jld.get('_type') == '@vocab':\n type_loader = gen.uri_loader(type_loader, False, \n True, ref_scope)\n map_subject = jld.get('mapSubject')\n if map_subject:\n type_loader = gen.idmap_loader(field['name'],\n type_loader, map_subject, jld.get('mapPredicate'))\n if '_id' in jld and jld['_id'][0] != '@':\n fieldpred = jld['_id']\n if jld == '@id':\n continue\n gen.declare_field(fieldpred, type_loader, field.get('doc'),\n optional)\n gen.end_class(rec['name'], field_names)\n root_type = list(document_roots)\n root_type.append({'type': 'array', 'items': document_roots})\n gen.epilogue(gen.type_loader(root_type))\n", "role": "user" }, { "content": "codegen", "role": "assistant" } ]
def x(self, name): if (name.__class__ is 'base.Server.Pro' or name.__class__ is 'base.Server.Smart'): pattern = name.vm_name else: pattern = name self.last_search_result = [vm for vm in self if pattern in vm.vm_name] return self.last_search_result
find
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if (name.__class__ is 'base.Server.Pro' or name.__class__ is\n 'base.Server.Smart'):\n pattern = name.vm_name\n else:\n pattern = name\n self.last_search_result = [vm for vm in self if pattern in vm.vm_name]\n return self.last_search_result\n", "role": "user" }, { "content": "find", "role": "assistant" } ]
def x(self, admin_password=None, debug=False, ConfigureIPv6=False, OSTemplateID=None): data = dict(AdministratorPassword=admin_password, ServerId=self.sid, ConfigureIPv6=ConfigureIPv6) if OSTemplateID is not None: data.update(OSTemplateID=OSTemplateID) assert data['AdministratorPassword' ] is not None, 'Error reinitializing VM: no admin password specified.' assert data['ServerId' ] is not None, 'Error reinitializing VM: no Server Id specified.' json_scheme = self.interface.gen_def_json_scheme( 'SetEnqueueReinitializeServer', method_fields=data) json_obj = self.interface.call_method_post('SetEnqueueReinitializeServer', json_scheme=json_scheme, debug=debug) return True if json_obj['Success'] is 'True' else False
reinitialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, admin_password=None, debug=False, ConfigureIPv6=False,\n OSTemplateID=None):\n data = dict(AdministratorPassword=admin_password, ServerId=self.sid,\n ConfigureIPv6=ConfigureIPv6)\n if OSTemplateID is not None:\n data.update(OSTemplateID=OSTemplateID)\n assert data['AdministratorPassword'\n ] is not None, 'Error reinitializing VM: no admin password specified.'\n assert data['ServerId'\n ] is not None, 'Error reinitializing VM: no Server Id specified.'\n json_scheme = self.interface.gen_def_json_scheme(\n 'SetEnqueueReinitializeServer', method_fields=data)\n json_obj = self.interface.call_method_post('SetEnqueueReinitializeServer',\n json_scheme=json_scheme, debug=debug)\n return True if json_obj['Success'] is 'True' else False\n", "role": "user" }, { "content": "reinitialize", "role": "assistant" } ]
def x(self, username, password, load=True): self.auth = Auth(username, password) if load is True: self.get_ip() self.get_servers()
login
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password, load=True):\n self.auth = Auth(username, password)\n if load is True:\n self.get_ip()\n self.get_servers()\n", "role": "user" }, { "content": "login", "role": "assistant" } ]
def x(self, server=None, server_id=None): sid = server_id if server_id is not None else server.sid if sid is None: raise Exception('No Server Specified.') json_scheme = self.gen_def_json_scheme('SetEnqueueServerPowerOff', dict (ServerId=sid)) json_obj = self.call_method_post('SetEnqueueServerPowerOff', json_scheme=json_scheme) return True if json_obj['Success'] is 'True' else False
poweroff_server
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server=None, server_id=None):\n sid = server_id if server_id is not None else server.sid\n if sid is None:\n raise Exception('No Server Specified.')\n json_scheme = self.gen_def_json_scheme('SetEnqueueServerPowerOff', dict\n (ServerId=sid))\n json_obj = self.call_method_post('SetEnqueueServerPowerOff',\n json_scheme=json_scheme)\n return True if json_obj['Success'] is 'True' else False\n", "role": "user" }, { "content": "poweroff_server", "role": "assistant" } ]
def x(self): json_scheme = self.gen_def_json_scheme('GetHypervisors') json_obj = self.call_method_post(method='GetHypervisors', json_scheme= json_scheme) self.json_templates = json_obj d = dict(json_obj) for elem in d['Value']: hv = self.hypervisors[elem['HypervisorType']] for inner_elem in elem['Templates']: o = Template(hv) o.template_id = inner_elem['Id'] o.descr = inner_elem['Description'] o.id_code = inner_elem['IdentificationCode'] o.name = inner_elem['Name'] o.enabled = inner_elem['Enabled'] if hv != 'SMART': for rb in inner_elem['ResourceBounds']: resource_type = rb['ResourceType'] if resource_type == 1: o.resource_bounds.max_cpu = rb['Max'] if resource_type == 2: o.resource_bounds.max_memory = rb['Max'] if resource_type == 3: o.resource_bounds.hdd0 = rb['Max'] if resource_type == 7: o.resource_bounds.hdd1 = rb['Max'] if resource_type == 8: o.resource_bounds.hdd2 = rb['Max'] if resource_type == 9: o.resource_bounds.hdd3 = rb['Max'] self.templates.append(o) return True if json_obj['Success'] is 'True' else False
get_hypervisors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n json_scheme = self.gen_def_json_scheme('GetHypervisors')\n json_obj = self.call_method_post(method='GetHypervisors', json_scheme=\n json_scheme)\n self.json_templates = json_obj\n d = dict(json_obj)\n for elem in d['Value']:\n hv = self.hypervisors[elem['HypervisorType']]\n for inner_elem in elem['Templates']:\n o = Template(hv)\n o.template_id = inner_elem['Id']\n o.descr = inner_elem['Description']\n o.id_code = inner_elem['IdentificationCode']\n o.name = inner_elem['Name']\n o.enabled = inner_elem['Enabled']\n if hv != 'SMART':\n for rb in inner_elem['ResourceBounds']:\n resource_type = rb['ResourceType']\n if resource_type == 1:\n o.resource_bounds.max_cpu = rb['Max']\n if resource_type == 2:\n o.resource_bounds.max_memory = rb['Max']\n if resource_type == 3:\n o.resource_bounds.hdd0 = rb['Max']\n if resource_type == 7:\n o.resource_bounds.hdd1 = rb['Max']\n if resource_type == 8:\n o.resource_bounds.hdd2 = rb['Max']\n if resource_type == 9:\n o.resource_bounds.hdd3 = rb['Max']\n self.templates.append(o)\n return True if json_obj['Success'] is 'True' else False\n", "role": "user" }, { "content": "get_hypervisors", "role": "assistant" } ]
def x(self): json_scheme = self.gen_def_json_scheme('GetServers') json_obj = self.call_method_post(method='GetServers', json_scheme= json_scheme) self.json_servers = json_obj self.vmlist = VMList() if len(self.iplist) <= 0: self.get_ip() for elem in dict(json_obj)['Value']: if elem['HypervisorType'] is 4: s = Smart(interface=self, sid=elem['ServerId']) else: s = Pro(interface=self, sid=elem['ServerId']) s.vm_name = elem['Name'] s.cpu_qty = elem['CPUQuantity'] s.ram_qty = elem['RAMQuantity'] s.status = elem['ServerStatus'] s.datacenter_id = elem['DatacenterId'] s.wcf_baseurl = self.wcf_baseurl s.auth = self.auth s.hd_qty = elem['HDQuantity'] s.hd_total_size = elem['HDTotalSize'] if elem['HypervisorType'] is 4: ssd = self.get_server_detail(elem['ServerId']) try: s.ip_addr = str(ssd['EasyCloudIPAddress']['Value']) except TypeError: s.ip_addr = 'Not retrieved.' else: s.ip_addr = [] for ip in self.iplist: if ip.serverid == s.sid: s.ip_addr.append(ip) self.vmlist.append(s) return True if json_obj['Success'] is True else False
get_servers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n json_scheme = self.gen_def_json_scheme('GetServers')\n json_obj = self.call_method_post(method='GetServers', json_scheme=\n json_scheme)\n self.json_servers = json_obj\n self.vmlist = VMList()\n if len(self.iplist) <= 0:\n self.get_ip()\n for elem in dict(json_obj)['Value']:\n if elem['HypervisorType'] is 4:\n s = Smart(interface=self, sid=elem['ServerId'])\n else:\n s = Pro(interface=self, sid=elem['ServerId'])\n s.vm_name = elem['Name']\n s.cpu_qty = elem['CPUQuantity']\n s.ram_qty = elem['RAMQuantity']\n s.status = elem['ServerStatus']\n s.datacenter_id = elem['DatacenterId']\n s.wcf_baseurl = self.wcf_baseurl\n s.auth = self.auth\n s.hd_qty = elem['HDQuantity']\n s.hd_total_size = elem['HDTotalSize']\n if elem['HypervisorType'] is 4:\n ssd = self.get_server_detail(elem['ServerId'])\n try:\n s.ip_addr = str(ssd['EasyCloudIPAddress']['Value'])\n except TypeError:\n s.ip_addr = 'Not retrieved.'\n else:\n s.ip_addr = []\n for ip in self.iplist:\n if ip.serverid == s.sid:\n s.ip_addr.append(ip)\n self.vmlist.append(s)\n return True if json_obj['Success'] is True else False\n", "role": "user" }, { "content": "get_servers", "role": "assistant" } ]
def x(self, name=None, hv=None): if len(self.templates) <= 0: self.get_hypervisors() if name is not None and hv is not None: template_list = filter(lambda x: name in x.descr and x.hypervisor == self.hypervisors[hv], self.templates) elif name is not None and hv is None: template_list = filter(lambda x: name in x.descr, self.templates) elif name is None and hv is not None: template_list = filter(lambda x: x.hypervisor == self.hypervisors[ hv], self.templates) else: raise Exception('Error, no pattern defined') if sys.version_info.major < 3: return template_list else: return list(template_list)
find_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None, hv=None):\n if len(self.templates) <= 0:\n self.get_hypervisors()\n if name is not None and hv is not None:\n template_list = filter(lambda x: name in x.descr and x.hypervisor ==\n self.hypervisors[hv], self.templates)\n elif name is not None and hv is None:\n template_list = filter(lambda x: name in x.descr, self.templates)\n elif name is None and hv is not None:\n template_list = filter(lambda x: x.hypervisor == self.hypervisors[\n hv], self.templates)\n else:\n raise Exception('Error, no pattern defined')\n if sys.version_info.major < 3:\n return template_list\n else:\n return list(template_list)\n", "role": "user" }, { "content": "find_template", "role": "assistant" } ]
def x(self, debug=False): json_scheme = self.gen_def_json_scheme('SetPurchaseIpAddress') json_obj = self.call_method_post(method='SetPurchaseIpAddress', json_scheme=json_scheme, debug=debug) try: ip = Ip() ip.ip_addr = json_obj['Value']['Value'] ip.resid = json_obj['Value']['ResourceId'] return ip except: raise Exception('Unknown error retrieving IP.')
purchase_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, debug=False):\n json_scheme = self.gen_def_json_scheme('SetPurchaseIpAddress')\n json_obj = self.call_method_post(method='SetPurchaseIpAddress',\n json_scheme=json_scheme, debug=debug)\n try:\n ip = Ip()\n ip.ip_addr = json_obj['Value']['Value']\n ip.resid = json_obj['Value']['ResourceId']\n return ip\n except:\n raise Exception('Unknown error retrieving IP.')\n", "role": "user" }, { "content": "purchase_ip", "role": "assistant" } ]
def x(self, vlan_name, debug=False): vlan_name = {'VLanName': vlan_name} json_scheme = self.gen_def_json_scheme('SetPurchaseVLan', vlan_name) json_obj = self.call_method_post(method='SetPurchaseVLan', json_scheme= json_scheme) if debug is True: self.logger.debug(json_obj) if json_obj['Success'] is False: raise Exception('Cannot purchase new vlan.') vlan = Vlan() vlan.name = json_obj['Value']['Name'] vlan.resource_id = json_obj['Value']['ResourceId'] vlan.vlan_code = json_obj['Value']['VlanCode'] return vlan
purchase_vlan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vlan_name, debug=False):\n vlan_name = {'VLanName': vlan_name}\n json_scheme = self.gen_def_json_scheme('SetPurchaseVLan', vlan_name)\n json_obj = self.call_method_post(method='SetPurchaseVLan', json_scheme=\n json_scheme)\n if debug is True:\n self.logger.debug(json_obj)\n if json_obj['Success'] is False:\n raise Exception('Cannot purchase new vlan.')\n vlan = Vlan()\n vlan.name = json_obj['Value']['Name']\n vlan.resource_id = json_obj['Value']['ResourceId']\n vlan.vlan_code = json_obj['Value']['VlanCode']\n return vlan\n", "role": "user" }, { "content": "purchase_vlan", "role": "assistant" } ]
def x(self, vlan_resource_id): vlan_id = {'VLanResourceId': vlan_resource_id} json_scheme = self.gen_def_json_scheme('SetRemoveVLan', vlan_id) json_obj = self.call_method_post(method='SetRemoveVLan', json_scheme= json_scheme) return True if json_obj['Success'] is True else False
remove_vlan
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vlan_resource_id):\n vlan_id = {'VLanResourceId': vlan_resource_id}\n json_scheme = self.gen_def_json_scheme('SetRemoveVLan', vlan_id)\n json_obj = self.call_method_post(method='SetRemoveVLan', json_scheme=\n json_scheme)\n return True if json_obj['Success'] is True else False\n", "role": "user" }, { "content": "remove_vlan", "role": "assistant" } ]
def x(self, ip_id): ip_id = ' "IpAddressResourceId": %s' % ip_id json_scheme = self.gen_def_json_scheme('SetRemoveIpAddress', ip_id) json_obj = self.call_method_post(method='SetRemoveIpAddress', json_scheme=json_scheme) pprint(json_obj) return True if json_obj['Success'] is True else False
remove_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ip_id):\n ip_id = ' \"IpAddressResourceId\": %s' % ip_id\n json_scheme = self.gen_def_json_scheme('SetRemoveIpAddress', ip_id)\n json_obj = self.call_method_post(method='SetRemoveIpAddress',\n json_scheme=json_scheme)\n pprint(json_obj)\n return True if json_obj['Success'] is True else False\n", "role": "user" }, { "content": "remove_ip", "role": "assistant" } ]
def x(self, name): json_scheme = self.gen_def_json_scheme('GetPreConfiguredPackages', dict (HypervisorType=4)) json_obj = self.call_method_post(method='GetPreConfiguredPackages ', json_scheme=json_scheme) for package in json_obj['Value']: packageId = package['PackageID'] for description in package['Descriptions']: languageID = description['LanguageID'] packageName = description['Text'] if languageID == 2 and packageName.lower() == name.lower(): return packageId
get_package_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n json_scheme = self.gen_def_json_scheme('GetPreConfiguredPackages', dict\n (HypervisorType=4))\n json_obj = self.call_method_post(method='GetPreConfiguredPackages ',\n json_scheme=json_scheme)\n for package in json_obj['Value']:\n packageId = package['PackageID']\n for description in package['Descriptions']:\n languageID = description['LanguageID']\n packageName = description['Text']\n if languageID == 2 and packageName.lower() == name.lower():\n return packageId\n", "role": "user" }, { "content": "get_package_id", "role": "assistant" } ]
def x(self): json_scheme = self.gen_def_json_scheme('GetPurchasedIpAddresses') json_obj = self.call_method_post(method='GetPurchasedIpAddresses ', json_scheme=json_scheme) self.iplist = IpList() for ip in json_obj['Value']: r = Ip() r.ip_addr = ip['Value'] r.resid = ip['ResourceId'] r.serverid = ip['ServerId'] if 'None' not in str(ip['ServerId'] ) else None self.iplist.append(r)
get_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n json_scheme = self.gen_def_json_scheme('GetPurchasedIpAddresses')\n json_obj = self.call_method_post(method='GetPurchasedIpAddresses ',\n json_scheme=json_scheme)\n self.iplist = IpList()\n for ip in json_obj['Value']:\n r = Ip()\n r.ip_addr = ip['Value']\n r.resid = ip['ResourceId']\n r.serverid = ip['ServerId'] if 'None' not in str(ip['ServerId']\n ) else None\n self.iplist.append(r)\n", "role": "user" }, { "content": "get_ip", "role": "assistant" } ]
def x(self, req, method_fields=None): json_dict = dict(ApplicationId=req, RequestId=req, SessionId=req, Password=self.auth.password, Username=self.auth.username) if method_fields is not None: json_dict.update(method_fields) self.logger.debug(json.dumps(json_dict)) return json.dumps(json_dict)
gen_def_json_scheme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, req, method_fields=None):\n json_dict = dict(ApplicationId=req, RequestId=req, SessionId=req,\n Password=self.auth.password, Username=self.auth.username)\n if method_fields is not None:\n json_dict.update(method_fields)\n self.logger.debug(json.dumps(json_dict))\n return json.dumps(json_dict)\n", "role": "user" }, { "content": "gen_def_json_scheme", "role": "assistant" } ]
def x(self): assert self.uri is not None, Exception( 'BadArgument: uri property cannot be None') url = '{}/{}'.format(self.uri, self.__class__.__name__) serialized_json = jsonpickle.encode(self, unpicklable=False) headers = {'Content-Type': 'application/json', 'Content-Length': str( len(serialized_json))} response = Http.post(url=url, data=serialized_json, headers=headers) if response.status_code != 200: from ArubaCloud.base.Errors import MalformedJsonRequest raise MalformedJsonRequest('Request: {}, Status Code: {}'.format( serialized_json, response.status_code)) content = jsonpickle.decode(response.content.decode('utf-8')) if content['ResultCode'] == 17: from ArubaCloud.base.Errors import OperationAlreadyEnqueued raise OperationAlreadyEnqueued('{} already enqueued'.format(self. __class__.__name__)) if content['Success'] is False: from ArubaCloud.base.Errors import RequestFailed raise RequestFailed('Request: {}, Response: {}'.format( serialized_json, response.content)) return content
commit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert self.uri is not None, Exception(\n 'BadArgument: uri property cannot be None')\n url = '{}/{}'.format(self.uri, self.__class__.__name__)\n serialized_json = jsonpickle.encode(self, unpicklable=False)\n headers = {'Content-Type': 'application/json', 'Content-Length': str(\n len(serialized_json))}\n response = Http.post(url=url, data=serialized_json, headers=headers)\n if response.status_code != 200:\n from ArubaCloud.base.Errors import MalformedJsonRequest\n raise MalformedJsonRequest('Request: {}, Status Code: {}'.format(\n serialized_json, response.status_code))\n content = jsonpickle.decode(response.content.decode('utf-8'))\n if content['ResultCode'] == 17:\n from ArubaCloud.base.Errors import OperationAlreadyEnqueued\n raise OperationAlreadyEnqueued('{} already enqueued'.format(self.\n __class__.__name__))\n if content['Success'] is False:\n from ArubaCloud.base.Errors import RequestFailed\n raise RequestFailed('Request: {}, Response: {}'.format(\n serialized_json, response.content))\n return content\n", "role": "user" }, { "content": "commit", "role": "assistant" } ]
def x(self): request = self._call(GetSharedStorages) response = request.commit() return response['Value']
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n request = self._call(GetSharedStorages)\n response = request.commit()\n return response['Value']\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, quantity, iqn, name, protocol=SharedStorageProtocolType.ISCSI): iqns = [] for _iqn in iqn: iqns.append(SharedStorageIQN(Value=_iqn)) request = self._call(SetEnqueuePurchaseSharedStorage, Quantity=quantity, SharedStorageName=name, SharedStorageIQNs=iqns, SharedStorageProtocolType=protocol) response = request.commit() return response['Value']
purchase_iscsi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity, iqn, name, protocol=SharedStorageProtocolType.ISCSI):\n iqns = []\n for _iqn in iqn:\n iqns.append(SharedStorageIQN(Value=_iqn))\n request = self._call(SetEnqueuePurchaseSharedStorage, Quantity=quantity,\n SharedStorageName=name, SharedStorageIQNs=iqns,\n SharedStorageProtocolType=protocol)\n response = request.commit()\n return response['Value']\n", "role": "user" }, { "content": "purchase_iscsi", "role": "assistant" } ]
def x(self, *args, **kwargs): if 'timeout' not in kwargs: kwargs['timeout'] = self.timeout req = self.session.get(*args, **kwargs) return req
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if 'timeout' not in kwargs:\n kwargs['timeout'] = self.timeout\n req = self.session.get(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, *args, **kwargs): req = self.session_xml.get(*args, **kwargs) return req
get_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n req = self.session_xml.get(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "get_xml", "role": "assistant" } ]
def x(self, *args, **kwargs): if 'timeout' not in kwargs: kwargs['timeout'] = self.timeout req = self.session.post(*args, **kwargs) return req
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if 'timeout' not in kwargs:\n kwargs['timeout'] = self.timeout\n req = self.session.post(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, *args, **kwargs): if 'timeout' not in kwargs: kwargs['timeout'] = self.timeout req = self.session_xml.post(*args, **kwargs) return req
post_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if 'timeout' not in kwargs:\n kwargs['timeout'] = self.timeout\n req = self.session_xml.post(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "post_xml", "role": "assistant" } ]
def x(self, *args, **kwargs): if 'timeout' not in kwargs: kwargs['timeout'] = self.timeout req = self.session.put(*args, **kwargs) return req
put
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if 'timeout' not in kwargs:\n kwargs['timeout'] = self.timeout\n req = self.session.put(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "put", "role": "assistant" } ]
def x(self, *args, **kwargs): if 'timeout' not in kwargs: kwargs['timeout'] = self.timeout req = self.session.delete(*args, **kwargs) return req
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if 'timeout' not in kwargs:\n kwargs['timeout'] = self.timeout\n req = self.session.delete(*args, **kwargs)\n return req\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self): url = self.rest_url + '/non-existent/location' response = self._get(url) if response.status_code == 401: return False elif response.status_code == 404: return True else: return False
auth_ping
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self.rest_url + '/non-existent/location'\n response = self._get(url)\n if response.status_code == 401:\n return False\n elif response.status_code == 404:\n return True\n else:\n return False\n", "role": "user" }, { "content": "auth_ping", "role": "assistant" } ]
def x(self, username, password): response = self._post(self.rest_url + '/authentication', data=json. dumps({'value': password}), params={'username': username}) if not response.ok: return None return response.json()
auth_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n response = self._post(self.rest_url + '/authentication', data=json.\n dumps({'value': password}), params={'username': username})\n if not response.ok:\n return None\n return response.json()\n", "role": "user" }, { "content": "auth_user", "role": "assistant" } ]
def x(self, username, password, remote='127.0.0.1', proxy=None): params = {'username': username, 'password': password, 'validation-factors': {'validationFactors': [{'name': 'remote_address', 'value': remote}]}} if proxy: params['validation-factors']['validationFactors'].append({'name': 'X-Forwarded-For', 'value': proxy}) response = self._post(self.rest_url + '/session', data=json.dumps( params), params={'expand': 'user'}) if not response.ok: return None return response.json()
get_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password, remote='127.0.0.1', proxy=None):\n params = {'username': username, 'password': password,\n 'validation-factors': {'validationFactors': [{'name':\n 'remote_address', 'value': remote}]}}\n if proxy:\n params['validation-factors']['validationFactors'].append({'name':\n 'X-Forwarded-For', 'value': proxy})\n response = self._post(self.rest_url + '/session', data=json.dumps(\n params), params={'expand': 'user'})\n if not response.ok:\n return None\n return response.json()\n", "role": "user" }, { "content": "get_session", "role": "assistant" } ]
def x(self, token, remote='127.0.0.1', proxy=None): params = {'validationFactors': [{'name': 'remote_address', 'value': remote}]} if proxy: params['validation-factors']['validationFactors'].append({'name': 'X-Forwarded-For', 'value': proxy}) url = self.rest_url + '/session/%s' % token response = self._post(url, data=json.dumps(params), params={'expand': 'user'}) if not response.ok: return None return response.json()
validate_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token, remote='127.0.0.1', proxy=None):\n params = {'validationFactors': [{'name': 'remote_address', 'value':\n remote}]}\n if proxy:\n params['validation-factors']['validationFactors'].append({'name':\n 'X-Forwarded-For', 'value': proxy})\n url = self.rest_url + '/session/%s' % token\n response = self._post(url, data=json.dumps(params), params={'expand':\n 'user'})\n if not response.ok:\n return None\n return response.json()\n", "role": "user" }, { "content": "validate_session", "role": "assistant" } ]