source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, fraction=None): r = Dict() local_key = self.stack_key if local_key is None: return {} runtimes = self.runtimes() for key in self.stack_keys: if self.current_times.get(key) is None: self.start(key=key) runtime = runtimes.get(key) or self.runtime(key) if key == local_key and fraction is not None: r[key] = fraction elif runtime is not None: r[key] = (time() - self.current_times[key]) / runtime return r
report
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fraction=None):\n r = Dict()\n local_key = self.stack_key\n if local_key is None:\n return {}\n runtimes = self.runtimes()\n for key in self.stack_keys:\n if self.current_times.get(key) is None:\n self.start(key=key)\n runtime = runtimes.get(key) or self.runtime(key)\n if key == local_key and fraction is not None:\n r[key] = fraction\n elif runtime is not None:\n r[key] = (time() - self.current_times[key]) / runtime\n return r\n", "role": "user" }, { "content": "report", "role": "assistant" } ]
def x(self): self.report(fraction=1.0) key = self.stack_key if key is not None: if self.data.get(key) is None: self.data[key] = [] start_time = self.current_times.get(key) or time() self.data[key].append(Dict(runtime=time() - start_time, **self.params))
finish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.report(fraction=1.0)\n key = self.stack_key\n if key is not None:\n if self.data.get(key) is None:\n self.data[key] = []\n start_time = self.current_times.get(key) or time()\n self.data[key].append(Dict(runtime=time() - start_time, **self.params))\n", "role": "user" }, { "content": "finish", "role": "assistant" } ]
def x(self, sig): domain = getattr(self, 'domain', 'py') directive = getattr(self, 'directivetype', 'module') name = self.format_name() self.add_line(u'.. %s:%s:: %s%s' % (domain, directive, name, sig), '<autodoc>') if self.options.noindex: self.add_line(u' :noindex:', '<autodoc>') if self.objpath: self.add_line(u' :module: %s' % self.modname, '<autodoc>')
add_directive_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sig):\n domain = getattr(self, 'domain', 'py')\n directive = getattr(self, 'directivetype', 'module')\n name = self.format_name()\n self.add_line(u'.. %s:%s:: %s%s' % (domain, directive, name, sig),\n '<autodoc>')\n if self.options.noindex:\n self.add_line(u' :noindex:', '<autodoc>')\n if self.objpath:\n self.add_line(u' :module: %s' % self.modname, '<autodoc>')\n", "role": "user" }, { "content": "add_directive_header", "role": "assistant" } ]
def x(self): log.info('connecting') self._peer = connection.Peer(None, self._dispatcher, self._addrs. popleft(), backend.Socket(), reconnect=False) self._peer.start()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('connecting')\n self._peer = connection.Peer(None, self._dispatcher, self._addrs.\n popleft(), backend.Socket(), reconnect=False)\n self._peer.start()\n", "role": "user" }, { "content": "connect", "role": "assistant" } ]
def x(self, timeout=None): result = self._peer.wait_connected(timeout) if not result: if timeout is not None: log.warn('connect wait timed out after %.2f seconds' % timeout) return result
wait_connected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n result = self._peer.wait_connected(timeout)\n if not result:\n if timeout is not None:\n log.warn('connect wait timed out after %.2f seconds' % timeout)\n return result\n", "role": "user" }, { "content": "wait_connected", "role": "assistant" } ]
def x(self): log.info('resetting client') rpc_client = self._rpc_client self._addrs.append(self._peer.addr) self.__init__(self._addrs) self._rpc_client = rpc_client self._dispatcher.rpc_client = rpc_client rpc_client._client = weakref.ref(self)
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('resetting client')\n rpc_client = self._rpc_client\n self._addrs.append(self._peer.addr)\n self.__init__(self._addrs)\n self._rpc_client = rpc_client\n self._dispatcher.rpc_client = rpc_client\n rpc_client._client = weakref.ref(self)\n", "role": "user" }, { "content": "reset", "role": "assistant" } ]
def x(self): log.info('shutting down') self._peer.go_down(reconnect=False, expected=True)
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.info('shutting down')\n self._peer.go_down(reconnect=False, expected=True)\n", "role": "user" }, { "content": "shutdown", "role": "assistant" } ]
def x(self, service, routing_id, method, args=None, kwargs=None, broadcast= False): if not self._peer.up: raise errors.Unroutable() self._dispatcher.send_proxied_publish(service, routing_id, method, args or (), kwargs or {}, singular=not broadcast)
publish
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, args=None, kwargs=None, broadcast=\n False):\n if not self._peer.up:\n raise errors.Unroutable()\n self._dispatcher.send_proxied_publish(service, routing_id, method, args or\n (), kwargs or {}, singular=not broadcast)\n", "role": "user" }, { "content": "publish", "role": "assistant" } ]
def x(self, service, routing_id, method, timeout=None): if not self._peer.up: raise errors.Unroutable() return self._rpc_client.recipient_count(self._peer, const. MSG_TYPE_PUBLISH, service, routing_id, method).wait(timeout)[0]
publish_receiver_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, timeout=None):\n if not self._peer.up:\n raise errors.Unroutable()\n return self._rpc_client.recipient_count(self._peer, const.\n MSG_TYPE_PUBLISH, service, routing_id, method).wait(timeout)[0]\n", "role": "user" }, { "content": "publish_receiver_count", "role": "assistant" } ]
def x(self, service, routing_id, method, args=None, kwargs=None, broadcast= False): if not self._peer.up: raise errors.Unroutable() return self._dispatcher.send_proxied_rpc(service, routing_id, method, args or (), kwargs or {}, not broadcast)
send_rpc
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, args=None, kwargs=None, broadcast=\n False):\n if not self._peer.up:\n raise errors.Unroutable()\n return self._dispatcher.send_proxied_rpc(service, routing_id, method, \n args or (), kwargs or {}, not broadcast)\n", "role": "user" }, { "content": "send_rpc", "role": "assistant" } ]
def x(self, service, routing_id, method, timeout=None): if not self._peer.up: raise errors.Unroutable() return self._rpc_client.recipient_count(self._peer, const. MSG_TYPE_RPC_REQUEST, service, routing_id, method).wait(timeout)[0]
rpc_receiver_count
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, service, routing_id, method, timeout=None):\n if not self._peer.up:\n raise errors.Unroutable()\n return self._rpc_client.recipient_count(self._peer, const.\n MSG_TYPE_RPC_REQUEST, service, routing_id, method).wait(timeout)[0]\n", "role": "user" }, { "content": "rpc_receiver_count", "role": "assistant" } ]
def x(self, others={}): headers = {'Content-Type': 'application/json'} for p in others.keys(): headers[p] = others[p] return headers
headers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, others={}):\n headers = {'Content-Type': 'application/json'}\n for p in others.keys():\n headers[p] = others[p]\n return headers\n", "role": "user" }, { "content": "headers", "role": "assistant" } ]
def x(config_file, configspec, server_mode=False, default_section= 'default_settings', list_values=True): config = ConfigObj(config_file, configspec=path.join(path.abspath(path. dirname(__file__)), configspec), list_values=list_values) validation = config.validate(validate.Validator(), preserve_errors=True) if validation == True: config = dict(config) for section in config: if section != default_section: if server_mode: config[section]['availability'] = True if config[section]['custom_fqdn'] == None: config[section]['custom_fqdn'] = socket.getfqdn() for option in config[section]: if config[section][option] == None: config[section][option] = config[default_section][ option] del config[default_section] return config else: raise ConfiguratorException(config_file, validation)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config_file, configspec, server_mode=False, default_section=\n 'default_settings', list_values=True):\n config = ConfigObj(config_file, configspec=path.join(path.abspath(path.\n dirname(__file__)), configspec), list_values=list_values)\n validation = config.validate(validate.Validator(), preserve_errors=True)\n if validation == True:\n config = dict(config)\n for section in config:\n if section != default_section:\n if server_mode:\n config[section]['availability'] = True\n if config[section]['custom_fqdn'] == None:\n config[section]['custom_fqdn'] = socket.getfqdn()\n for option in config[section]:\n if config[section][option] == None:\n config[section][option] = config[default_section][\n option]\n del config[default_section]\n return config\n else:\n raise ConfiguratorException(config_file, validation)\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(start_time, stop_time): if start_time > stop_time: raise RuntimeError('Invalid time delta specification') delta_time = stop_time - start_time tot_seconds = int((delta_time.microseconds + (delta_time.seconds + delta_time.days * 24 * 3600) * 10 ** 6) / 10 ** 6) years, remainder = divmod(tot_seconds, 365 * 24 * 60 * 60) months, remainder = divmod(remainder, 30 * 24 * 60 * 60) days, remainder = divmod(remainder, 24 * 60 * 60) hours, remainder = divmod(remainder, 60 * 60) minutes, seconds = divmod(remainder, 60) token_iter = zip([years, months, days, hours, minutes, seconds], [ 'year', 'month', 'day', 'hour', 'minute', 'second']) ret_list = ['{token} {token_name}{plural}'.format(token=num, token_name =desc, plural='s' if num > 1 else '') for num, desc in token_iter if num > 0] if not ret_list: return 'None' if len(ret_list) == 1: return ret_list[0] if len(ret_list) == 2: return ret_list[0] + ' and ' + ret_list[1] return ', '.join(ret_list[0:-1]) + ' and ' + ret_list[-1]
elapsed_time_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(start_time, stop_time):\n if start_time > stop_time:\n raise RuntimeError('Invalid time delta specification')\n delta_time = stop_time - start_time\n tot_seconds = int((delta_time.microseconds + (delta_time.seconds + \n delta_time.days * 24 * 3600) * 10 ** 6) / 10 ** 6)\n years, remainder = divmod(tot_seconds, 365 * 24 * 60 * 60)\n months, remainder = divmod(remainder, 30 * 24 * 60 * 60)\n days, remainder = divmod(remainder, 24 * 60 * 60)\n hours, remainder = divmod(remainder, 60 * 60)\n minutes, seconds = divmod(remainder, 60)\n token_iter = zip([years, months, days, hours, minutes, seconds], [\n 'year', 'month', 'day', 'hour', 'minute', 'second'])\n ret_list = ['{token} {token_name}{plural}'.format(token=num, token_name\n =desc, plural='s' if num > 1 else '') for num, desc in token_iter if\n num > 0]\n if not ret_list:\n return 'None'\n if len(ret_list) == 1:\n return ret_list[0]\n if len(ret_list) == 2:\n return ret_list[0] + ' and ' + ret_list[1]\n return ', '.join(ret_list[0:-1]) + ' and ' + ret_list[-1]\n", "role": "user" }, { "content": "elapsed_time_string", "role": "assistant" } ]
def x(text, color, indent=0): esc_dict = {'black': 30, 'red': 31, 'green': 32, 'yellow': 33, 'blue': 34, 'magenta': 35, 'cyan': 36, 'white': 37, 'none': -1} if not isinstance(text, str): raise RuntimeError('Argument `text` is not valid') if not isinstance(color, str): raise RuntimeError('Argument `color` is not valid') if not isinstance(indent, int): raise RuntimeError('Argument `indent` is not valid') color = color.lower() if color not in esc_dict: raise ValueError('Unknown color {color}'.format(color=color)) if esc_dict[color] != -1: return '\x1b[{color_code}m{indent}{text}\x1b[0m'.format(color_code= esc_dict[color], indent=' ' * indent, text=text) return '{indent}{text}'.format(indent=' ' * indent, text=text)
pcolor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(text, color, indent=0):\n esc_dict = {'black': 30, 'red': 31, 'green': 32, 'yellow': 33, 'blue': \n 34, 'magenta': 35, 'cyan': 36, 'white': 37, 'none': -1}\n if not isinstance(text, str):\n raise RuntimeError('Argument `text` is not valid')\n if not isinstance(color, str):\n raise RuntimeError('Argument `color` is not valid')\n if not isinstance(indent, int):\n raise RuntimeError('Argument `indent` is not valid')\n color = color.lower()\n if color not in esc_dict:\n raise ValueError('Unknown color {color}'.format(color=color))\n if esc_dict[color] != -1:\n return '\\x1b[{color_code}m{indent}{text}\\x1b[0m'.format(color_code=\n esc_dict[color], indent=' ' * indent, text=text)\n return '{indent}{text}'.format(indent=' ' * indent, text=text)\n", "role": "user" }, { "content": "pcolor", "role": "assistant" } ]
def x(obj): if not isinstance(obj, str): return obj return "'{obj}'".format(obj=obj) if '"' in obj else '"{obj}"'.format(obj =obj)
quote_str
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj):\n if not isinstance(obj, str):\n return obj\n return \"'{obj}'\".format(obj=obj) if '\"' in obj else '\"{obj}\"'.format(obj\n =obj)\n", "role": "user" }, { "content": "quote_str", "role": "assistant" } ]
def x(obj, extended=False): fname = normalize_windows_fname(obj[1]) ret = list() ret.append(pcolor('Frame object ID: {0}'.format(hex(id(obj[0]))), 'yellow') ) ret.append('File name......: {0}'.format(fname)) ret.append('Line number....: {0}'.format(obj[2])) ret.append('Function name..: {0}'.format(obj[3])) ret.append('Context........: {0}'.format(obj[4])) ret.append('Index..........: {0}'.format(obj[5])) if extended: ret.append('f_back ID......: {0}'.format(hex(id(obj[0].f_back)))) ret.append('f_builtins.....: {0}'.format(obj[0].f_builtins)) ret.append('f_code.........: {0}'.format(obj[0].f_code)) ret.append('f_globals......: {0}'.format(obj[0].f_globals)) ret.append('f_lasti........: {0}'.format(obj[0].f_lasti)) ret.append('f_lineno.......: {0}'.format(obj[0].f_lineno)) ret.append('f_locals.......: {0}'.format(obj[0].f_locals)) if hasattr(obj[0], 'f_restricted'): ret.append('f_restricted...: {0}'.format(obj[0].f_restricted)) ret.append('f_trace........: {0}'.format(obj[0].f_trace)) return '\n'.join(ret)
strframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, extended=False):\n fname = normalize_windows_fname(obj[1])\n ret = list()\n ret.append(pcolor('Frame object ID: {0}'.format(hex(id(obj[0]))), 'yellow')\n )\n ret.append('File name......: {0}'.format(fname))\n ret.append('Line number....: {0}'.format(obj[2]))\n ret.append('Function name..: {0}'.format(obj[3]))\n ret.append('Context........: {0}'.format(obj[4]))\n ret.append('Index..........: {0}'.format(obj[5]))\n if extended:\n ret.append('f_back ID......: {0}'.format(hex(id(obj[0].f_back))))\n ret.append('f_builtins.....: {0}'.format(obj[0].f_builtins))\n ret.append('f_code.........: {0}'.format(obj[0].f_code))\n ret.append('f_globals......: {0}'.format(obj[0].f_globals))\n ret.append('f_lasti........: {0}'.format(obj[0].f_lasti))\n ret.append('f_lineno.......: {0}'.format(obj[0].f_lineno))\n ret.append('f_locals.......: {0}'.format(obj[0].f_locals))\n if hasattr(obj[0], 'f_restricted'):\n ret.append('f_restricted...: {0}'.format(obj[0].f_restricted))\n ret.append('f_trace........: {0}'.format(obj[0].f_trace))\n return '\\n'.join(ret)\n", "role": "user" }, { "content": "strframe", "role": "assistant" } ]
def x(self, x): for name, value in iter(x.items()): if hasattr(value, 'ndim'): if self[name].value.ndim < value.ndim: self[name].value.itemset(value.squeeze()) else: self[name].value = value else: self[name].value.itemset(value)
set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, x):\n for name, value in iter(x.items()):\n if hasattr(value, 'ndim'):\n if self[name].value.ndim < value.ndim:\n self[name].value.itemset(value.squeeze())\n else:\n self[name].value = value\n else:\n self[name].value.itemset(value)\n", "role": "user" }, { "content": "set", "role": "assistant" } ]
def x(self, fixed): names = [n for n in self.names() if self[n].isfixed == fixed] return Variables({n: self[n] for n in names})
select
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fixed):\n names = [n for n in self.names() if self[n].isfixed == fixed]\n return Variables({n: self[n] for n in names})\n", "role": "user" }, { "content": "select", "role": "assistant" } ]
def x(self, tracking_number): tracking_num = tracking_number[:-1].replace(' ', '') odd_total = 0 even_total = 0 for ii, digit in enumerate(tracking_num): if ii % 2: odd_total += int(digit) else: even_total += int(digit) total = odd_total + even_total * 3 check = (total - total % 10 + 10 - total) % 10 return check == int(tracking_number[-1:])
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tracking_number):\n tracking_num = tracking_number[:-1].replace(' ', '')\n odd_total = 0\n even_total = 0\n for ii, digit in enumerate(tracking_num):\n if ii % 2:\n odd_total += int(digit)\n else:\n even_total += int(digit)\n total = odd_total + even_total * 3\n check = (total - total % 10 + 10 - total) % 10\n return check == int(tracking_number[-1:])\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, tracking_number): tracking_num = tracking_number[2:-1] odd_total = 0 even_total = 0 for ii, digit in enumerate(tracking_num.upper()): try: value = int(digit) except ValueError: value = int((ord(digit) - 63) % 10) if (ii + 1) % 2: odd_total += value else: even_total += value total = odd_total + even_total * 2 check = (total - total % 10 + 10 - total) % 10 return check == int(tracking_number[-1:])
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tracking_number):\n tracking_num = tracking_number[2:-1]\n odd_total = 0\n even_total = 0\n for ii, digit in enumerate(tracking_num.upper()):\n try:\n value = int(digit)\n except ValueError:\n value = int((ord(digit) - 63) % 10)\n if (ii + 1) % 2:\n odd_total += value\n else:\n even_total += value\n total = odd_total + even_total * 2\n check = (total - total % 10 + 10 - total) % 10\n return check == int(tracking_number[-1:])\n", "role": "user" }, { "content": "validate", "role": "assistant" } ]
def x(self, tracking_number): resp = self.send_request(tracking_number) return self.parse_response(resp)
track
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tracking_number):\n resp = self.send_request(tracking_number)\n return self.parse_response(resp)\n", "role": "user" }, { "content": "track", "role": "assistant" } ]
def x(pathtovector, wordlist=(), num_to_load=None, truncate_embeddings=None, unk_word=None, sep=' '): vectors, items = Reach._load(pathtovector, wordlist, num_to_load, truncate_embeddings, sep) if unk_word is not None: if unk_word not in set(items): unk_vec = np.zeros((1, vectors.shape[1])) vectors = np.concatenate([unk_vec, vectors], 0) items = [unk_word] + items unk_index = 0 else: unk_index = items.index(unk_word) else: unk_index = None return Reach(vectors, items, name=os.path.split(pathtovector)[-1], unk_index=unk_index)
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathtovector, wordlist=(), num_to_load=None, truncate_embeddings=None,\n unk_word=None, sep=' '):\n vectors, items = Reach._load(pathtovector, wordlist, num_to_load,\n truncate_embeddings, sep)\n if unk_word is not None:\n if unk_word not in set(items):\n unk_vec = np.zeros((1, vectors.shape[1]))\n vectors = np.concatenate([unk_vec, vectors], 0)\n items = [unk_word] + items\n unk_index = 0\n else:\n unk_index = items.index(unk_word)\n else:\n unk_index = None\n return Reach(vectors, items, name=os.path.split(pathtovector)[-1],\n unk_index=unk_index)\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(pathtovector, wordlist, num_to_load=None, truncate_embeddings=None, sep=' '): vectors = [] addedwords = set() words = [] try: wordlist = set(wordlist) except ValueError: wordlist = set() logger.info('Loading {0}'.format(pathtovector)) firstline = open(pathtovector).readline().strip() try: num, size = firstline.split(sep) num, size = int(num), int(size) logger.info('Vector space: {} by {}'.format(num, size)) header = True except ValueError: size = len(firstline.split(sep)) - 1 logger.info('Vector space: {} dim, # items unknown'.format(size)) word, rest = firstline.split(sep, 1) header = False if truncate_embeddings is None or truncate_embeddings == 0: truncate_embeddings = size for idx, line in enumerate(open(pathtovector, encoding='utf-8')): if header and idx == 0: continue word, rest = line.rstrip(' \n').split(sep, 1) if wordlist and word not in wordlist: continue if word in addedwords: raise ValueError( 'Duplicate: {} on line {} was in the vector space twice'. format(word, idx)) if len(rest.split(sep)) != size: raise ValueError( 'Incorrect input at index {}, size is {}, expected {}'. format(idx + 1, len(rest.split(sep)), size)) words.append(word) addedwords.add(word) vectors.append(np.fromstring(rest, sep=sep)[:truncate_embeddings]) if num_to_load is not None and len(addedwords) >= num_to_load: break vectors = np.array(vectors).astype(np.float32) logger.info('Loading finished') if wordlist: diff = wordlist - addedwords if diff: logger.info( 'Not all items from your wordlist were in your vector space: {}.' .format(diff)) return vectors, words
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pathtovector, wordlist, num_to_load=None, truncate_embeddings=None,\n sep=' '):\n vectors = []\n addedwords = set()\n words = []\n try:\n wordlist = set(wordlist)\n except ValueError:\n wordlist = set()\n logger.info('Loading {0}'.format(pathtovector))\n firstline = open(pathtovector).readline().strip()\n try:\n num, size = firstline.split(sep)\n num, size = int(num), int(size)\n logger.info('Vector space: {} by {}'.format(num, size))\n header = True\n except ValueError:\n size = len(firstline.split(sep)) - 1\n logger.info('Vector space: {} dim, # items unknown'.format(size))\n word, rest = firstline.split(sep, 1)\n header = False\n if truncate_embeddings is None or truncate_embeddings == 0:\n truncate_embeddings = size\n for idx, line in enumerate(open(pathtovector, encoding='utf-8')):\n if header and idx == 0:\n continue\n word, rest = line.rstrip(' \\n').split(sep, 1)\n if wordlist and word not in wordlist:\n continue\n if word in addedwords:\n raise ValueError(\n 'Duplicate: {} on line {} was in the vector space twice'.\n format(word, idx))\n if len(rest.split(sep)) != size:\n raise ValueError(\n 'Incorrect input at index {}, size is {}, expected {}'.\n format(idx + 1, len(rest.split(sep)), size))\n words.append(word)\n addedwords.add(word)\n vectors.append(np.fromstring(rest, sep=sep)[:truncate_embeddings])\n if num_to_load is not None and len(addedwords) >= num_to_load:\n break\n vectors = np.array(vectors).astype(np.float32)\n logger.info('Loading finished')\n if wordlist:\n diff = wordlist - addedwords\n if diff:\n logger.info(\n 'Not all items from your wordlist were in your vector space: {}.'\n .format(diff))\n return vectors, words\n", "role": "user" }, { "content": "load", "role": "assistant" } ]
def x(self, tokens, remove_oov=False, norm=False): if not tokens: raise ValueError('You supplied an empty list.') index = list(self.bow(tokens, remove_oov=remove_oov)) if not index: raise ValueError( 'You supplied a list with only OOV tokens: {}, which then got removed. Set remove_oov to False, or filter your sentences to remove any in which all items are OOV.' ) if norm: return np.stack([self.norm_vectors[x] for x in index]) else: return np.stack([self.vectors[x] for x in index])
vectorize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tokens, remove_oov=False, norm=False):\n if not tokens:\n raise ValueError('You supplied an empty list.')\n index = list(self.bow(tokens, remove_oov=remove_oov))\n if not index:\n raise ValueError(\n 'You supplied a list with only OOV tokens: {}, which then got removed. Set remove_oov to False, or filter your sentences to remove any in which all items are OOV.'\n )\n if norm:\n return np.stack([self.norm_vectors[x] for x in index])\n else:\n return np.stack([self.vectors[x] for x in index])\n", "role": "user" }, { "content": "vectorize", "role": "assistant" } ]
def x(self, tokens, remove_oov=False): if remove_oov: tokens = [x for x in tokens if x in self.items] for t in tokens: try: yield self.items[t] except KeyError: if self.unk_index is None: raise ValueError( "You supplied OOV items but didn't provide the index of the replacement glyph. Either set remove_oov to True, or set unk_index to the index of the item which replaces any OOV items." ) yield self.unk_index
bow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tokens, remove_oov=False):\n if remove_oov:\n tokens = [x for x in tokens if x in self.items]\n for t in tokens:\n try:\n yield self.items[t]\n except KeyError:\n if self.unk_index is None:\n raise ValueError(\n \"You supplied OOV items but didn't provide the index of the replacement glyph. Either set remove_oov to True, or set unk_index to the index of the item which replaces any OOV items.\"\n )\n yield self.unk_index\n", "role": "user" }, { "content": "bow", "role": "assistant" } ]
def x(self, corpus, remove_oov=False, norm=False): return [self.vectorize(s, remove_oov=remove_oov, norm=norm) for s in corpus ]
transform
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, corpus, remove_oov=False, norm=False):\n return [self.vectorize(s, remove_oov=remove_oov, norm=norm) for s in corpus\n ]\n", "role": "user" }, { "content": "transform", "role": "assistant" } ]
def x(self, items, num=10, batch_size=100, show_progressbar=False, return_names=True): try: if items in self.items: items = [items] except TypeError: pass x = np.stack([self.norm_vectors[self.items[x]] for x in items]) result = self._batch(x, batch_size, num + 1, show_progressbar, return_names ) return [x[1:] for x in result]
most_similar
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, items, num=10, batch_size=100, show_progressbar=False,\n return_names=True):\n try:\n if items in self.items:\n items = [items]\n except TypeError:\n pass\n x = np.stack([self.norm_vectors[self.items[x]] for x in items])\n result = self._batch(x, batch_size, num + 1, show_progressbar, return_names\n )\n return [x[1:] for x in result]\n", "role": "user" }, { "content": "most_similar", "role": "assistant" } ]
def x(self, items, threshold=0.5, batch_size=100, show_progressbar=False, return_names=True): try: if items in self.items: items = [items] except TypeError: pass x = np.stack([self.norm_vectors[self.items[x]] for x in items]) result = self._threshold_batch(x, batch_size, threshold, show_progressbar, return_names) return [x[1:] for x in result]
threshold
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, items, threshold=0.5, batch_size=100, show_progressbar=False,\n return_names=True):\n try:\n if items in self.items:\n items = [items]\n except TypeError:\n pass\n x = np.stack([self.norm_vectors[self.items[x]] for x in items])\n result = self._threshold_batch(x, batch_size, threshold,\n show_progressbar, return_names)\n return [x[1:] for x in result]\n", "role": "user" }, { "content": "threshold", "role": "assistant" } ]
def x(self, vectors, num=10, batch_size=100, show_progressbar=False, return_names=True): vectors = np.array(vectors) if np.ndim(vectors) == 1: vectors = vectors[None, :] result = [] result = self._batch(vectors, batch_size, num + 1, show_progressbar, return_names) return list(result)
nearest_neighbor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vectors, num=10, batch_size=100, show_progressbar=False,\n return_names=True):\n vectors = np.array(vectors)\n if np.ndim(vectors) == 1:\n vectors = vectors[None, :]\n result = []\n result = self._batch(vectors, batch_size, num + 1, show_progressbar,\n return_names)\n return list(result)\n", "role": "user" }, { "content": "nearest_neighbor", "role": "assistant" } ]
def x(self, vectors, threshold=0.5, batch_size=100, show_progressbar=False, return_names=True): vectors = np.array(vectors) if np.ndim(vectors) == 1: vectors = vectors[None, :] result = [] result = self._threshold_batch(vectors, batch_size, threshold, show_progressbar, return_names) return list(result)
nearest_neighbor_threshold
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vectors, threshold=0.5, batch_size=100, show_progressbar=False,\n return_names=True):\n vectors = np.array(vectors)\n if np.ndim(vectors) == 1:\n vectors = vectors[None, :]\n result = []\n result = self._threshold_batch(vectors, batch_size, threshold,\n show_progressbar, return_names)\n return list(result)\n", "role": "user" }, { "content": "nearest_neighbor_threshold", "role": "assistant" } ]
def x(self, vectors, batch_size, threshold, show_progressbar, return_names): vectors = self.normalize(vectors) reference_transposed = self.norm_vectors.T for i in tqdm(range(0, len(vectors), batch_size), disable=not show_progressbar): distances = vectors[i:i + batch_size].dot(reference_transposed) distances = np.clip(distances, a_min=0.0, a_max=1.0) for lidx, dists in enumerate(distances): indices = np.flatnonzero(dists >= threshold) sorted_indices = indices[np.argsort(-dists[indices])] if return_names: yield [(self.indices[d], dists[d]) for d in sorted_indices] else: yield list(dists[sorted_indices])
threshold_batch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vectors, batch_size, threshold, show_progressbar, return_names):\n vectors = self.normalize(vectors)\n reference_transposed = self.norm_vectors.T\n for i in tqdm(range(0, len(vectors), batch_size), disable=not\n show_progressbar):\n distances = vectors[i:i + batch_size].dot(reference_transposed)\n distances = np.clip(distances, a_min=0.0, a_max=1.0)\n for lidx, dists in enumerate(distances):\n indices = np.flatnonzero(dists >= threshold)\n sorted_indices = indices[np.argsort(-dists[indices])]\n if return_names:\n yield [(self.indices[d], dists[d]) for d in sorted_indices]\n else:\n yield list(dists[sorted_indices])\n", "role": "user" }, { "content": "threshold_batch", "role": "assistant" } ]
def x(self, vectors, batch_size, num, show_progressbar, return_names): vectors = self.normalize(vectors) reference_transposed = self.norm_vectors.T for i in tqdm(range(0, len(vectors), batch_size), disable=not show_progressbar): distances = vectors[i:i + batch_size].dot(reference_transposed) distances = np.clip(distances, a_min=0.0, a_max=1.0) if num == 1: sorted_indices = np.argmax(distances, 1)[:, None] else: sorted_indices = np.argpartition(-distances, kth=num, axis=1) sorted_indices = sorted_indices[:, :num] for lidx, indices in enumerate(sorted_indices): dists = distances[lidx, indices] if return_names: dindex = np.argsort(-dists) yield [(self.indices[indices[d]], dists[d]) for d in dindex] else: yield list(-1 * np.sort(-dists))
batch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vectors, batch_size, num, show_progressbar, return_names):\n vectors = self.normalize(vectors)\n reference_transposed = self.norm_vectors.T\n for i in tqdm(range(0, len(vectors), batch_size), disable=not\n show_progressbar):\n distances = vectors[i:i + batch_size].dot(reference_transposed)\n distances = np.clip(distances, a_min=0.0, a_max=1.0)\n if num == 1:\n sorted_indices = np.argmax(distances, 1)[:, None]\n else:\n sorted_indices = np.argpartition(-distances, kth=num, axis=1)\n sorted_indices = sorted_indices[:, :num]\n for lidx, indices in enumerate(sorted_indices):\n dists = distances[lidx, indices]\n if return_names:\n dindex = np.argsort(-dists)\n yield [(self.indices[indices[d]], dists[d]) for d in dindex]\n else:\n yield list(-1 * np.sort(-dists))\n", "role": "user" }, { "content": "batch", "role": "assistant" } ]
def x(vectors): if np.ndim(vectors) == 1: norm = np.linalg.norm(vectors) if norm == 0: return np.zeros_like(vectors) return vectors / norm norm = np.linalg.norm(vectors, axis=1) if np.any(norm == 0): nonzero = norm > 0 result = np.zeros_like(vectors) n = norm[nonzero] p = vectors[nonzero] result[nonzero] = p / n[:, None] return result else: return vectors / norm[:, None]
normalize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(vectors):\n if np.ndim(vectors) == 1:\n norm = np.linalg.norm(vectors)\n if norm == 0:\n return np.zeros_like(vectors)\n return vectors / norm\n norm = np.linalg.norm(vectors, axis=1)\n if np.any(norm == 0):\n nonzero = norm > 0\n result = np.zeros_like(vectors)\n n = norm[nonzero]\n p = vectors[nonzero]\n result[nonzero] = p / n[:, None]\n return result\n else:\n return vectors / norm[:, None]\n", "role": "user" }, { "content": "normalize", "role": "assistant" } ]
def x(self, vector, items): vector = self.normalize(vector) items_vec = np.stack([self.norm_vectors[self.items[x]] for x in items]) return vector.dot(items_vec.T)
vector_similarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vector, items):\n vector = self.normalize(vector)\n items_vec = np.stack([self.norm_vectors[self.items[x]] for x in items])\n return vector.dot(items_vec.T)\n", "role": "user" }, { "content": "vector_similarity", "role": "assistant" } ]
def x(self, i1, i2): try: if i1 in self.items: i1 = [i1] except TypeError: pass try: if i2 in self.items: i2 = [i2] except TypeError: pass i1_vec = np.stack([self.norm_vectors[self.items[x]] for x in i1]) i2_vec = np.stack([self.norm_vectors[self.items[x]] for x in i2]) return i1_vec.dot(i2_vec.T)
similarity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, i1, i2):\n try:\n if i1 in self.items:\n i1 = [i1]\n except TypeError:\n pass\n try:\n if i2 in self.items:\n i2 = [i2]\n except TypeError:\n pass\n i1_vec = np.stack([self.norm_vectors[self.items[x]] for x in i1])\n i2_vec = np.stack([self.norm_vectors[self.items[x]] for x in i2])\n return i1_vec.dot(i2_vec.T)\n", "role": "user" }, { "content": "similarity", "role": "assistant" } ]
def x(self, wordlist): wordlist = set(wordlist).intersection(set(self.items.keys())) indices = [self.items[w] for w in wordlist if w in self.items] if self.unk_index is not None and self.unk_index not in indices: raise ValueError( 'Your unknown item is not in your list of items. Set it to None before pruning, or pass your unknown item.' ) self.vectors = self.vectors[indices] self.norm_vectors = self.norm_vectors[indices] self.items = {w: idx for idx, w in enumerate(wordlist)} self.indices = {v: k for k, v in self.items.items()} if self.unk_index is not None: self.unk_index = self.items[wordlist[self.unk_index]]
prune
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, wordlist):\n wordlist = set(wordlist).intersection(set(self.items.keys()))\n indices = [self.items[w] for w in wordlist if w in self.items]\n if self.unk_index is not None and self.unk_index not in indices:\n raise ValueError(\n 'Your unknown item is not in your list of items. Set it to None before pruning, or pass your unknown item.'\n )\n self.vectors = self.vectors[indices]\n self.norm_vectors = self.norm_vectors[indices]\n self.items = {w: idx for idx, w in enumerate(wordlist)}\n self.indices = {v: k for k, v in self.items.items()}\n if self.unk_index is not None:\n self.unk_index = self.items[wordlist[self.unk_index]]\n", "role": "user" }, { "content": "prune", "role": "assistant" } ]
def x(self, path, write_header=True): with open(path, 'w') as f: if write_header: f.write(u'{0} {1}\n'.format(str(self.vectors.shape[0]), str( self.vectors.shape[1]))) for i in range(len(self.items)): w = self.indices[i] vec = self.vectors[i] f.write(u'{0} {1}\n'.format(w, ' '.join([str(x) for x in vec])))
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path, write_header=True):\n with open(path, 'w') as f:\n if write_header:\n f.write(u'{0} {1}\\n'.format(str(self.vectors.shape[0]), str(\n self.vectors.shape[1])))\n for i in range(len(self.items)):\n w = self.indices[i]\n vec = self.vectors[i]\n f.write(u'{0} {1}\\n'.format(w, ' '.join([str(x) for x in vec])))\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, filename): items, _ = zip(*sorted(self.items.items(), key=lambda x: x[1])) items = {'items': items, 'unk_index': self.unk_index, 'name': self.name} json.dump(items, open('{}_items.json'.format(filename), 'w')) np.save(open('{}_vectors.npy'.format(filename), 'wb'), self.vectors)
save_fast_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename):\n items, _ = zip(*sorted(self.items.items(), key=lambda x: x[1]))\n items = {'items': items, 'unk_index': self.unk_index, 'name': self.name}\n json.dump(items, open('{}_items.json'.format(filename), 'w'))\n np.save(open('{}_vectors.npy'.format(filename), 'wb'), self.vectors)\n", "role": "user" }, { "content": "save_fast_format", "role": "assistant" } ]
def x(filename): words, unk_index, name, vectors = Reach._load_fast(filename) return Reach(vectors, words, unk_index=unk_index, name=name)
load_fast_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n words, unk_index, name, vectors = Reach._load_fast(filename)\n return Reach(vectors, words, unk_index=unk_index, name=name)\n", "role": "user" }, { "content": "load_fast_format", "role": "assistant" } ]
def x(filename): it = json.load(open('{}_items.json'.format(filename))) words, unk_index, name = it['items'], it['unk_index'], it['name'] vectors = np.load(open('{}_vectors.npy'.format(filename), 'rb')) return words, unk_index, name, vectors
load_fast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n it = json.load(open('{}_items.json'.format(filename)))\n words, unk_index, name = it['items'], it['unk_index'], it['name']\n vectors = np.load(open('{}_vectors.npy'.format(filename), 'rb'))\n return words, unk_index, name, vectors\n", "role": "user" }, { "content": "load_fast", "role": "assistant" } ]
def x(n_data=50, n_fit=537, nhead=5, ntail=5, plot=False, alt=0): x0, xend = 0, 5 x_data = np.linspace(x0, xend, n_data) + np.random.rand(n_data) * (xend - x0) / n_data / 1.5 y_data = np.sin(x_data) * (1.0 + 0.1 * (np.random.rand(n_data) - 0.5)) x_fit = np.linspace(x0, xend, n_fit) x_fit[0] = x_fit[0] + (x_fit[1] - x_fit[0]) / 2 x_fit[-1] = x_fit[-2] + (x_fit[-1] - x_fit[-2]) / 2 if alt: y_fit = np.empty(n_fit) dydx_fit = np.empty(n_fit) for i, xf in enumerate(x_fit): j = np.where(x_data > xf)[0][0] lower_bound = max(0, j - alt) upper_bound = min(n_data - 1, j + alt) y_fit[i] = derivatives_at_point_by_finite_diff(x_data[ lower_bound:upper_bound], y_data[lower_bound:upper_bound], xf, 0) dydx_fit[i] = derivatives_at_point_by_finite_diff(x_data[ lower_bound:upper_bound], y_data[lower_bound:upper_bound], xf, 1)[1] else: interp = interpolate_by_finite_diff(x_data, y_data, x_fit, 1, nhead, ntail) y_fit = interp[:, 0] dydx_fit = interp[:, 1] if plot: import matplotlib.pyplot as plt plt.subplot(221) plt.plot(x_data, y_data, 'x', label='Data points (sin)') plt.plot(x_fit, y_fit, '-', label='Fitted curve (order=0)') plt.plot(x_data, np.sin(x_data), '-', label='Analytic sin(x)') plt.legend() plt.subplot(222) plt.plot(x_fit, y_fit - np.sin(x_fit), label='Error in order=0') plt.legend() plt.subplot(223) plt.plot(x_fit, dydx_fit, '-', label='Fitted derivative (order=1)') plt.plot(x_data, np.cos(x_data), '-', label='Analytic cos(x)') plt.legend() plt.subplot(224) plt.plot(x_fit, dydx_fit - np.cos(x_fit), label='Error in order=1') plt.legend() plt.show()
demo_usage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(n_data=50, n_fit=537, nhead=5, ntail=5, plot=False, alt=0):\n x0, xend = 0, 5\n x_data = np.linspace(x0, xend, n_data) + np.random.rand(n_data) * (xend -\n x0) / n_data / 1.5\n y_data = np.sin(x_data) * (1.0 + 0.1 * (np.random.rand(n_data) - 0.5))\n x_fit = np.linspace(x0, xend, n_fit)\n x_fit[0] = x_fit[0] + (x_fit[1] - x_fit[0]) / 2\n x_fit[-1] = x_fit[-2] + (x_fit[-1] - x_fit[-2]) / 2\n if alt:\n y_fit = np.empty(n_fit)\n dydx_fit = np.empty(n_fit)\n for i, xf in enumerate(x_fit):\n j = np.where(x_data > xf)[0][0]\n lower_bound = max(0, j - alt)\n upper_bound = min(n_data - 1, j + alt)\n y_fit[i] = derivatives_at_point_by_finite_diff(x_data[\n lower_bound:upper_bound], y_data[lower_bound:upper_bound],\n xf, 0)\n dydx_fit[i] = derivatives_at_point_by_finite_diff(x_data[\n lower_bound:upper_bound], y_data[lower_bound:upper_bound],\n xf, 1)[1]\n else:\n interp = interpolate_by_finite_diff(x_data, y_data, x_fit, 1, nhead,\n ntail)\n y_fit = interp[:, 0]\n dydx_fit = interp[:, 1]\n if plot:\n import matplotlib.pyplot as plt\n plt.subplot(221)\n plt.plot(x_data, y_data, 'x', label='Data points (sin)')\n plt.plot(x_fit, y_fit, '-', label='Fitted curve (order=0)')\n plt.plot(x_data, np.sin(x_data), '-', label='Analytic sin(x)')\n plt.legend()\n plt.subplot(222)\n plt.plot(x_fit, y_fit - np.sin(x_fit), label='Error in order=0')\n plt.legend()\n plt.subplot(223)\n plt.plot(x_fit, dydx_fit, '-', label='Fitted derivative (order=1)')\n plt.plot(x_data, np.cos(x_data), '-', label='Analytic cos(x)')\n plt.legend()\n plt.subplot(224)\n plt.plot(x_fit, dydx_fit - np.cos(x_fit), label='Error in order=1')\n plt.legend()\n plt.show()\n", "role": "user" }, { "content": "demo_usage", "role": "assistant" } ]
def x(): max_order = 7 n = 20 l = 0.25 fmt1 = '{0: <5s}\t{1: <21s}\t{2: >21s}\t{3: >21s}\t{4: >21s}' fmt2 = '{0: <5d}\t{1:20.18f}\t{2: >21.18f}\t{3: >21.18f}\t{4: >21.18f}' x = np.cumsum(np.random.rand(n) * l) x = np.concatenate((x[::-1] * -1, x)) lst = [] derivs = np.zeros(n) for order in range(max_order + 1): print('Order', order) for m in range(1 + order // 2, n + 1): sub_x = x[n - m:n + m] derivs[m - 1] = derivatives_at_point_by_finite_diff(sub_x, np. exp(sub_x), 0, order)[order] print(fmt1.format('m', 'val', 'diff', 'analytical error', 'diff/analytical')) for m in range(1, n): print(fmt2.format((m + 1) * 2, derivs[m], derivs[m] - derivs[m - 1], derivs[m] - 1, (derivs[m] - derivs[m - 1]) / (derivs[m] - 1))) lst.append((derivs[-1], abs(derivs[-1] - derivs[-2]))) print(np.array(lst))
demo_err
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n max_order = 7\n n = 20\n l = 0.25\n fmt1 = '{0: <5s}\\t{1: <21s}\\t{2: >21s}\\t{3: >21s}\\t{4: >21s}'\n fmt2 = '{0: <5d}\\t{1:20.18f}\\t{2: >21.18f}\\t{3: >21.18f}\\t{4: >21.18f}'\n x = np.cumsum(np.random.rand(n) * l)\n x = np.concatenate((x[::-1] * -1, x))\n lst = []\n derivs = np.zeros(n)\n for order in range(max_order + 1):\n print('Order', order)\n for m in range(1 + order // 2, n + 1):\n sub_x = x[n - m:n + m]\n derivs[m - 1] = derivatives_at_point_by_finite_diff(sub_x, np.\n exp(sub_x), 0, order)[order]\n print(fmt1.format('m', 'val', 'diff', 'analytical error',\n 'diff/analytical'))\n for m in range(1, n):\n print(fmt2.format((m + 1) * 2, derivs[m], derivs[m] - derivs[m -\n 1], derivs[m] - 1, (derivs[m] - derivs[m - 1]) / (derivs[m] -\n 1)))\n lst.append((derivs[-1], abs(derivs[-1] - derivs[-2])))\n print(np.array(lst))\n", "role": "user" }, { "content": "demo_err", "role": "assistant" } ]
def x(repo_name, contributors, api_len): print('\n') print('All Contributors:') seen = [] for user in sorted(contributors, key=_sort_by_name): if user.get('name'): key = user['name'] else: key = user['user_name'] if key not in seen: seen.append(key) if key != user['user_name']: print('%s (%s)' % (user['name'], user['user_name'])) else: print(user['user_name']) print('') print('Repo: %s' % repo_name) print('GitHub Contributors: %s' % api_len) print('All Contributors: %s 👏' % len(seen))
display_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(repo_name, contributors, api_len):\n print('\\n')\n print('All Contributors:')\n seen = []\n for user in sorted(contributors, key=_sort_by_name):\n if user.get('name'):\n key = user['name']\n else:\n key = user['user_name']\n if key not in seen:\n seen.append(key)\n if key != user['user_name']:\n print('%s (%s)' % (user['name'], user['user_name']))\n else:\n print(user['user_name'])\n print('')\n print('Repo: %s' % repo_name)\n print('GitHub Contributors: %s' % api_len)\n print('All Contributors: %s 👏' % len(seen))\n", "role": "user" }, { "content": "display_results", "role": "assistant" } ]
def x(uri): response = requests.get(API + uri, headers=HEADERS) limit = int(response.headers.get('x-ratelimit-remaining')) if limit == 0: sys.stdout.write('\n') message = 'You have run out of GitHub request tokens. ' if int(response.headers.get('x-ratelimit-limit')) == 60: message += ( 'Set a GITHUB_TOKEN to increase your limit to 5000/hour. ') wait_seconds = int(response.headers.get('x-ratelimit-reset')) - int( time.time()) wait_minutes = math.ceil(wait_seconds / 60) message += 'Try again in ~%d minutes. ' % wait_minutes if '--wait-for-reset' in sys.argv: progress_message(message.replace('Try ', 'Trying ')) time.sleep(wait_seconds + 1) progress_message('Resuming') return get_json(uri) else: raise ValueError(message) progress() return response.json()
get_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri):\n response = requests.get(API + uri, headers=HEADERS)\n limit = int(response.headers.get('x-ratelimit-remaining'))\n if limit == 0:\n sys.stdout.write('\\n')\n message = 'You have run out of GitHub request tokens. '\n if int(response.headers.get('x-ratelimit-limit')) == 60:\n message += (\n 'Set a GITHUB_TOKEN to increase your limit to 5000/hour. ')\n wait_seconds = int(response.headers.get('x-ratelimit-reset')) - int(\n time.time())\n wait_minutes = math.ceil(wait_seconds / 60)\n message += 'Try again in ~%d minutes. ' % wait_minutes\n if '--wait-for-reset' in sys.argv:\n progress_message(message.replace('Try ', 'Trying '))\n time.sleep(wait_seconds + 1)\n progress_message('Resuming')\n return get_json(uri)\n else:\n raise ValueError(message)\n progress()\n return response.json()\n", "role": "user" }, { "content": "get_json", "role": "assistant" } ]
def x(uri, per_page=100, key='login'): page = 1 result = [] while True: response = get_json(uri + '?page=%d&per_page=%d' % (page, per_page)) if len(response) == 0: break else: page += 1 for r in response: if key == USER_LOGIN: result.append(user_login(r)) else: result.append(r[key]) return list(set(result))
api_walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, per_page=100, key='login'):\n page = 1\n result = []\n while True:\n response = get_json(uri + '?page=%d&per_page=%d' % (page, per_page))\n if len(response) == 0:\n break\n else:\n page += 1\n for r in response:\n if key == USER_LOGIN:\n result.append(user_login(r))\n else:\n result.append(r[key])\n return list(set(result))\n", "role": "user" }, { "content": "api_walk", "role": "assistant" } ]
def x(uri, key=None): response = get_json(uri) if response: if type(response) == list: r = response[0] elif type(response) == dict: r = response if type(r) == dict: if key == USER_LOGIN: return user_login(r) if key in r: return r[key]
api_get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(uri, key=None):\n response = get_json(uri)\n if response:\n if type(response) == list:\n r = response[0]\n elif type(response) == dict:\n r = response\n if type(r) == dict:\n if key == USER_LOGIN:\n return user_login(r)\n if key in r:\n return r[key]\n", "role": "user" }, { "content": "api_get", "role": "assistant" } ]
def x(j): authors = [] for key in j['data']['repository']['commitComments']['edges']: authors.append(key['node']['author']) for key in j['data']['repository']['issues']['nodes']: authors.append(key['author']) for c in key['comments']['nodes']: authors.append(c['author']) for key in j['data']['repository']['pullRequests']['edges']: authors.append(key['node']['author']) for c in key['node']['comments']['nodes']: authors.append(c['author']) unique = list({v['login']: v for v in authors if v is not None}.values()) return unique
reducejson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(j):\n authors = []\n for key in j['data']['repository']['commitComments']['edges']:\n authors.append(key['node']['author'])\n for key in j['data']['repository']['issues']['nodes']:\n authors.append(key['author'])\n for c in key['comments']['nodes']:\n authors.append(c['author'])\n for key in j['data']['repository']['pullRequests']['edges']:\n authors.append(key['node']['author'])\n for c in key['node']['comments']['nodes']:\n authors.append(c['author'])\n unique = list({v['login']: v for v in authors if v is not None}.values())\n return unique\n", "role": "user" }, { "content": "reducejson", "role": "assistant" } ]
def x(x): if isinstance(x, PurePath): return os.path.join('.', str(x)) return x
stringify_with_dot_if_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x):\n if isinstance(x, PurePath):\n return os.path.join('.', str(x))\n return x\n", "role": "user" }, { "content": "stringify_with_dot_if_path", "role": "assistant" } ]
def x(exe_name, iocontext): has_sep = (os.path.sep in exe_name or os.path.altsep is not None and os .path.altsep in exe_name) if has_sep and iocontext.dir is not None and not os.path.isabs(exe_name): return os.path.realpath(exe_name) else: return exe_name
maybe_canonicalize_exe_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exe_name, iocontext):\n has_sep = (os.path.sep in exe_name or os.path.altsep is not None and os\n .path.altsep in exe_name)\n if has_sep and iocontext.dir is not None and not os.path.isabs(exe_name):\n return os.path.realpath(exe_name)\n else:\n return exe_name\n", "role": "user" }, { "content": "maybe_canonicalize_exe_path", "role": "assistant" } ]
def x(*args, **kwargs): close_fds = os.name != 'nt' with popen_lock: return subprocess.Popen(*args, close_fds=close_fds, **kwargs)
safe_popen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n close_fds = os.name != 'nt'\n with popen_lock:\n return subprocess.Popen(*args, close_fds=close_fds, **kwargs)\n", "role": "user" }, { "content": "safe_popen", "role": "assistant" } ]
def x(self): with spawn_output_reader() as (stdout_capture, stdout_thread): with spawn_output_reader() as (stderr_capture, stderr_thread): context = starter_iocontext(stdout_capture, stderr_capture) status = self._exec(context) stdout_bytes = stdout_thread.join() stderr_bytes = stderr_thread.join() result = Result(status.code, stdout_bytes, stderr_bytes) if is_checked_error(status): raise StatusError(result, self) return result
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with spawn_output_reader() as (stdout_capture, stdout_thread):\n with spawn_output_reader() as (stderr_capture, stderr_thread):\n context = starter_iocontext(stdout_capture, stderr_capture)\n status = self._exec(context)\n stdout_bytes = stdout_thread.join()\n stderr_bytes = stderr_thread.join()\n result = Result(status.code, stdout_bytes, stderr_bytes)\n if is_checked_error(status):\n raise StatusError(result, self)\n return result\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(self): result = self.stdout_capture().run() stdout_str = decode_with_universal_newlines(result.stdout) return stdout_str.rstrip('\n')
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n result = self.stdout_capture().run()\n stdout_str = decode_with_universal_newlines(result.stdout)\n return stdout_str.rstrip('\\n')\n", "role": "user" }, { "content": "read", "role": "assistant" } ]
def x(self): thread = ThreadWithReturn(self.run) thread.start() return WaitHandle(thread)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n thread = ThreadWithReturn(self.run)\n thread.start()\n return WaitHandle(thread)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, cmd, url, json_data=None): assert cmd in ('GET', 'POST', 'PUT', 'DELETE') assert self.dev is not None if json_data is None: json_data = {} url = url.format(self.dev['ipv4_internal']) auth = HTTPBasicAuth('dev', self.dev['api_key']) res = None if cmd == 'GET': res = self._local_session.session.get(url, auth=auth, verify=False) elif cmd == 'POST': res = self._local_session.session.post(url, auth=auth, json= json_data, verify=False) elif cmd == 'PUT': res = self._local_session.session.put(url, auth=auth, json= json_data, verify=False) elif cmd == 'DELETE': res = self._local_session.session.delete(url, auth=auth, verify=False) if res is not None: res.raise_for_status() return res.json()
exec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cmd, url, json_data=None):\n assert cmd in ('GET', 'POST', 'PUT', 'DELETE')\n assert self.dev is not None\n if json_data is None:\n json_data = {}\n url = url.format(self.dev['ipv4_internal'])\n auth = HTTPBasicAuth('dev', self.dev['api_key'])\n res = None\n if cmd == 'GET':\n res = self._local_session.session.get(url, auth=auth, verify=False)\n elif cmd == 'POST':\n res = self._local_session.session.post(url, auth=auth, json=\n json_data, verify=False)\n elif cmd == 'PUT':\n res = self._local_session.session.put(url, auth=auth, json=\n json_data, verify=False)\n elif cmd == 'DELETE':\n res = self._local_session.session.delete(url, auth=auth, verify=False)\n if res is not None:\n res.raise_for_status()\n return res.json()\n", "role": "user" }, { "content": "exec", "role": "assistant" } ]
def x(self, dev): log.debug("setting device to '{}'".format(dev)) self.dev = dev self.set_apps_list()
set_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dev):\n log.debug(\"setting device to '{}'\".format(dev))\n self.dev = dev\n self.set_apps_list()\n", "role": "user" }, { "content": "set_device", "role": "assistant" } ]
def x(self, package_name): widget_id = '' for app in self.get_apps_list(): if app.package == package_name: widget_id = list(app.widgets.keys())[0] return widget_id
get_widget_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package_name):\n widget_id = ''\n for app in self.get_apps_list():\n if app.package == package_name:\n widget_id = list(app.widgets.keys())[0]\n return widget_id\n", "role": "user" }, { "content": "get_widget_id", "role": "assistant" } ]
def x(self): log.debug('getting user information from LaMetric cloud...') _, url = CLOUD_URLS['get_user'] res = self._cloud_session.session.get(url) if res is not None: res.raise_for_status() return res.json()
get_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting user information from LaMetric cloud...')\n _, url = CLOUD_URLS['get_user']\n res = self._cloud_session.session.get(url)\n if res is not None:\n res.raise_for_status()\n return res.json()\n", "role": "user" }, { "content": "get_user", "role": "assistant" } ]
def x(self, force_reload=False, save_devices=True): if not os.path.exists(self._devices_filename) or force_reload is True: log.debug('getting devices from LaMetric cloud...') _, url = CLOUD_URLS['get_devices'] res = self._cloud_session.session.get(url) if res is not None: res.raise_for_status() self._devices = res.json() if save_devices is True: self.save_devices() return self._devices else: log.debug("getting devices from '{}'...".format(self._devices_filename) ) return self.load_devices()
get_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, force_reload=False, save_devices=True):\n if not os.path.exists(self._devices_filename) or force_reload is True:\n log.debug('getting devices from LaMetric cloud...')\n _, url = CLOUD_URLS['get_devices']\n res = self._cloud_session.session.get(url)\n if res is not None:\n res.raise_for_status()\n self._devices = res.json()\n if save_devices is True:\n self.save_devices()\n return self._devices\n else:\n log.debug(\"getting devices from '{}'...\".format(self._devices_filename)\n )\n return self.load_devices()\n", "role": "user" }, { "content": "get_devices", "role": "assistant" } ]
def x(self): log.debug("saving devices to ''...".format(self._devices_filename)) if self._devices != []: with codecs.open(self._devices_filename, 'wb', 'utf-8') as f: json.dump(self._devices, f)
save_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug(\"saving devices to ''...\".format(self._devices_filename))\n if self._devices != []:\n with codecs.open(self._devices_filename, 'wb', 'utf-8') as f:\n json.dump(self._devices, f)\n", "role": "user" }, { "content": "save_devices", "role": "assistant" } ]
def x(self): log.debug('getting end points...') cmd, url = DEVICE_URLS['get_endpoint_map'] return self._exec(cmd, url)
get_endpoint_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting end points...')\n cmd, url = DEVICE_URLS['get_endpoint_map']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_endpoint_map", "role": "assistant" } ]
def x(self): self._devices = [] if os.path.exists(self._devices_filename): log.debug("loading devices from '{}'...".format(self._devices_filename) ) with codecs.open(self._devices_filename, 'rb', 'utf-8') as f: self._devices = json.load(f) return self._devices
load_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._devices = []\n if os.path.exists(self._devices_filename):\n log.debug(\"loading devices from '{}'...\".format(self._devices_filename)\n )\n with codecs.open(self._devices_filename, 'rb', 'utf-8') as f:\n self._devices = json.load(f)\n return self._devices\n", "role": "user" }, { "content": "load_devices", "role": "assistant" } ]
def x(self): log.debug('getting device state...') cmd, url = DEVICE_URLS['get_device_state'] return self._exec(cmd, url)
get_device_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting device state...')\n cmd, url = DEVICE_URLS['get_device_state']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_device_state", "role": "assistant" } ]
def x(self, model, priority='warning', icon_type=None, lifetime=None): assert priority in ('info', 'warning', 'critical') assert icon_type in (None, 'none', 'info', 'alert') assert lifetime is None or lifetime > 0 log.debug('sending notification...') cmd, url = DEVICE_URLS['send_notification'] json_data = {'model': model.json(), 'priority': priority} if icon_type is not None: json_data['icon_type'] = icon_type if lifetime is not None: json_data['lifetime'] = lifetime return self._exec(cmd, url, json_data=json_data)
send_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model, priority='warning', icon_type=None, lifetime=None):\n assert priority in ('info', 'warning', 'critical')\n assert icon_type in (None, 'none', 'info', 'alert')\n assert lifetime is None or lifetime > 0\n log.debug('sending notification...')\n cmd, url = DEVICE_URLS['send_notification']\n json_data = {'model': model.json(), 'priority': priority}\n if icon_type is not None:\n json_data['icon_type'] = icon_type\n if lifetime is not None:\n json_data['lifetime'] = lifetime\n return self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "send_notification", "role": "assistant" } ]
def x(self): log.debug('getting notifications in queue...') cmd, url = DEVICE_URLS['get_notifications_queue'] return self._exec(cmd, url)
get_notifications
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting notifications in queue...')\n cmd, url = DEVICE_URLS['get_notifications_queue']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_notifications", "role": "assistant" } ]
def x(self): log.debug('getting visible notification...') cmd, url = DEVICE_URLS['get_current_notification'] return self._exec(cmd, url)
get_current_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting visible notification...')\n cmd, url = DEVICE_URLS['get_current_notification']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_current_notification", "role": "assistant" } ]
def x(self, notification_id): log.debug("getting notification '{}'...".format(notification_id)) cmd, url = DEVICE_URLS['get_notification'] return self._exec(cmd, url.replace(':id', notification_id))
get_notification
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, notification_id):\n log.debug(\"getting notification '{}'...\".format(notification_id))\n cmd, url = DEVICE_URLS['get_notification']\n return self._exec(cmd, url.replace(':id', notification_id))\n", "role": "user" }, { "content": "get_notification", "role": "assistant" } ]
def x(self): log.debug('getting display information...') cmd, url = DEVICE_URLS['get_display'] return self._exec(cmd, url)
get_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting display information...')\n cmd, url = DEVICE_URLS['get_display']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_display", "role": "assistant" } ]
def x(self, brightness=100, brightness_mode='auto'): assert brightness_mode in ('auto', 'manual') assert brightness in range(101) log.debug('setting display information...') cmd, url = DEVICE_URLS['set_display'] json_data = {'brightness_mode': brightness_mode, 'brightness': brightness} return self._exec(cmd, url, json_data=json_data)
set_display
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, brightness=100, brightness_mode='auto'):\n assert brightness_mode in ('auto', 'manual')\n assert brightness in range(101)\n log.debug('setting display information...')\n cmd, url = DEVICE_URLS['set_display']\n json_data = {'brightness_mode': brightness_mode, 'brightness': brightness}\n return self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "set_display", "role": "assistant" } ]
def x(self, mode, is_mode_enabled, start_time=None, end_time=None, is_screensaver_enabled=True): assert mode in ('when_dark', 'time_based') log.debug("setting screensaver to '{}'...".format(mode)) cmd, url = DEVICE_URLS['set_display'] json_data = {'screensaver': {'enabled': is_screensaver_enabled, 'mode': mode, 'mode_params': {'enabled': is_mode_enabled}}} if mode == 'time_based': assert start_time is not None and end_time is not None json_data['screensaver']['mode_params']['start_time'] = start_time json_data['screensaver']['mode_params']['end_time'] = end_time return self._exec(cmd, url, json_data=json_data)
set_screensaver
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mode, is_mode_enabled, start_time=None, end_time=None,\n is_screensaver_enabled=True):\n assert mode in ('when_dark', 'time_based')\n log.debug(\"setting screensaver to '{}'...\".format(mode))\n cmd, url = DEVICE_URLS['set_display']\n json_data = {'screensaver': {'enabled': is_screensaver_enabled, 'mode':\n mode, 'mode_params': {'enabled': is_mode_enabled}}}\n if mode == 'time_based':\n assert start_time is not None and end_time is not None\n json_data['screensaver']['mode_params']['start_time'] = start_time\n json_data['screensaver']['mode_params']['end_time'] = end_time\n return self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "set_screensaver", "role": "assistant" } ]
def x(self): log.debug('getting volumne...') cmd, url = DEVICE_URLS['get_volume'] return self._exec(cmd, url)
get_volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting volumne...')\n cmd, url = DEVICE_URLS['get_volume']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_volume", "role": "assistant" } ]
def x(self, volume=50): assert volume in range(101) log.debug('setting volume...') cmd, url = DEVICE_URLS['set_volume'] json_data = {'volume': volume} return self._exec(cmd, url, json_data=json_data)
set_volume
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, volume=50):\n assert volume in range(101)\n log.debug('setting volume...')\n cmd, url = DEVICE_URLS['set_volume']\n json_data = {'volume': volume}\n return self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "set_volume", "role": "assistant" } ]
def x(self): log.debug('getting bluetooth state...') cmd, url = DEVICE_URLS['get_bluetooth_state'] return self._exec(cmd, url)
get_bluetooth_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting bluetooth state...')\n cmd, url = DEVICE_URLS['get_bluetooth_state']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_bluetooth_state", "role": "assistant" } ]
def x(self, active=None, name=None): assert active is not None or name is not None log.debug('setting bluetooth state...') cmd, url = DEVICE_URLS['set_bluetooth'] json_data = {} if name is not None: json_data['name'] = name if active is not None: json_data['active'] = active return self._exec(cmd, url, json_data=json_data)
set_bluetooth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, active=None, name=None):\n assert active is not None or name is not None\n log.debug('setting bluetooth state...')\n cmd, url = DEVICE_URLS['set_bluetooth']\n json_data = {}\n if name is not None:\n json_data['name'] = name\n if active is not None:\n json_data['active'] = active\n return self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "set_bluetooth", "role": "assistant" } ]
def x(self): log.debug('getting wifi state...') cmd, url = DEVICE_URLS['get_wifi_state'] return self._exec(cmd, url)
get_wifi_state
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting wifi state...')\n cmd, url = DEVICE_URLS['get_wifi_state']\n return self._exec(cmd, url)\n", "role": "user" }, { "content": "get_wifi_state", "role": "assistant" } ]
def x(self): log.debug('getting apps and setting them in the internal app list...') cmd, url = DEVICE_URLS['get_apps_list'] result = self._exec(cmd, url) self.available_apps = [AppModel(result[app]) for app in result]
set_apps_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('getting apps and setting them in the internal app list...')\n cmd, url = DEVICE_URLS['get_apps_list']\n result = self._exec(cmd, url)\n self.available_apps = [AppModel(result[app]) for app in result]\n", "role": "user" }, { "content": "set_apps_list", "role": "assistant" } ]
def x(self, package): log.debug("switching to app '{}'...".format(package)) cmd, url = DEVICE_URLS['switch_to_app'] widget_id = self._get_widget_id(package) url = url.format('{}', package, widget_id) self.result = self._exec(cmd, url)
switch_to_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package):\n log.debug(\"switching to app '{}'...\".format(package))\n cmd, url = DEVICE_URLS['switch_to_app']\n widget_id = self._get_widget_id(package)\n url = url.format('{}', package, widget_id)\n self.result = self._exec(cmd, url)\n", "role": "user" }, { "content": "switch_to_app", "role": "assistant" } ]
def x(self): log.debug('switching to next app...') cmd, url = DEVICE_URLS['switch_to_next_app'] self.result = self._exec(cmd, url)
switch_to_next_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('switching to next app...')\n cmd, url = DEVICE_URLS['switch_to_next_app']\n self.result = self._exec(cmd, url)\n", "role": "user" }, { "content": "switch_to_next_app", "role": "assistant" } ]
def x(self, package): cmd, url = DEVICE_URLS['activate_widget'] widget_id = self._get_widget_id(package) url = url.format('{}', package, widget_id) self.result = self._exec(cmd, url)
activate_widget
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package):\n cmd, url = DEVICE_URLS['activate_widget']\n widget_id = self._get_widget_id(package)\n url = url.format('{}', package, widget_id)\n self.result = self._exec(cmd, url)\n", "role": "user" }, { "content": "activate_widget", "role": "assistant" } ]
def x(self, package, action, params=None): allowed_commands = [] for app in self.get_apps_list(): if app.package == package: allowed_commands = list(app.actions.keys()) break assert action in allowed_commands cmd, url = DEVICE_URLS['do_action'] widget_id = self._get_widget_id(package) url = url.format('{}', package, widget_id) json_data = {'id': action} if params is not None: json_data['params'] = params self.result = self._exec(cmd, url, json_data=json_data)
app_exec
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, package, action, params=None):\n allowed_commands = []\n for app in self.get_apps_list():\n if app.package == package:\n allowed_commands = list(app.actions.keys())\n break\n assert action in allowed_commands\n cmd, url = DEVICE_URLS['do_action']\n widget_id = self._get_widget_id(package)\n url = url.format('{}', package, widget_id)\n json_data = {'id': action}\n if params is not None:\n json_data['params'] = params\n self.result = self._exec(cmd, url, json_data=json_data)\n", "role": "user" }, { "content": "app_exec", "role": "assistant" } ]
def x(self, time, wake_with_radio=False): log.debug('alarm => set...') params = {'enabled': True, 'time': time, 'wake_with_radio': wake_with_radio } self._app_exec('com.lametric.clock', 'clock.alarm', params=params)
alarm_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, time, wake_with_radio=False):\n log.debug('alarm => set...')\n params = {'enabled': True, 'time': time, 'wake_with_radio': wake_with_radio\n }\n self._app_exec('com.lametric.clock', 'clock.alarm', params=params)\n", "role": "user" }, { "content": "alarm_set", "role": "assistant" } ]
def x(self): log.debug('alarm => disable...') params = {'enabled': False} self._app_exec('com.lametric.clock', 'clock.alarm', params=params)
alarm_disable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n log.debug('alarm => disable...')\n params = {'enabled': False}\n self._app_exec('com.lametric.clock', 'clock.alarm', params=params)\n", "role": "user" }, { "content": "alarm_disable", "role": "assistant" } ]
def x(self, duration, start_now): log.debug('countdown => set...') params = {'duration': duration, 'start_now': start_now} self._app_exec('com.lametric.countdown', 'countdown.configure', params)
countdown_set
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, duration, start_now):\n log.debug('countdown => set...')\n params = {'duration': duration, 'start_now': start_now}\n self._app_exec('com.lametric.countdown', 'countdown.configure', params)\n", "role": "user" }, { "content": "countdown_set", "role": "assistant" } ]
def x(self, includes: dict, variables: dict) ->tuple: json_args = fill_template_str(json.dumps(self.data), variables) p = subprocess.Popen([self.module, json_args], stdout=subprocess.PIPE, stderr=subprocess.STDOUT) if p.wait() == 0: out = p.stdout.read().decode() debug(out) return variables, json.loads(out) else: out = p.stdout.read().decode() warning(out) raise Exception('Execution failed.')
action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, includes: dict, variables: dict) ->tuple:\n json_args = fill_template_str(json.dumps(self.data), variables)\n p = subprocess.Popen([self.module, json_args], stdout=subprocess.PIPE,\n stderr=subprocess.STDOUT)\n if p.wait() == 0:\n out = p.stdout.read().decode()\n debug(out)\n return variables, json.loads(out)\n else:\n out = p.stdout.read().decode()\n warning(out)\n raise Exception('Execution failed.')\n", "role": "user" }, { "content": "action", "role": "assistant" } ]
def x(self, client_id=None, client_secret=None): self._client_id = client_id self._client_secret = client_secret self._session = None
set_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client_id=None, client_secret=None):\n self._client_id = client_id\n self._client_secret = client_secret\n self._session = None\n", "role": "user" }, { "content": "set_credentials", "role": "assistant" } ]
def x(self, get_token=True): if self._client_id is None or self._client_secret is None: sys.exit( 'Please make sure to set the client id and client secret via the constructor, the environment variables or the config file; otherwise, the LaMetric cloud cannot be accessed. Abort!' ) self._session = OAuth2Session(client=BackendApplicationClient(client_id =self._client_id)) if get_token is True: self.get_token()
init_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, get_token=True):\n if self._client_id is None or self._client_secret is None:\n sys.exit(\n 'Please make sure to set the client id and client secret via the constructor, the environment variables or the config file; otherwise, the LaMetric cloud cannot be accessed. Abort!'\n )\n self._session = OAuth2Session(client=BackendApplicationClient(client_id\n =self._client_id))\n if get_token is True:\n self.get_token()\n", "role": "user" }, { "content": "init_session", "role": "assistant" } ]
def x(self): self.token = self._session.fetch_token(token_url=CLOUD_URLS['get_token' ][1], client_id=self._client_id, client_secret=self._client_secret)
get_token
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.token = self._session.fetch_token(token_url=CLOUD_URLS['get_token'\n ][1], client_id=self._client_id, client_secret=self._client_secret)\n", "role": "user" }, { "content": "get_token", "role": "assistant" } ]
def x(self, variables): json_args = fill_template_str(json.dumps(self.data), variables) return try_get_objects(json_args)
simple_input
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variables):\n json_args = fill_template_str(json.dumps(self.data), variables)\n return try_get_objects(json_args)\n", "role": "user" }, { "content": "simple_input", "role": "assistant" } ]
def x(self): if not self.exists(): self.config.add_section('lametric') self.config.set('lametric', 'client_id', '') self.config.set('lametric', 'client_secret', '') self.save() sys.exit( "An empty config file '{}' has been created. Please set the corresponding LaMetric API credentials." .format(self._filename))
create
[ { "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.exists():\n self.config.add_section('lametric')\n self.config.set('lametric', 'client_id', '')\n self.config.set('lametric', 'client_secret', '')\n self.save()\n sys.exit(\n \"An empty config file '{}' has been created. Please set the corresponding LaMetric API credentials.\"\n .format(self._filename))\n", "role": "user" }, { "content": "create", "role": "assistant" } ]
def x(self): with open(self._filename, 'w') as f: self.config.write(f)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with open(self._filename, 'w') as f:\n self.config.write(f)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self): if self._rate_limit_dt and self._last_query is not None: dt = time.time() - self._last_query wait = self._rate_limit_dt - dt if wait > 0: time.sleep(wait)
rate_limit_wait
[ { "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._rate_limit_dt and self._last_query is not None:\n dt = time.time() - self._last_query\n wait = self._rate_limit_dt - dt\n if wait > 0:\n time.sleep(wait)\n", "role": "user" }, { "content": "rate_limit_wait", "role": "assistant" } ]
def x(self, arg, destination=None, waypoints=None, raw=False, **kwargs): points = _parse_points(arg, destination, waypoints) if len(points) < 2: raise ValueError('You must specify at least 2 points') self.rate_limit_wait() data = self.raw_query(points, **kwargs) self._last_query = time.time() if raw: return data return self.format_output(data)
route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, arg, destination=None, waypoints=None, raw=False, **kwargs):\n points = _parse_points(arg, destination, waypoints)\n if len(points) < 2:\n raise ValueError('You must specify at least 2 points')\n self.rate_limit_wait()\n data = self.raw_query(points, **kwargs)\n self._last_query = time.time()\n if raw:\n return data\n return self.format_output(data)\n", "role": "user" }, { "content": "route", "role": "assistant" } ]
def x(cls, data): properties = data['properties'] distance = properties.pop('distance') duration = properties.pop('duration') maneuvers = [] for feature in data['features']: geom = feature['geometry'] if geom['type'] == 'LineString': coords = geom['coordinates'] else: maneuvers.append(Maneuver.from_geojson(feature)) return Route(coords, distance, duration, maneuvers, **properties)
from_geojson
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, data):\n properties = data['properties']\n distance = properties.pop('distance')\n duration = properties.pop('duration')\n maneuvers = []\n for feature in data['features']:\n geom = feature['geometry']\n if geom['type'] == 'LineString':\n coords = geom['coordinates']\n else:\n maneuvers.append(Maneuver.from_geojson(feature))\n return Route(coords, distance, duration, maneuvers, **properties)\n", "role": "user" }, { "content": "from_geojson", "role": "assistant" } ]
def x(module_paths: list, available: dict) ->dict: indexed = {} for path in module_paths: if not os.path.exists(path) and path not in available: err = 'No such path: ' + path error(err) else: for f in os.listdir(path): mod_path = join(path, f) if f in indexed: warning('Override ' + indexed[f] + ' with ' + mod_path) indexed[f] = mod_path return indexed
prepare_modules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_paths: list, available: dict) ->dict:\n indexed = {}\n for path in module_paths:\n if not os.path.exists(path) and path not in available:\n err = 'No such path: ' + path\n error(err)\n else:\n for f in os.listdir(path):\n mod_path = join(path, f)\n if f in indexed:\n warning('Override ' + indexed[f] + ' with ' + mod_path)\n indexed[f] = mod_path\n return indexed\n", "role": "user" }, { "content": "prepare_modules", "role": "assistant" } ]
def x(self, st='upnp:rootdevice', timeout=2, mx=1, retries=1): s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, socket.IPPROTO_UDP) s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1) s.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_TTL, 2) s.settimeout(timeout) msg = SSDPDiscoveryMessage(mx=mx, st=st) devices = {} for _ in range(retries): s.sendto(msg.bytes, SSDP_MULTICAST_ADDR) devices = {} try: while True: r = SSDPResponse(s.recvfrom(65507)) devices[r.usn] = r except socket.timeout: break return devices
discover_upnp_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, st='upnp:rootdevice', timeout=2, mx=1, retries=1):\n s = socket.socket(socket.AF_INET, socket.SOCK_DGRAM, socket.IPPROTO_UDP)\n s.setsockopt(socket.SOL_SOCKET, socket.SO_REUSEADDR, 1)\n s.setsockopt(socket.IPPROTO_IP, socket.IP_MULTICAST_TTL, 2)\n s.settimeout(timeout)\n msg = SSDPDiscoveryMessage(mx=mx, st=st)\n devices = {}\n for _ in range(retries):\n s.sendto(msg.bytes, SSDP_MULTICAST_ADDR)\n devices = {}\n try:\n while True:\n r = SSDPResponse(s.recvfrom(65507))\n devices[r.usn] = r\n except socket.timeout:\n break\n return devices\n", "role": "user" }, { "content": "discover_upnp_devices", "role": "assistant" } ]
def x(self, model_name, device_types='upnp:rootdevice', timeout=2): upnp_devices = self.discover_upnp_devices(st=device_types) filtered_devices = collections.defaultdict(dict) for dev in upnp_devices.values(): try: r = requests.get(dev.location, timeout=timeout) if r.status_code == requests.codes.ok: root = ET.fromstring(r.text) ns = {'upnp': 'urn:schemas-upnp-org:device-1-0'} device = root.find('upnp:device', ns) if model_name in device.find('upnp:modelName', ns).text: udn = device.find('upnp:UDN', ns).text url_base = root.find('upnp:URLBase', ns) if url_base is not None: filtered_devices[udn]['URLBase'] = url_base.text for attr in ('deviceType', 'friendlyName', 'manufacturer', 'manufacturerURL', 'modelDescription', 'modelName', 'modelNumber'): el = device.find('upnp:%s' % attr, ns) if el is not None: filtered_devices[udn][attr] = el.text.strip() except ET.ParseError: pass except requests.exceptions.ConnectTimeout: print("Timeout for '%s'. Skipping." % dev.location) return filtered_devices
get_filtered_devices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, model_name, device_types='upnp:rootdevice', timeout=2):\n upnp_devices = self.discover_upnp_devices(st=device_types)\n filtered_devices = collections.defaultdict(dict)\n for dev in upnp_devices.values():\n try:\n r = requests.get(dev.location, timeout=timeout)\n if r.status_code == requests.codes.ok:\n root = ET.fromstring(r.text)\n ns = {'upnp': 'urn:schemas-upnp-org:device-1-0'}\n device = root.find('upnp:device', ns)\n if model_name in device.find('upnp:modelName', ns).text:\n udn = device.find('upnp:UDN', ns).text\n url_base = root.find('upnp:URLBase', ns)\n if url_base is not None:\n filtered_devices[udn]['URLBase'] = url_base.text\n for attr in ('deviceType', 'friendlyName',\n 'manufacturer', 'manufacturerURL',\n 'modelDescription', 'modelName', 'modelNumber'):\n el = device.find('upnp:%s' % attr, ns)\n if el is not None:\n filtered_devices[udn][attr] = el.text.strip()\n except ET.ParseError:\n pass\n except requests.exceptions.ConnectTimeout:\n print(\"Timeout for '%s'. Skipping.\" % dev.location)\n return filtered_devices\n", "role": "user" }, { "content": "get_filtered_devices", "role": "assistant" } ]
def x(data_processor, data_generator, n_cpus=1, stepsize=None): if not n_cpus: n_cpus = mp.cpu_count() elif n_cpus < 0: n_cpus = mp.cpu_count() - n_cpus if stepsize is None: stepsize = n_cpus results = [] with mp.Pool(processes=n_cpus) as p: while True: r = p.map(data_processor, islice(data_generator, stepsize)) if r: results.extend(r) else: break return results
lazy_map
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_processor, data_generator, n_cpus=1, stepsize=None):\n if not n_cpus:\n n_cpus = mp.cpu_count()\n elif n_cpus < 0:\n n_cpus = mp.cpu_count() - n_cpus\n if stepsize is None:\n stepsize = n_cpus\n results = []\n with mp.Pool(processes=n_cpus) as p:\n while True:\n r = p.map(data_processor, islice(data_generator, stepsize))\n if r:\n results.extend(r)\n else:\n break\n return results\n", "role": "user" }, { "content": "lazy_map", "role": "assistant" } ]
def x(data_processor, data_generator, n_cpus=1, stepsize=None): if not n_cpus: n_cpus = mp.cpu_count() elif n_cpus < 0: n_cpus = mp.cpu_count() - n_cpus if stepsize is None: stepsize = n_cpus with mp.Pool(processes=n_cpus) as p: while True: r = p.map(data_processor, islice(data_generator, stepsize)) if r: yield r else: break
lazy_imap
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_processor, data_generator, n_cpus=1, stepsize=None):\n if not n_cpus:\n n_cpus = mp.cpu_count()\n elif n_cpus < 0:\n n_cpus = mp.cpu_count() - n_cpus\n if stepsize is None:\n stepsize = n_cpus\n with mp.Pool(processes=n_cpus) as p:\n while True:\n r = p.map(data_processor, islice(data_generator, stepsize))\n if r:\n yield r\n else:\n break\n", "role": "user" }, { "content": "lazy_imap", "role": "assistant" } ]
def x(func): @wraps(func) def x(self, *args, **kwargs): result = func(self, *args, **kwargs) if isinstance(result, tuple): return self.process_register(result[0], result[1]) else: return self.process_register(result) return wrapper
update_variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(self, *args, **kwargs):\n result = func(self, *args, **kwargs)\n if isinstance(result, tuple):\n return self.process_register(result[0], result[1])\n else:\n return self.process_register(result)\n return wrapper\n", "role": "user" }, { "content": "update_variables", "role": "assistant" } ]
def x(self, data): for property in data.keys(): if property in vars(self): setattr(self, property, data[property])
set_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n for property in data.keys():\n if property in vars(self):\n setattr(self, property, data[property])\n", "role": "user" }, { "content": "set_properties", "role": "assistant" } ]