source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, rel=u'instances'): schema_loaded = not self.schema is None links_present = 'links' in self.schema.keys() if schema_loaded and links_present: for row in self.schema['links']: if row['rel'] == rel: return row raise APIException('ENDPOINT_NOTFOUND', 'invalid endpoint')
get_list_endpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, rel=u'instances'):\n schema_loaded = not self.schema is None\n links_present = 'links' in self.schema.keys()\n if schema_loaded and links_presen...
def x(self, resp_item): item_cls = resources.get_model_class(self.resource_type) properties_dict = resp_item[self.resource_type] new_dict = helpers.remove_properties_containing_None(properties_dict) obj = item_cls(new_dict) return obj
response_item_to_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resp_item):\n item_cls = resources.get_model_class(self.resource_type)\n properties_dict = resp_item[self.resource_type]\n new_dict = helpers.re...
def x(self, page=None, verbose=False): url = self._build_query_url(page, verbose) response = self._load(url, verbose) response = self._post_load(response, verbose) return response
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, page=None, verbose=False):\n url = self._build_query_url(page, verbose)\n response = self._load(url, verbose)\n response = self._post_load(respo...
def x(self, pluginSubPath: bytes, resource: BasicResource) ->None: pluginSubPath = pluginSubPath.strip(b'/') self.__rootAdminResource.putChild(pluginSubPath, resource)
addAdminResource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, pluginSubPath: bytes, resource: BasicResource) ->None:\n pluginSubPath = pluginSubPath.strip(b'/')\n self.__rootAdminResource.putChild(pluginSubPat...
def x(self, connection, sender, target, payload): if payload: connection.part(payload) else: raise ValueError('No channel given')
cmd_part
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n if payload:\n connection.part(payload)\n else:\n raise ValueError('No channel given')\n", ...
def x(self, connection, sender, target, payload): if payload: connection.join(payload) else: raise ValueError('No channel given')
cmd_join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n if payload:\n connection.join(payload)\n else:\n raise ValueError('No channel given')\n", ...
def x(self, connection, sender, target, payload): connection.privmsg(target, payload or 'Hello, {0}'.format(sender))
cmd_echo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n connection.privmsg(target, payload or 'Hello, {0}'.format(sender))\n", "role": "user" }, { "conten...
def x(self, connection, sender, target, payload): connection.action(target, 'is doing something...') time.sleep(int(payload or '5')) connection.action(target, 'has finished !') connection.privmsg(target, 'My answer is: 42.')
cmd_work
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, connection, sender, target, payload):\n connection.action(target, 'is doing something...')\n time.sleep(int(payload or '5'))\n connection.action...
def x(path): for item in ref: build = ref[item] valid_ = build['is_valid'] if valid_(path) is True: return build['builder'](path) raise errors.InvalidProjectStructure()
from_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n for item in ref:\n build = ref[item]\n valid_ = build['is_valid']\n if valid_(path) is True:\n return build['builde...
def x(self, token, types=types, coll_abc=collections.abc): for mro_type in type(token).__mro__: yield mro_type.__name__ if callable(token): yield 'callable' abc_types = ('Hashable', 'Iterable', 'Iterator', 'Sized', 'Container', 'Callable', 'Set', 'MutableSet', 'Mapping', 'MutableMapping', 'MappingView', 'KeysView', 'ItemsView', 'ValuesView', 'Sequence', 'MutableSequence', 'ByteString') for type_name in abc_types: type_ = getattr(coll_abc, type_name, None) if type_ is None: continue if isinstance(token, type_): yield type_name interp_types = ('BuiltinFunctionType', 'BuiltinMethodType', 'CodeType', 'DynamicClassAttribute', 'FrameType', 'FunctionType', 'GeneratorType', 'GetSetDescriptorType', 'LambdaType', 'MappingProxyType', 'MemberDescriptorType', 'MethodType', 'ModuleType', 'SimpleNamespace', 'TracebackType') for type_name in interp_types: type_ = getattr(types, type_name, None) if type_ is None: continue if isinstance(token, type_): yield type_name
get_nodekey
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token, types=types, coll_abc=collections.abc):\n for mro_type in type(token).__mro__:\n yield mro_type.__name__\n if callable(token):\n ...
def x(self, iterable, gentype=types.GeneratorType, exhaust_generators=True): self.iterable = iter(iterable) for token in self.iterable: result = self.itervisit_node(token) if exhaust_generators and isinstance(result, gentype): for output in result: yield output elif result is not None: yield result result = self.finalize() if result is self: return if isinstance(result, gentype): for output in result: yield output
itervisit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, iterable, gentype=types.GeneratorType, exhaust_generators=True):\n self.iterable = iter(iterable)\n for token in self.iterable:\n result = s...
def x(ctx: click.Context, _, value): if not value or ctx.resilient_parsing: return print(__version__) sys.exit(0)
print_version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ctx: click.Context, _, value):\n if not value or ctx.resilient_parsing:\n return\n print(__version__)\n sys.exit(0)\n", "role": "user" },...
def x(msg): rem = len(msg) % 4 if rem: msg += b'=' * (4 - rem) return base64.urlsafe_b64decode(msg)
base64url_decode
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg):\n rem = len(msg) % 4\n if rem:\n msg += b'=' * (4 - rem)\n return base64.urlsafe_b64decode(msg)\n", "role": "user" }, { "cont...
def x(keyid, algorithm): data = {'typ': 'JWT', 'alg': algorithm.name, 'kid': keyid} datajson = json.dumps(data, sort_keys=True).encode('utf8') return base64url_encode(datajson)
jws_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keyid, algorithm):\n data = {'typ': 'JWT', 'alg': algorithm.name, 'kid': keyid}\n datajson = json.dumps(data, sort_keys=True).encode('utf8')\n return ...
def x(expire_at, requrl=None, **kwargs): data = {'exp': expire_at, 'aud': requrl} data.update(kwargs) datajson = json.dumps(data, sort_keys=True).encode('utf8') return base64url_encode(datajson)
jws_payload
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(expire_at, requrl=None, **kwargs):\n data = {'exp': expire_at, 'aud': requrl}\n data.update(kwargs)\n datajson = json.dumps(data, sort_keys=True).enco...
def x(signdata, privkey, algorithm): signature = algorithm.sign(privkey, signdata) return base64url_encode(signature)
jws_signature
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(signdata, privkey, algorithm):\n signature = algorithm.sign(privkey, signdata)\n return base64url_encode(signature)\n", "role": "user" }, { "...
def x(privkey, expire_after=3600, requrl=None, algorithm_name=DEFAULT_ALGO, **kwargs): assert algorithm_name in ALGORITHM_AVAILABLE algo = ALGORITHM_AVAILABLE[algorithm_name] addy = algo.pubkey_serialize(privkey.pubkey) header = _jws_header(addy, algo).decode('utf8') payload = _build_payload(expire_after, requrl, **kwargs) signdata = '{}.{}'.format(header, payload) signature = _jws_signature(signdata, privkey, algo).decode('utf8') return '{}.{}'.format(signdata, signature)
sign_serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(privkey, expire_after=3600, requrl=None, algorithm_name=DEFAULT_ALGO,\n **kwargs):\n assert algorithm_name in ALGORITHM_AVAILABLE\n algo = ALGORITHM_A...
def x(privkeys, expire_after=3600, requrl=None, algorithm_name=DEFAULT_ALGO, **kwargs): assert algorithm_name in ALGORITHM_AVAILABLE payload = _build_payload(expire_after, requrl, **kwargs) result = {'payload': payload, 'signatures': []} algo = ALGORITHM_AVAILABLE[algorithm_name] for pk in privkeys: addy = algo.pubkey_serialize(pk.pubkey) header = _jws_header(addy, algo).decode('utf8') signdata = '{}.{}'.format(header, payload) signature = _jws_signature(signdata, pk, algo).decode('utf8') result['signatures'].append({'protected': header, 'signature': signature}) return json.dumps(result)
multisig_sign_serialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(privkeys, expire_after=3600, requrl=None, algorithm_name=DEFAULT_ALGO,\n **kwargs):\n assert algorithm_name in ALGORITHM_AVAILABLE\n payload = _build_...
def x(rawmsg, requrl=None, check_expiration=True, decode_payload=True, algorithm_name=DEFAULT_ALGO): assert algorithm_name in ALGORITHM_AVAILABLE algo = ALGORITHM_AVAILABLE[algorithm_name] data = json.loads(rawmsg) payload64 = data.get('payload', None) signatures = data.get('signatures', None) if payload64 is None or not isinstance(signatures, list): raise InvalidMessage('must contain "payload" and "signatures"') if not len(signatures): raise InvalidMessage('no signatures') try: payload, sigs = _multisig_decode(payload64, signatures, decode_payload) except Exception as err: raise InvalidMessage(str(err)) all_valid = True try: for entry in sigs: valid = _verify_signature(algorithm=algo, **entry) all_valid = all_valid and valid except Exception as err: raise InvalidMessage('failed to verify signature: {}'.format(err)) if not all_valid: return None, None if decode_payload: _verify_payload(payload, check_expiration, requrl) return [entry['header'] for entry in sigs], payload
multisig_validate_deserialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rawmsg, requrl=None, check_expiration=True, decode_payload=True,\n algorithm_name=DEFAULT_ALGO):\n assert algorithm_name in ALGORITHM_AVAILABLE\n algo...
def x(rawmsg, requrl=None, check_expiration=True, decode_payload=True, algorithm_name=DEFAULT_ALGO): assert algorithm_name in ALGORITHM_AVAILABLE algo = ALGORITHM_AVAILABLE[algorithm_name] segments = rawmsg.split('.') if len(segments) != 3 or not all(segments): raise InvalidMessage('must contain 3 non-empty segments') header64, payload64, cryptoseg64 = segments try: signature = base64url_decode(cryptoseg64.encode('utf8')) payload_data = base64url_decode(payload64.encode('utf8')) header_data = base64url_decode(header64.encode('utf8')) header = json.loads(header_data.decode('utf8')) if decode_payload: payload = json.loads(payload_data.decode('utf8')) else: payload = payload_data except Exception as err: raise InvalidMessage(str(err)) try: valid = _verify_signature('{}.{}'.format(header64, payload64), header, signature, algo) except Exception as err: raise InvalidMessage('failed to verify signature: {}'.format(err)) if not valid: return None, None if decode_payload: _verify_payload(payload, check_expiration, requrl) return header, payload
validate_deserialize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(rawmsg, requrl=None, check_expiration=True, decode_payload=True,\n algorithm_name=DEFAULT_ALGO):\n assert algorithm_name in ALGORITHM_AVAILABLE\n algo...
def x(type_, value=None, traceback=None): if type_.__traceback__ is not traceback: raise type_.with_traceback(traceback) raise type_
raise_
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type_, value=None, traceback=None):\n if type_.__traceback__ is not traceback:\n raise type_.with_traceback(traceback)\n raise type_\n", "role...
def x(self, url, method=u'get', data=None, headers=None, **kwargs): url, method, data, headers, kwargs = self._pre_request(url, method= method, data=data, headers=headers, **kwargs) response = self._request(url, method=method, data=data, headers=headers, **kwargs) response = self._post_request(response) response = self._handle_response(response) return response
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method=u'get', data=None, headers=None, **kwargs):\n url, method, data, headers, kwargs = self._pre_request(url, method=\n method, data=da...
def x(self, url, method=u'get', data=None, headers=None, **kwargs): return url, method, data, headers, kwargs
pre_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method=u'get', data=None, headers=None, **kwargs):\n return url, method, data, headers, kwargs\n", "role": "user" }, { "content": "pr...
def x(self, url, method=u'get', data=None, headers=None, **kwargs): header = {u'Content-Type': u'application/json', u'User-Agent': u'salesking_api_py_v1'} if headers: headers.update(header) else: headers = header if url.find(self.base_url) != 0: url = u'%s%s' % (self.base_url, url) return url, method, data, headers, kwargs
pre_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method=u'get', data=None, headers=None, **kwargs):\n header = {u'Content-Type': u'application/json', u'User-Agent':\n u'salesking_api_py_v...
def x(self, url, method=u'get', data=None, headers=None, **kwargs): msg = 'method: %s url:%s\nheaders:%s\ndata:%s' % (method, url, headers, data) if not self.use_oauth: auth = self.sk_user, self.sk_pw if not self.client: self.client = requests.session() r = self.client.request(method, url, headers=headers, data=data, auth=auth, **kwargs) else: if not self.client: self.client = requests.session(hooks={'pre_request': oauth_hook}) r = self.client.request(method, url, headers=headers, data=data, ** kwargs) return r
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url, method=u'get', data=None, headers=None, **kwargs):\n msg = 'method: %s url:%s\\nheaders:%s\\ndata:%s' % (method, url, headers,\n data)\n ...
def x(self, response): status = response.status_code if status == 400: msg = u'bad request' raise exceptions.BadRequest(status, msg) elif status == 401: msg = u'authorization failed user:%s' % self.sk_user raise exceptions.Unauthorized(status, msg) elif status == 404: raise exceptions.NotFound() elif status == 422: msg = u'bad request' raise exceptions.BadRequest(status, msg) elif status in range(400, 500): msg = u'unexpected bad request' raise exceptions.BadRequest(status, msg) elif status in range(500, 600): raise exceptions.ServerError() return response
handle_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, response):\n status = response.status_code\n if status == 400:\n msg = u'bad request'\n raise exceptions.BadRequest(status, msg)\n ...
def x(obj_with_doc): def x(fn): fn.__doc__ = obj_with_doc.__doc__ return fn return decorator
see_doc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj_with_doc):\n\n def x(fn):\n fn.__doc__ = obj_with_doc.__doc__\n return fn\n return decorator\n", "role": "user" }, { "conte...
def x(stack=None): if stack is None: stack = inspect.stack() for frame in stack: statement_list = frame[4] if statement_list is None: continue if statement_list[0].strip().startswith('class '): return True return False
class_in_progress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stack=None):\n if stack is None:\n stack = inspect.stack()\n for frame in stack:\n statement_list = frame[4]\n if statement_list is ...
def x(self, name=None): if name is None: return self.init_value elif not self.support_name: msg = 'generator does not support get-by-name: function {!r}' raise TypeError(msg.format(self.function)) try: value = self.generator.send(name) except StopIteration: msg = "generator didn't yield: function {!r}" raise RuntimeError(msg.format(self.function)) return value
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n if name is None:\n return self.init_value\n elif not self.support_name:\n msg = 'generator does not support get-by-name...
def x(self): if self.support_name: self.generator.close() try: next(self.generator) except StopIteration: return else: msg = "generator didn't stop: function {!r}" raise RuntimeError(msg.format(self.function))
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.support_name:\n self.generator.close()\n try:\n next(self.generator)\n except StopIteration:\n return\n else:...
def x(cls, __fn): if hasattr(__fn, '__func__'): __fn = __fn.__func__ if hasattr(__fn, '__notes__'): return __fn.__notes__ raise AttributeError('{!r} does not have annotations'.format(__fn))
get_annotations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, __fn):\n if hasattr(__fn, '__func__'):\n __fn = __fn.__func__\n if hasattr(__fn, '__notes__'):\n return __fn.__notes__\n raise Attr...
def x(cls, __fn, *notes, **keyword_notes): if hasattr(__fn, '__func__'): __fn = __fn.__func__ if hasattr(__fn, '__notes__'): msg = 'callable already has notes: {!r}' raise AttributeError(msg.format(__fn)) __fn.__notes__ = notes, keyword_notes
set_annotations
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, __fn, *notes, **keyword_notes):\n if hasattr(__fn, '__func__'):\n __fn = __fn.__func__\n if hasattr(__fn, '__notes__'):\n msg = 'calla...
def x(__fn, **kw): kw['assigned'] = kw.get('assigned', WRAPPER_ASSIGNMENTS) return functools.wraps(__fn, **kw)
wraps
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__fn, **kw):\n kw['assigned'] = kw.get('assigned', WRAPPER_ASSIGNMENTS)\n return functools.wraps(__fn, **kw)\n", "role": "user" }, { "content...
def x(__fn, *a, **kw): return PARTIAL, (__fn, a, tuple(kw.items()))
partial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__fn, *a, **kw):\n return PARTIAL, (__fn, a, tuple(kw.items()))\n", "role": "user" }, { "content": "partial", "role": "assistant" } ]
def x(__fn, *a, **kw): return PARTIAL_REGARDLESS, (__fn, a, tuple(kw.items()))
partial_regardless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__fn, *a, **kw):\n return PARTIAL_REGARDLESS, (__fn, a, tuple(kw.items()))\n", "role": "user" }, { "content": "partial_regardless", "role": ...
def x(__fn, *a, **kw): return EAGER_PARTIAL, (__fn, a, tuple(kw.items()))
eager_partial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__fn, *a, **kw):\n return EAGER_PARTIAL, (__fn, a, tuple(kw.items()))\n", "role": "user" }, { "content": "eager_partial", "role": "assistant...
def x(__fn, *a, **kw): return EAGER_PARTIAL_REGARDLESS, (__fn, a, tuple(kw.items()))
eager_partial_regardless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(__fn, *a, **kw):\n return EAGER_PARTIAL_REGARDLESS, (__fn, a, tuple(kw.items()))\n", "role": "user" }, { "content": "eager_partial_regardless", ...
def x(cls, note, provider=None, name=False): def x(provider): if inspect.isgeneratorfunction(provider): provider = cls.generator_provider.bind(provider, support_name=name) return decorator(provider) cls.register(note, provider) return provider if provider is not None: decorator(provider) else: return decorator
provider
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, note, provider=None, name=False):\n\n def x(provider):\n if inspect.isgeneratorfunction(provider):\n provider = cls.generator_provide...
def x(cls, note, fn=None): def x(f): provider = cls.factory_provider.bind(f) cls.register(note, provider) return f if fn is not None: decorator(fn) else: return decorator
factory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, note, fn=None):\n\n def x(f):\n provider = cls.factory_provider.bind(f)\n cls.register(note, provider)\n return f\n if fn is no...
def x(self, fn, *a, **kw): args, kwargs = self.prepare_callable(fn) args += a kwargs.update(kw) return fn(*args, **kwargs)
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *a, **kw):\n args, kwargs = self.prepare_callable(fn)\n args += a\n kwargs.update(kw)\n return fn(*args, **kwargs)\n", "role": "user"...
def x(self, fn, *user_args, **user_kwargs): self.get_annotations(fn) def x(*run_args, **run_kwargs): arg_pack = getattr(lazy_injection_fn, 'arg_pack', None) if arg_pack is not None: pack_args, pack_kwargs = arg_pack else: jeni_args, jeni_kwargs = self.prepare_callable(fn, partial=True) pack_args = jeni_args + user_args pack_kwargs = {} pack_kwargs.update(jeni_kwargs) pack_kwargs.update(user_kwargs) lazy_injection_fn.arg_pack = pack_args, pack_kwargs final_args = pack_args + run_args final_kwargs = {} final_kwargs.update(pack_kwargs) final_kwargs.update(run_kwargs) return fn(*final_args, **final_kwargs) return lazy_injection_fn
partial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *user_args, **user_kwargs):\n self.get_annotations(fn)\n\n def x(*run_args, **run_kwargs):\n arg_pack = getattr(lazy_injection_fn, 'arg_...
def x(self, fn, *a, **kw): args, kwargs = self.prepare_callable(fn, partial=True) args += a kwargs.update(kw) return functools.partial(fn, *args, **kwargs)
eager_partial
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *a, **kw):\n args, kwargs = self.prepare_callable(fn, partial=True)\n args += a\n kwargs.update(kw)\n return functools.partial(fn, *args,...
def x(self, fn, *a, **kw): if self.has_annotations(fn): return self.apply(fn, *a, **kw) return fn(*a, **kw)
apply_regardless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *a, **kw):\n if self.has_annotations(fn):\n return self.apply(fn, *a, **kw)\n return fn(*a, **kw)\n", "role": "user" }, { "c...
def x(self, fn, *a, **kw): if self.has_annotations(fn): return self.partial(fn, *a, **kw) else: return functools.partial(fn, *a, **kw)
partial_regardless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *a, **kw):\n if self.has_annotations(fn):\n return self.partial(fn, *a, **kw)\n else:\n return functools.partial(fn, *a, **kw)\n"...
def x(self, fn, *a, **kw): if self.has_annotations(fn): return self.eager_partial(fn, *a, **kw) return functools.partial(fn, *a, **kw)
eager_partial_regardless
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, *a, **kw):\n if self.has_annotations(fn):\n return self.eager_partial(fn, *a, **kw)\n return functools.partial(fn, *a, **kw)\n", "ro...
def x(self, note): if self.closed: raise RuntimeError('{!r} already closed'.format(self)) self.stats[note] += 1 if isinstance(note, tuple) and len(note) == 2: if note[0] == PARTIAL: fn, a, kw_items = note[1] return self.partial(fn, *a, **dict(kw_items)) elif note[0] == PARTIAL_REGARDLESS: fn, a, kw_items = note[1] return self.partial_regardless(fn, *a, **dict(kw_items)) elif note[0] == EAGER_PARTIAL: fn, a, kw_items = note[1] return self.eager_partial(fn, *a, **dict(kw_items)) elif note[0] == EAGER_PARTIAL_REGARDLESS: fn, a, kw_items = note[1] return self.eager_partial_regardless(fn, *a, **dict(kw_items)) basenote, name = self.parse_note(note) if name is None and basenote in self.values: return self.values[basenote] try: provider_factory = self.lookup(basenote) except LookupError: msg = "Unable to resolve '{}'" raise LookupError(msg.format(note)) self.instantiating.append((basenote, name)) try: if self.instantiating.count((basenote, name)) > 1: stack = ' <- '.join(repr(note) for note in self.instantiating) notes = tuple(self.instantiating) raise DependencyCycleError(stack, notes=notes) return self.handle_provider(provider_factory, note) finally: self.instantiating.pop()
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, note):\n if self.closed:\n raise RuntimeError('{!r} already closed'.format(self))\n self.stats[note] += 1\n if isinstance(note, tuple) an...
def x(self): if self.closed: raise RuntimeError('{!r} already closed'.format(self)) for finalizer in reversed(self.finalizers): finalizer() self.closed = True self.instances.clear() self.values.clear()
close
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.closed:\n raise RuntimeError('{!r} already closed'.format(self))\n for finalizer in reversed(self.finalizers):\n finalizer...
def x(self, fn, partial=False): notes, keyword_notes = self.get_annotations(fn) return self.prepare_notes(*notes, __partial=partial, **keyword_notes)
prepare_callable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fn, partial=False):\n notes, keyword_notes = self.get_annotations(fn)\n return self.prepare_notes(*notes, __partial=partial, **keyword_notes)\n", ...
def x(self, *notes, **keyword_notes): __partial = keyword_notes.pop('__partial', False) args = tuple(self.get(note) for note in notes) kwargs = {} for arg in keyword_notes: note = keyword_notes[arg] if isinstance(note, tuple) and len(note) == 2 and note[0] == MAYBE: try: kwargs[arg] = self.get(note[1]) except LookupError: continue elif __partial: try: kwargs[arg] = self.get(note) except LookupError: continue else: kwargs[arg] = self.get(note) return args, kwargs
prepare_notes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *notes, **keyword_notes):\n __partial = keyword_notes.pop('__partial', False)\n args = tuple(self.get(note) for note in notes)\n kwargs = {}\n ...
def x(cls, note): if isinstance(note, tuple): if len(note) != 2: raise ValueError('tuple annotations must be length 2') return note try: match = cls.re_note.match(note) except TypeError: return note, None return match.groups()
parse_note
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, note):\n if isinstance(note, tuple):\n if len(note) != 2:\n raise ValueError('tuple annotations must be length 2')\n return no...
def x(self, provider_factory, note): basenote, name = self.parse_note(note) if basenote not in self.instances: if isinstance(provider_factory, type) and self.has_annotations( provider_factory.__init__): args, kwargs = self.prepare_callable(provider_factory.__init__) self.instances[basenote] = provider_factory(*args, **kwargs) else: self.instances[basenote] = self.apply_regardless(provider_factory) provider = self.instances[basenote] if hasattr(provider, 'close'): self.finalizers.append(self.instances[basenote].close) provider = self.instances[basenote] get = self.partial_regardless(provider.get) try: if name is not None: return get(name=name) self.values[basenote] = get() return self.values[basenote] except UnsetError: exc_type, exc_value, tb = sys.exc_info() exc_msg = str(exc_value) if exc_msg: msg = '{}: {!r}'.format(exc_msg, note) else: msg = repr(note) six.reraise(exc_type, exc_type(msg, note=note), tb)
handle_provider
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, provider_factory, note):\n basenote, name = self.parse_note(note)\n if basenote not in self.instances:\n if isinstance(provider_factory, typ...
def x(cls, note, provider): basenote, name = cls.parse_note(note) if 'provider_registry' not in vars(cls): cls.provider_registry = {} cls.provider_registry[basenote] = provider
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, note, provider):\n basenote, name = cls.parse_note(note)\n if 'provider_registry' not in vars(cls):\n cls.provider_registry = {}\n cls.pro...
def x(cls, basenote): for c in cls.mro(): if 'provider_registry' not in vars(c): continue if basenote in c.provider_registry: return c.provider_registry[basenote] raise LookupError(repr(basenote))
lookup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, basenote):\n for c in cls.mro():\n if 'provider_registry' not in vars(c):\n continue\n if basenote in c.provider_registry:\n ...
def x(cls, *mixins_and_dicts, **values): class SubInjector(cls): pass mixins = [x for x in mixins_and_dicts if isinstance(x, type)] if mixins: SubInjector.__bases__ = tuple(mixins) + SubInjector.__bases__ dicts = [x for x in mixins_and_dicts if not isinstance(x, type)] for d in reversed(dicts): for k, v in d.items(): if k not in values: values[k] = v for k, v in values.items(): SubInjector.value(k, v) return SubInjector()
sub
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, *mixins_and_dicts, **values):\n\n\n class SubInjector(cls):\n pass\n mixins = [x for x in mixins_and_dicts if isinstance(x, type)]\n if mi...
def x(func): code = func.func_code Defaults = func.func_defaults nargs = code.co_argcount ArgNames = code.co_varnames[:nargs] Args = OrderedDict() argCount = len(ArgNames) defCount = len(Defaults) if Defaults else 0 diff = argCount - defCount for i in range(0, diff): Args[ArgNames[i]] = {} for i in range(diff, argCount): Args[ArgNames[i]] = {'default': Defaults[i - diff]} return Args
getFuncArgs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n code = func.func_code\n Defaults = func.func_defaults\n nargs = code.co_argcount\n ArgNames = code.co_varnames[:nargs]\n Args = Ordered...
def x(self, request=None, obj=None, model=None, form=None): label = form.base_fields[self.field].label condition = self.condition_cls(request=request, obj=obj, model=model) if condition.check(): additional_opts = condition.get_additional_options(request=request, obj=obj, model=model) visit_datetime = '' if obj: visit_datetime = getattr(obj, obj.visit_model_attr() ).report_datetime.strftime('%B %Y') try: label = self.custom_label.format(appointment=condition. appointment, previous_appointment=condition. previous_appointment, previous_obj=condition.previous_obj, previous_visit=condition.previous_visit, visit_datetime= visit_datetime, **additional_opts) except KeyError as e: raise CustomFormLabelError( f'Custom label template has invalid keys. See {label}. Got {e}.' ) return label
get_form_label
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request=None, obj=None, model=None, form=None):\n label = form.base_fields[self.field].label\n condition = self.condition_cls(request=request, obj=...
def x(self, args): parser = CommandArgumentParser('stack') parser.add_argument(dest='stack', help='stack index or name') parser.add_argument('-a', '--asg', dest='asg', help= 'descend into specified asg') args = vars(parser.parse_args(args)) try: index = int(args['stack']) if self.stackList == None: self.do_stacks('-s') stack = AwsConnectionFactory.instance.getCfResource().Stack(self. stackList[index]['StackName']) except ValueError: stack = AwsConnectionFactory.instance.getCfResource().Stack(args[ 'stack']) if 'asg' in args: AwsProcessor.processorFactory.Stack(stack, stack.name, self).onecmd( 'asg {}'.format(args['asg'])) AwsProcessor.processorFactory.Stack(stack, stack.name, self).cmdloop()
do_stack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n parser = CommandArgumentParser('stack')\n parser.add_argument(dest='stack', help='stack index or name')\n parser.add_argument('-a', '--...
def x(self, args): parser = CommandArgumentParser() parser.add_argument('-s', '--stack-name', dest='stack-name', help= 'name of the stack resource') parser.add_argument('-i', '--logical-id', dest='logical-id', help= 'logical id of the child resource') args = vars(parser.parse_args(args)) stackName = args['stack-name'] logicalId = args['logical-id'] self.stackResource(stackName, logicalId)
do_stack_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, args):\n parser = CommandArgumentParser()\n parser.add_argument('-s', '--stack-name', dest='stack-name', help=\n 'name of the stack resource...
def x(self, HTAG='#python'): self.t = Twython(app_key=self.app_key, app_secret=self.app_secret, oauth_token=self.oauth_token, oauth_token_secret=self. oauth_token_secret) search = self.t.search(q=HTAG, count=100, result_type='recent') ss = search[:] search = self.t.search(q=HTAG, count=150, max_id=ss[-1]['id'] - 1, result_type='recent') while seach: ss += search[:] search = self.t.search(q=HTAG, count=150, max_id=ss[-1]['id'] - 1, result_type='recent') self.ss = ss
searchTag
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, HTAG='#python'):\n self.t = Twython(app_key=self.app_key, app_secret=self.app_secret,\n oauth_token=self.oauth_token, oauth_token_secret=self.\...
def x(cls, tables: I2B2Tables, upload_id: int) ->int: return cls._delete_upload_id(tables.crc_connection, tables. observation_fact, upload_id)
delete_upload_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tables: I2B2Tables, upload_id: int) ->int:\n return cls._delete_upload_id(tables.crc_connection, tables.\n observation_fact, upload_id)\n", ...
def x(cls, tables: I2B2Tables, sourcesystem_cd: str) ->int: return cls._delete_sourcesystem_cd(tables.crc_connection, tables. observation_fact, sourcesystem_cd)
delete_sourcesystem_cd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tables: I2B2Tables, sourcesystem_cd: str) ->int:\n return cls._delete_sourcesystem_cd(tables.crc_connection, tables.\n observation_fact, sources...
def x(cls, tables: I2B2Tables, records: List['ObservationFact']) ->Tuple[ int, int]: return cls._add_or_update_records(tables.crc_connection, tables. observation_fact, records)
add_or_update_records
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, tables: I2B2Tables, records: List['ObservationFact']) ->Tuple[\n int, int]:\n return cls._add_or_update_records(tables.crc_connection, tables.\n ...
def x(self, dt: datetime) ->None: self._tval_char = dt.strftime('%Y-%m-%d %H:%M') self._nval_num = dt.year * 10000 + dt.month * 100 + dt.day + (dt.hour / 100.0 + dt.minute / 10000.0 if isinstance(dt, datetime) else 0)
date_val
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dt: datetime) ->None:\n self._tval_char = dt.strftime('%Y-%m-%d %H:%M')\n self._nval_num = dt.year * 10000 + dt.month * 100 + dt.day + (dt.hour /\n...
def x(self, config): self.config = config self.update_monitors() for profile in ('worker', 'result'): for _ in range(config['threads'][profile]['number']): worker = threading.Thread(target=config['threads'][profile][ 'function']) worker.daemon = True worker.start() self.heartbeat() self.refresh_stopper = set_interval(config['interval']['refresh'] * 1000, self.update_monitors) self.heartbeat_stopper = set_interval(config['interval']['heartbeat'] * 1000, self.heartbeat) self.reporting_stopper = set_interval(config['interval']['reporting'] * 1000, self.reporting) return self
configure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, config):\n self.config = config\n self.update_monitors()\n for profile in ('worker', 'result'):\n for _ in range(config['threads'][profil...
def x(self): self.thread_debug('Filling worker queue...', module='feed_monitors') for mon in self.monitors: self.thread_debug(' Adding ' + mon['title']) self.workers_queue.put(mon)
feed_monitors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('Filling worker queue...', module='feed_monitors')\n for mon in self.monitors:\n self.thread_debug(' Adding ' + mon[...
def x(self): while True: self.thread_debug('Interval starting') for thr in threading.enumerate(): self.thread_debug(' ' + str(thr)) self.feed_monitors() start = time.time() self.workers_queue.join() end = time.time() diff = self.config['interval']['test'] - (end - start) if diff <= 0: self.stats.procwin = -diff self.thread_debug('Cannot keep up with tests! {} seconds late'. format(abs(diff))) else: self.thread_debug('waiting {} seconds...'.format(diff)) time.sleep(diff)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n self.thread_debug('Interval starting')\n for thr in threading.enumerate():\n self.thread_debug(' ' + str(...
def x(self): self.thread_debug('Starting monitor refresh', module='update_monitors') monitors = [] self.rcs.cache_reset() svcs = self.rcs.cache_list('service', cols=['pipeline', 'name', 'active-instances']) for svc in svcs: try: pipeline = self.rcs.cache_get('pipeline', svc['pipeline']) for mon in pipeline.get('monitor', []): self.DEBUG('monitor {}'.format(mon)) mon['service'] = svc['name'] mon['pipeline'] = svc['pipeline'] for inst_name in svc.get('active-instances', []): inst = self.rcs.cache_get('instance', inst_name) mymon = mon.copy() mymon['instance'] = inst_name mymon['target'] = inst['address'] mymon['title'] = svc['name'] + ': ' + mon['name'] monitors.append(mymon) except KeyboardInterrupt: raise except: self.NOTIFY('Error in processing monitor:', err=traceback. format_exc()) self.NOTIFY('Refreshed monitors', total_monitors=len(monitors)) self.DEBUG('Monitors', monitors=monitors) self.monitors = monitors cache = self.rcs._cache self.instances = cache['instance'] self.services = cache['service'] self.pipelines = cache['pipeline'] self.thread_debug('Refresh complete', module='update_monitors')
update_monitors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('Starting monitor refresh', module='update_monitors')\n monitors = []\n self.rcs.cache_reset()\n svcs = self.rcs.cache_l...
def x(self, *args, **kwargs): if 'module' not in kwargs: kwargs['module'] = 'Monitor' if kwargs['module'] != 'Monitor' and self.do_DEBUG(module='Monitor'): self.debug[kwargs['module']] = True if not self.do_DEBUG(module=kwargs['module']): return thread_id = threading.current_thread().name key = '[' + thread_id + '] ' + kwargs['module'] if not self.debug.get(key): self.debug[key] = True kwargs['module'] = key self.DEBUG(*args, **kwargs)
thread_debug
[ { "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 'module' not in kwargs:\n kwargs['module'] = 'Monitor'\n if kwargs['module'] != 'Monitor' and self.do_DEBUG(module='M...
def x(self): self.thread_debug('Starting monitor thread') while not self.thread_stopper.is_set(): mon = self.workers_queue.get() self.thread_debug('Processing {type} Monitor: {title}'.format(**mon)) result = getattr(self, '_worker_' + mon['type'])(mon) self.workers_queue.task_done() self.results_queue.put({'type': mon['type'], 'result': result})
worker_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('Starting monitor thread')\n while not self.thread_stopper.is_set():\n mon = self.workers_queue.get()\n self.thr...
def x(self, monitor): self.thread_debug('process_http', data=monitor, module='handler') query = monitor['query'] method = query['method'].lower() self.stats.http_run += 1 try: target = monitor['target'] url = 'http://{host}:{port}{path}'.format(path=query['path'], **target) response = {'url': url, 'status': 'failed', 'result': {}, 'monitor': monitor, 'message': 'did not meet expected result or no expected result defined', 'elapsedms': monitor['timeout'] * 1000, 'code': 0} headers = query.get('headers', {}) for elem in headers: headers[elem] = self.sed_env(headers[elem], {}, '') res = response['result'] = getattr(requests, method)(url, headers= headers, timeout=monitor['timeout']) response['code'] = res.status_code response['elapsedms'] = res.elapsed.total_seconds() * 1000 if 'response-code' in monitor['expect']: if int(monitor['expect']['response-code']) == res.status_code: response['message'] = '' response['status'] = 'ok' else: return response if 'content' in monitor['expect']: if monitor['expect']['content'] in res.text: response['message'] = '' response['status'] = 'ok' else: return response if 'regex' in monitor['expect']: if re.search(monitor['expect']['regex'], res.text): response['message'] = '' response['status'] = 'ok' else: return response except requests.exceptions.Timeout: response['message'] = 'timeout' except requests.exceptions.ConnectionError: response['message'] = 'connect-failed' response['elapsedms'] = -1 return response
worker_http
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, monitor):\n self.thread_debug('process_http', data=monitor, module='handler')\n query = monitor['query']\n method = query['method'].lower()\n ...
def x(self): self.thread_debug('Starting handler thread') while not self.thread_stopper.is_set(): data = self.results_queue.get() self.thread_debug('Handling Result', module='handler') getattr(self, '_handler_' + data['type'])(data['result'])
handler_thread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('Starting handler thread')\n while not self.thread_stopper.is_set():\n data = self.results_queue.get()\n self.th...
def x(self, result): monitor = result['monitor'] self.thread_debug('process_http', data=monitor, module='handler') self.stats.http_handled += 1 logargs = {'type': 'metric', 'endpoint': result['url'], 'pipeline': monitor['pipeline'], 'service': monitor['service'], 'instance': monitor['instance'], 'status': result['status'], 'elapsed-ms': round(result['elapsedms'], 5), 'code': result['code']} self.NOTIFY(result['message'], **logargs) if result['status'] != self.instances[monitor['instance']]['status']: self.instances[monitor['instance']]['status'] = result['status'] self.rcs.patch('instance', monitor['instance'], {'status': result[ 'status']})
handler_http
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, result):\n monitor = result['monitor']\n self.thread_debug('process_http', data=monitor, module='handler')\n self.stats.http_handled += 1\n l...
def x(self): self.thread_debug('reporting') res = resource.getrusage(resource.RUSAGE_SELF) self.NOTIFY('', type='internal-usage', maxrss=round(res.ru_maxrss / 1024, 2), ixrss=round(res.ru_ixrss / 1024, 2), idrss=round(res. ru_idrss / 1024, 2), isrss=round(res.ru_isrss / 1024, 2), threads= threading.active_count(), proctot=len(self.monitors), procwin=self. stats.procwin)
reporting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('reporting')\n res = resource.getrusage(resource.RUSAGE_SELF)\n self.NOTIFY('', type='internal-usage', maxrss=round(res.ru_...
def x(self): self.thread_debug('heartbeat') if self.last_stats: if self.stats.http_run <= self.last_stats.http_run: self.NOTIFY('No monitors run since last heartbeat!', service= 'heartbeat') return elif self.stats.http_handled <= self.last_stats.http_handled: self.NOTIFY('No monitor results handled since last heartbeat!', service='heartbeat') return if self.config.get('heartbeat-hook'): result = requests.get(self.config.get('heartbeat-hook')) if result.status_code != 200: self.NOTIFY('Heartbeat ping to statuscake failed!', level='ERROR') self.last_stats = self.stats.copy()
heartbeat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.thread_debug('heartbeat')\n if self.last_stats:\n if self.stats.http_run <= self.last_stats.http_run:\n self.NOTIFY('No m...
def x(self, cfgin=True): default_conf = {'threads': {'result': {'number': 0, 'function': None}, 'worker': {'number': 0, 'function': None}}, 'interval': {'refresh': 900, 'heartbeat': 300, 'reporting': 300, 'test': 60}, 'heartbeat-hook': False} indata = {} if cfgin: indata = json.load(sys.stdin) elif os.environ.get('REFLEX_MONITOR_CONFIG'): indata = os.environ.get('REFLEX_MONITOR_CONFIG') if indata[0] != '{': indata = base64.b64decode(indata) else: self.NOTIFY('Using default configuration') conf = dictlib.union(default_conf, indata) conf['threads']['result']['function'] = self.handler_thread conf['threads']['worker']['function'] = self.worker_thread self.NOTIFY('Starting monitor Agent') try: self.configure(conf).start() except KeyboardInterrupt: self.thread_stopper.set() if self.refresh_stopper: self.refresh_stopper.set() if self.heartbeat_stopper: self.heartbeat_stopper.set() if self.reporting_stopper: self.reporting_stopper.set()
start_agent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cfgin=True):\n default_conf = {'threads': {'result': {'number': 0, 'function': None},\n 'worker': {'number': 0, 'function': None}}, 'interval':...
def x(): processPendingModules() if not state.main_module_name in ModuleMembers: return MainModule = sys.modules[state.main_module_name] if not MainModule.__ec_member__.Members: return global BaseGroup BaseGroup = MainModule.__ec_member__ Argv = sys.argv[1:] global mode mode = 'd' if Argv else 's' if mode == 's': import shell shell.init() else: import dispatch dispatch.init(Argv) processExitHooks()
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n processPendingModules()\n if not state.main_module_name in ModuleMembers:\n return\n MainModule = sys.modules[state.main_module_name]\n ...
def x(Argv, collect_missing): try: return _execCommand(Argv, collect_missing) except Exception as e: if Settings['errorHandler']: Settings['errorHandler'](e) if Settings['debug']: import pdb pdb.post_mortem(sys.exc_info()[2]) if not Settings['silent']: import traceback etype, value, tb = sys.exc_info() tb = tb.tb_next.tb_next message = ''.join(traceback.format_exception(etype, value, tb))[:-1 ] else: if isinstance(e, HandledException): raise e message = str(e) raise HandledException(message)
execCommand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Argv, collect_missing):\n try:\n return _execCommand(Argv, collect_missing)\n except Exception as e:\n if Settings['errorHandler']:\n ...
def x(Ancestor, RouteParts): if not RouteParts: return Ancestor Resolved = Ancestor.Members.get(RouteParts.pop(0)) if isinstance(Resolved, Group): return getDescendant(Resolved, RouteParts) else: return Resolved
getDescendant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Ancestor, RouteParts):\n if not RouteParts:\n return Ancestor\n Resolved = Ancestor.Members.get(RouteParts.pop(0))\n if isinstance(Resolved, Gr...
def x(Module): module_name = Module.__name__ if module_name not in ModuleMembers: ModuleMembers[module_name] = [] ModulesQ.append(module_name) Group(Module, {}) state.ActiveModuleMemberQ = ModuleMembers[module_name]
setActiveModule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Module):\n module_name = Module.__name__\n if module_name not in ModuleMembers:\n ModuleMembers[module_name] = []\n ModulesQ.append(module_...
def x(module_name): Module = sys.modules[module_name] MembersTarget = [] ClassQ = [] Cls = None ClsGroup = None ClsGrpMembers = [] for Member in ModuleMembers[module_name]: Underlying = Member.Underlying member_name = Member.Config['name'] member_alias = Member.Config.get('alias', None) if ClassQ: ClsGroup = ClassQ[-1] Cls = ClsGroup.Underlying if getattr(Cls, Underlying.__name__, None) is Underlying: if isclass(Underlying): ClassQ.append(Underlying.__ec_member__) elif not isunderlying(Underlying): continue if member_alias: ClsGrpMembers.insert(0, (member_alias, Member)) ClsGrpMembers.insert(0, (member_name, Member)) continue elif Cls: ClsGroup.Members = OrderedDict(ClsGrpMembers) ClsGrpMembers = [] ClassQ.pop() Cls = None ClsGroup = None if isunderlying(Underlying): if member_alias: MembersTarget.insert(0, (member_alias, Member)) MembersTarget.insert(0, (member_name, Member)) if isclass(Underlying): ClassQ.append(Underlying.__ec_member__) if ClsGroup: ClsGroup.Members = OrderedDict(ClsGrpMembers) ModuleMembers[module_name] = [] if not hasattr(Module.__ec_member__, 'Members'): Module.__ec_member__.Members = OrderedDict(MembersTarget)
processModule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_name):\n Module = sys.modules[module_name]\n MembersTarget = []\n ClassQ = []\n Cls = None\n ClsGroup = None\n ClsGrpMembers = []\n ...
def x(Argv, collect_missing): if not Argv: raise HandledException('Please specify a command!') RouteParts = Argv[0].split('/') Args, KwArgs = getDigestableArgs(Argv[1:]) ResolvedMember = getDescendant(BaseGroup, RouteParts[:]) if isinstance(ResolvedMember, Group): raise HandledException('Please specify a task.', Member=ResolvedMember) if not isinstance(ResolvedMember, Task): raise HandledException('No such task.', Member=BaseGroup) return ResolvedMember.__collect_n_call__(*Args, **KwArgs ) if collect_missing else ResolvedMember(*Args, **KwArgs)
execCommand
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Argv, collect_missing):\n if not Argv:\n raise HandledException('Please specify a command!')\n RouteParts = Argv[0].split('/')\n Args, KwArgs =...
def x(fn): cache = {} @wraps(fn) def x(*args): if args in cache: return cache[args] else: result = fn(*args) cache[args] = result return result return wrapped_function
memoize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(fn):\n cache = {}\n\n @wraps(fn)\n def x(*args):\n if args in cache:\n return cache[args]\n else:\n result = fn(*a...
def x(epab_version: str): logger = logging.getLogger('EPAB') logger.debug('setting up config') elib_config.ELIBConfig.setup(app_name='EPAB', app_version=epab_version, config_file_path='pyproject.toml', config_sep_str='__', root_path=[ 'tool', 'epab']) elib_config.write_example_config('pyproject.toml.example') if not pathlib.Path('pyproject.toml').exists(): raise FileNotFoundError('pyproject.toml') elib_config.validate_config()
setup_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(epab_version: str):\n logger = logging.getLogger('EPAB')\n logger.debug('setting up config')\n elib_config.ELIBConfig.setup(app_name='EPAB', app_versi...
def x(d1, d2): return (d1.year - d2.year) * 12 + d1.month - d2.month
get_months_apart
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(d1, d2):\n return (d1.year - d2.year) * 12 + d1.month - d2.month\n", "role": "user" }, { "content": "get_months_apart", "role": "assistant" ...
def x(to_date, from_date): num_months = get_months_apart(to_date, from_date) month_offset = from_date.month month_list = [] for month in range(month_offset - 1, month_offset + num_months): year = from_date.year + month / 12 real_month = month % 12 + 1 month_list.append((year, real_month)) return month_list
get_month_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(to_date, from_date):\n num_months = get_months_apart(to_date, from_date)\n month_offset = from_date.month\n month_list = []\n for month in range(mo...
def x(chunk): return abs(int(chunk.max() - chunk.min())) / config.SAMPLE_RANGE
find_amplitude
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(chunk):\n return abs(int(chunk.max() - chunk.min())) / config.SAMPLE_RANGE\n", "role": "user" }, { "content": "find_amplitude", "role": "ass...
def x(self): difference = self.drift_target - self._raw_value if abs(difference) < self.change_rate: self.value = self.drift_target else: delta = self.change_rate * numpy.sign(difference) self.value = self._raw_value + delta
step_amp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n difference = self.drift_target - self._raw_value\n if abs(difference) < self.change_rate:\n self.value = self.drift_target\n else:\n ...
def x(force=False): if force or (2, 7) <= sys.version_info < (3, 4): import imp loaders = [] for suffix, mode, type in imp.get_suffixes(): if type == imp.PY_SOURCE: loaders.append((SourceFileLoader2, [suffix])) else: loaders.append((ImpFileLoader2, [suffix])) return loaders elif sys.version_info >= (3, 4): from importlib.machinery import SOURCE_SUFFIXES, SourceFileLoader, BYTECODE_SUFFIXES, SourcelessFileLoader, EXTENSION_SUFFIXES, ExtensionFileLoader extensions = ExtensionFileLoader, EXTENSION_SUFFIXES source = SourceFileLoader, SOURCE_SUFFIXES bytecode = SourcelessFileLoader, BYTECODE_SUFFIXES return [extensions, source, bytecode]
get_supported_file_loaders_2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(force=False):\n if force or (2, 7) <= sys.version_info < (3, 4):\n import imp\n loaders = []\n for suffix, mode, type in imp.get_suffix...
def x(self): parent, dot, me = self._name.rpartition('.') if dot == '': return 'sys', 'path' return parent, '__path__'
find_parent_path_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n parent, dot, me = self._name.rpartition('.')\n if dot == '':\n return 'sys', 'path'\n return parent, '__path__'\n", "role": "user"...
def x(self, fullname): filename = os.path.split(self.get_filename(fullname))[1] filename_base = filename.rsplit('.', 1)[0] tail_name = fullname.rpartition('.')[2] return filename_base == '__init__' and tail_name != '__init__'
is_package
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fullname):\n filename = os.path.split(self.get_filename(fullname))[1]\n filename_base = filename.rsplit('.', 1)[0]\n tail_name = fullname.rparti...
def x(self, spec): mod = sys.modules.setdefault(spec.name, types.ModuleType(spec.name)) return mod
create_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec):\n mod = sys.modules.setdefault(spec.name, types.ModuleType(spec.name))\n return mod\n", "role": "user" }, { "content": "create_m...
def x(self, module): code = self.get_code(module.__name__) if code is None: raise ImportError( 'cannot load module {!r} when get_code() returns None'.format( module.__name__)) exec(code, module.__dict__)
exec_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module):\n code = self.get_code(module.__name__)\n if code is None:\n raise ImportError(\n 'cannot load module {!r} when get_code...
def x(self, fullname): if fullname in sys.modules: mod = sys.modules[fullname] self.exec_module(mod) else: try: spec = spec_from_loader(fullname, self) mod = module_from_spec(spec) assert mod.__name__ in sys.modules self.exec_module(mod) except Exception as exc: if fullname in sys.modules: del sys.modules[fullname] raise return sys.modules[fullname]
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fullname):\n if fullname in sys.modules:\n mod = sys.modules[fullname]\n self.exec_module(mod)\n else:\n try:\n spe...
def x(self, spec): mod = super(NamespaceLoader2, self).create_module(spec) return mod
create_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, spec):\n mod = super(NamespaceLoader2, self).create_module(spec)\n return mod\n", "role": "user" }, { "content": "create_module", "...
def x(self, name): _verbose_message('namespace module loaded with path {!r}', self.path) if name in sys.modules: mod = sys.modules[name] self.exec_module(mod) else: try: spec = ModuleSpec(name, self, origin='namespace', is_package=True) spec.submodule_search_locations = self.path mod = module_from_spec(spec) assert mod.__name__ in sys.modules self.exec_module(mod) except: if name in sys.modules: del sys.modules[name] raise return sys.modules[name]
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n _verbose_message('namespace module loaded with path {!r}', self.path)\n if name in sys.modules:\n mod = sys.modules[name]\n ...
def x(self, name): path = self.get_filename(name) try: source_bytes = self.get_data(path) except OSError as exc: e = _ImportError('source not available through get_data()', name=name) e.__cause__ = exc raise e return decode_source(source_bytes)
get_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n path = self.get_filename(name)\n try:\n source_bytes = self.get_data(path)\n except OSError as exc:\n e = _ImportError('s...
def x(self, module): path = [os.path.dirname(module.__file__)] file = None try: file, pathname, description = imp.find_module(module.__name__. rpartition('.')[-1], path) module = imp.load_module(module.__name__, file, pathname, description) finally: if file: file.close()
exec_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, module):\n path = [os.path.dirname(module.__file__)]\n file = None\n try:\n file, pathname, description = imp.find_module(module.__name__...
def x(self, name): if name in sys.modules: return sys.modules[name] try: for name_idx, name_part in enumerate(name.split('.')): pkgname = '.'.join(name.split('.')[:name_idx + 1]) if pkgname not in sys.modules: if '.' in pkgname: if '__path__' in vars(sys.modules[pkgname.rpartition( '.')[0]]): path = sys.modules[pkgname.rpartition('.')[0]].__path__ else: raise ImportError( '{0} is not a package (no __path__ detected)'. format(pkgname.rpartition('.')[0])) else: path = os.path.dirname(sys.modules[pkgname].__file__ ) if pkgname in sys.modules else None try: file, pathname, description = imp.find_module(pkgname. rpartition('.')[-1], path) sys.modules[pkgname] = imp.load_module(pkgname, file, pathname, description) finally: if file: file.close() except: if name in sys.modules: del sys.modules[name] raise return sys.modules[name]
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n if name in sys.modules:\n return sys.modules[name]\n try:\n for name_idx, name_part in enumerate(name.split('.')):\n ...
def x(xml): f = StringIO(xml) try: xml = packtools.XMLValidator.parse(f, sps_version='sps-1.4') except packtools.exceptions.PacktoolsError as e: logger.exception(e) summary = {} summary['dtd_is_valid'] = False summary['sps_is_valid'] = False summary['is_valid'] = False summary['parsing_error'] = True summary['dtd_errors'] = [] summary['sps_errors'] = [] return summary except XMLSyntaxError as e: logger.exception(e) summary = {} summary['dtd_is_valid'] = False summary['sps_is_valid'] = False summary['is_valid'] = False summary['parsing_error'] = True summary['dtd_errors'] = [e.message] summary['sps_errors'] = [] return summary else: summary = summarize(xml) return summary
analyze_xml
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(xml):\n f = StringIO(xml)\n try:\n xml = packtools.XMLValidator.parse(f, sps_version='sps-1.4')\n except packtools.exceptions.PacktoolsError as...
def x(self): env.host_string = self.host_string env.user = self.host_user env.password = self.host_passwd env.key_filename = self.host_keyfile
init_host
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n env.host_string = self.host_string\n env.user = self.host_user\n env.password = self.host_passwd\n env.key_filename = self.host_keyfile\n"...