source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self): overridden_attrs = self._attributes sortmap = {'neutral': 1, 'positive': 2, 'negative': 3} sortedattrs = list(overridden_attrs.values()) sortedattrs.sort(key=operator.itemgetter('defindex')) sortedattrs.sort(key=lambda t: sortmap.get(t.get('effect_type', 'neutral'), 99)) return [item_attribute(theattr) for theattr in sortedattrs]
attributes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n overridden_attrs = self._attributes\n sortmap = {'neutral': 1, 'positive': 2, 'negative': 3}\n sortedattrs = list(overridden_attrs.values())\n sortedattrs.sort(key=operator.itemgetter('defindex'))\n sortedattrs.sort(key=lambda t: sortmap.get(t.get('effect_type',\n 'neutral'), 99))\n return [item_attribute(theattr) for theattr in sortedattrs]\n", "role": "user" }, { "content": "attributes", "role": "assistant" } ]
def x(self): equipped = self._item.get('equipped', []) return dict([(eq['class'], eq['slot']) for eq in equipped if eq['class' ] != 0 and eq['slot'] != 65535])
equipped
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n equipped = self._item.get('equipped', [])\n return dict([(eq['class'], eq['slot']) for eq in equipped if eq['class'\n ] != 0 and eq['slot'] != 65535])\n", "role": "user" }, { "content": "equipped", "role": "assistant" } ]
def x(self): sitem = self._schema_item return [c for c in sitem.get('used_by_classes', self.equipped.keys()) if c]
equipable_classes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sitem = self._schema_item\n return [c for c in sitem.get('used_by_classes', self.equipped.keys()) if c]\n", "role": "user" }, { "content": "equipable_classes", "role": "assistant" } ]
def x(self): rawitem = self._item.get('contained_item') if rawitem: return self.__class__(rawitem, self._schema)
contents
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rawitem = self._item.get('contained_item')\n if rawitem:\n return self.__class__(rawitem, self._schema)\n", "role": "user" }, { "content": "contents", "role": "assistant" } ]
def x(self): qid, quality_str, pretty_quality_str = self.quality custom_name = self.custom_name item_name = self.name english = self._language == 'en_US' rank = self.rank prefixed = self._schema_item.get('proper_name', False) prefix = '' suffix = '' pfinal = '' if item_name.startswith('The ') and prefixed: item_name = item_name[4:] if quality_str != 'unique' and quality_str != 'normal': pfinal = pretty_quality_str if english: if prefixed: if quality_str == 'unique': pfinal = 'The' elif quality_str == 'unique': pfinal = '' if rank and quality_str == 'strange': pfinal = rank['name'] if english: prefix = pfinal elif pfinal: suffix = '(' + pfinal + ') ' + suffix return (prefix + ' ' + item_name + ' ' + suffix).strip()
full_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n qid, quality_str, pretty_quality_str = self.quality\n custom_name = self.custom_name\n item_name = self.name\n english = self._language == 'en_US'\n rank = self.rank\n prefixed = self._schema_item.get('proper_name', False)\n prefix = ''\n suffix = ''\n pfinal = ''\n if item_name.startswith('The ') and prefixed:\n item_name = item_name[4:]\n if quality_str != 'unique' and quality_str != 'normal':\n pfinal = pretty_quality_str\n if english:\n if prefixed:\n if quality_str == 'unique':\n pfinal = 'The'\n elif quality_str == 'unique':\n pfinal = ''\n if rank and quality_str == 'strange':\n pfinal = rank['name']\n if english:\n prefix = pfinal\n elif pfinal:\n suffix = '(' + pfinal + ') ' + suffix\n return (prefix + ' ' + item_name + ' ' + suffix).strip()\n", "role": "user" }, { "content": "full_name", "role": "assistant" } ]
def x(self): eaters = {} ranktypes = self._kill_types for attr in self: aname = attr.name.strip() aid = attr.id if aname.startswith('kill eater'): try: eateri = list(filter(None, aname.split(' ')))[-1] if eateri.isdigit(): eateri = int(eateri) else: eateri = 0 except IndexError: eateri = aid if aname.find('user') != -1: eateri += 100 eaters.setdefault(eateri, [None, None]) if aname.find('score type') != -1 or aname.find('kill type') != -1: if eaters[eateri][0] is None: eaters[eateri][0] = attr.value else: eaters[eateri][1] = attr.value eaterlist = [] defaultleveldata = 'KillEaterRank' for key, eater in sorted(eaters.items()): etype, count = eater if count is not None: rank = ranktypes.get(etype or 0, {'level_data': defaultleveldata, 'type_name': 'Count'}) eaterlist.append((rank.get('level_data', defaultleveldata), rank['type_name'], count)) return eaterlist
kill_eaters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n eaters = {}\n ranktypes = self._kill_types\n for attr in self:\n aname = attr.name.strip()\n aid = attr.id\n if aname.startswith('kill eater'):\n try:\n eateri = list(filter(None, aname.split(' ')))[-1]\n if eateri.isdigit():\n eateri = int(eateri)\n else:\n eateri = 0\n except IndexError:\n eateri = aid\n if aname.find('user') != -1:\n eateri += 100\n eaters.setdefault(eateri, [None, None])\n if aname.find('score type') != -1 or aname.find('kill type') != -1:\n if eaters[eateri][0] is None:\n eaters[eateri][0] = attr.value\n else:\n eaters[eateri][1] = attr.value\n eaterlist = []\n defaultleveldata = 'KillEaterRank'\n for key, eater in sorted(eaters.items()):\n etype, count = eater\n if count is not None:\n rank = ranktypes.get(etype or 0, {'level_data':\n defaultleveldata, 'type_name': 'Count'})\n eaterlist.append((rank.get('level_data', defaultleveldata),\n rank['type_name'], count))\n return eaterlist\n", "role": "user" }, { "content": "kill_eaters", "role": "assistant" } ]
def x(self): if self._rank != {}: return self._rank try: levelkey, typename, count = self.kill_eaters[0] except IndexError: self._rank = None return None rankset = self._ranks.get(levelkey, [{'level': 0, 'required_score': 0, 'name': 'Strange'}]) for rank in rankset: self._rank = rank if count < rank['required_score']: break return self._rank
rank
[ { "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._rank != {}:\n return self._rank\n try:\n levelkey, typename, count = self.kill_eaters[0]\n except IndexError:\n self._rank = None\n return None\n rankset = self._ranks.get(levelkey, [{'level': 0, 'required_score': 0,\n 'name': 'Strange'}])\n for rank in rankset:\n self._rank = rank\n if count < rank['required_score']:\n break\n return self._rank\n", "role": "user" }, { "content": "rank", "role": "assistant" } ]
def x(self): styles = self._schema_item.get('styles', []) return list(map(operator.itemgetter('name'), styles))
available_styles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n styles = self._schema_item.get('styles', [])\n return list(map(operator.itemgetter('name'), styles))\n", "role": "user" }, { "content": "available_styles", "role": "assistant" } ]
def x(self): val = self.value pval = val ftype = self.value_type if ftype == 'percentage': pval = int(round(val * 100)) if self.type == 'negative': pval = 0 - (100 - pval) else: pval -= 100 elif ftype == 'additive_percentage': pval = int(round(val * 100)) elif ftype == 'inverted_percentage': pval = 100 - int(round(val * 100)) if self.type == 'negative': if self.value > 1: pval = 0 - pval elif ftype == 'additive' or ftype == 'particle_index' or ftype == 'account_id': if int(val) == val: pval = int(val) elif ftype == 'date': d = time.gmtime(int(val)) pval = time.strftime('%Y-%m-%d %H:%M:%S', d) return u'{0}'.format(pval)
formatted_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n val = self.value\n pval = val\n ftype = self.value_type\n if ftype == 'percentage':\n pval = int(round(val * 100))\n if self.type == 'negative':\n pval = 0 - (100 - pval)\n else:\n pval -= 100\n elif ftype == 'additive_percentage':\n pval = int(round(val * 100))\n elif ftype == 'inverted_percentage':\n pval = 100 - int(round(val * 100))\n if self.type == 'negative':\n if self.value > 1:\n pval = 0 - pval\n elif ftype == 'additive' or ftype == 'particle_index' or ftype == 'account_id':\n if int(val) == val:\n pval = int(val)\n elif ftype == 'date':\n d = time.gmtime(int(val))\n pval = time.strftime('%Y-%m-%d %H:%M:%S', d)\n return u'{0}'.format(pval)\n", "role": "user" }, { "content": "formatted_value", "role": "assistant" } ]
def x(self): desc = self.description if desc: return desc.replace('%s1', self.formatted_value) else: return None
formatted_description
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n desc = self.description\n if desc:\n return desc.replace('%s1', self.formatted_value)\n else:\n return None\n", "role": "user" }, { "content": "formatted_description", "role": "assistant" } ]
def x(self): redundantprefix = 'value_is_' vtype = self._attribute.get('description_format') if vtype and vtype.startswith(redundantprefix): return vtype[len(redundantprefix):] else: return vtype
value_type
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n redundantprefix = 'value_is_'\n vtype = self._attribute.get('description_format')\n if vtype and vtype.startswith(redundantprefix):\n return vtype[len(redundantprefix):]\n else:\n return vtype\n", "role": "user" }, { "content": "value_type", "role": "assistant" } ]
def x(self): account_info = self._attribute.get('account_info') if account_info: return {'persona': account_info.get('personaname', ''), 'id64': account_info['steamid']} else: return None
account_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n account_info = self._attribute.get('account_info')\n if account_info:\n return {'persona': account_info.get('personaname', ''), 'id64':\n account_info['steamid']}\n else:\n return None\n", "role": "user" }, { "content": "account_info", "role": "assistant" } ]
def x(self): return dict([(t, self._catalog.tags.get(t, t)) for t in self._asset.get ('tags', [])])
tags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return dict([(t, self._catalog.tags.get(t, t)) for t in self._asset.get\n ('tags', [])])\n", "role": "user" }, { "content": "tags", "role": "assistant" } ]
def x(self): purl = self.profile_url.strip('/') if purl.find('/id/') != -1: return os.path.basename(purl)
vanity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n purl = self.profile_url.strip('/')\n if purl.find('/id/') != -1:\n return os.path.basename(purl)\n", "role": "user" }, { "content": "vanity", "role": "assistant" } ]
def x(self): timestamp = self._prof.get('timecreated') if timestamp: return time.localtime(timestamp)
creation_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n timestamp = self._prof.get('timecreated')\n if timestamp:\n return time.localtime(timestamp)\n", "role": "user" }, { "content": "creation_date", "role": "assistant" } ]
def x(self): obj = self._prof gameid = obj.get('gameid') gameserverip = obj.get('gameserverip') gameextrainfo = obj.get('gameextrainfo') return int(gameid) if gameid else None, gameserverip, gameextrainfo
current_game
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n obj = self._prof\n gameid = obj.get('gameid')\n gameserverip = obj.get('gameserverip')\n gameextrainfo = obj.get('gameextrainfo')\n return int(gameid) if gameid else None, gameserverip, gameextrainfo\n", "role": "user" }, { "content": "current_game", "role": "assistant" } ]
def x(self): level_key = 'player_level' if level_key in self._api['response']: return self._api['response'][level_key] try: lvl = api.interface('IPlayerService').GetSteamLevel(steamid=self.id64)[ 'response'][level_key] self._api['response'][level_key] = lvl return lvl except: return -1
level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n level_key = 'player_level'\n if level_key in self._api['response']:\n return self._api['response'][level_key]\n try:\n lvl = api.interface('IPlayerService').GetSteamLevel(steamid=self.id64)[\n 'response'][level_key]\n self._api['response'][level_key] = lvl\n return lvl\n except:\n return -1\n", "role": "user" }, { "content": "level", "role": "assistant" } ]
def x(cls, obj): prof = cls(obj['steamid']) prof._cache = obj return prof
from_def
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, obj):\n prof = cls(obj['steamid'])\n prof._cache = obj\n return prof\n", "role": "user" }, { "content": "from_def", "role": "assistant" } ]
def x(self, status_id, user_id, countries): logger.info('Status %s withheld for user %s', status_id, user_id) return True
on_status_withheld
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status_id, user_id, countries):\n logger.info('Status %s withheld for user %s', status_id, user_id)\n return True\n", "role": "user" }, { "content": "on_status_withheld", "role": "assistant" } ]
def x(self, code, stream_name, reason): logger.error('Disconnect message: %s %s %s', code, stream_name, reason) return True
on_disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code, stream_name, reason):\n logger.error('Disconnect message: %s %s %s', code, stream_name, reason)\n return True\n", "role": "user" }, { "content": "on_disconnect", "role": "assistant" } ]
def x(self, status_code): logger.error('Twitter returned error code %s', status_code) self.error = status_code return False
on_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status_code):\n logger.error('Twitter returned error code %s', status_code)\n self.error = status_code\n return False\n", "role": "user" }, { "content": "on_error", "role": "assistant" } ]
def x(self, exception): logger.error('Exception from stream!', exc_info=True) self.streaming_exception = exception
on_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, exception):\n logger.error('Exception from stream!', exc_info=True)\n self.streaming_exception = exception\n", "role": "user" }, { "content": "on_exception", "role": "assistant" } ]
def x(self): new_tracking_terms = self.update_tracking_terms() terms_changed = False if self._tracking_terms_set > new_tracking_terms: logging.debug('Some tracking terms removed') terms_changed = True elif self._tracking_terms_set < new_tracking_terms: logging.debug('Some tracking terms added') terms_changed = True self._tracking_terms_set = new_tracking_terms return terms_changed
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n new_tracking_terms = self.update_tracking_terms()\n terms_changed = False\n if self._tracking_terms_set > new_tracking_terms:\n logging.debug('Some tracking terms removed')\n terms_changed = True\n elif self._tracking_terms_set < new_tracking_terms:\n logging.debug('Some tracking terms added')\n terms_changed = True\n self._tracking_terms_set = new_tracking_terms\n return terms_changed\n", "role": "user" }, { "content": "check", "role": "assistant" } ]
def x(self): import codecs with codecs.open(self.filename, 'r', encoding='utf8') as input: lines = input.readlines() new_terms = set() for line in lines: line = line.strip() if len(line): new_terms.add(line) return set(new_terms)
update_tracking_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n import codecs\n with codecs.open(self.filename, 'r', encoding='utf8') as input:\n lines = input.readlines()\n new_terms = set()\n for line in lines:\n line = line.strip()\n if len(line):\n new_terms.add(line)\n return set(new_terms)\n", "role": "user" }, { "content": "update_tracking_terms", "role": "assistant" } ]
def x(frame, stream=None): d = {'_frame': frame} d.update(frame.f_globals) d.update(frame.f_locals) import code, traceback i = code.InteractiveConsole(d) message = 'Signal received : entering python shell.\nTraceback:\n' message += ''.join(traceback.format_stack(frame)) i.interact(message)
launch_debugger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(frame, stream=None):\n d = {'_frame': frame}\n d.update(frame.f_globals)\n d.update(frame.f_locals)\n import code, traceback\n i = code.InteractiveConsole(d)\n message = 'Signal received : entering python shell.\\nTraceback:\\n'\n message += ''.join(traceback.format_stack(frame))\n i.interact(message)\n", "role": "user" }, { "content": "launch_debugger", "role": "assistant" } ]
def x(stream): def x(sig, frame): launch_debugger(frame, stream) if hasattr(signal, 'SIGUSR1'): signal.signal(signal.SIGUSR1, debugger) else: logger.warn('Cannot set SIGUSR1 signal for debug mode.')
set_debug_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n\n def x(sig, frame):\n launch_debugger(frame, stream)\n if hasattr(signal, 'SIGUSR1'):\n signal.signal(signal.SIGUSR1, debugger)\n else:\n logger.warn('Cannot set SIGUSR1 signal for debug mode.')\n", "role": "user" }, { "content": "set_debug_listener", "role": "assistant" } ]
def x(stream): def x(signum, frame): terminate(stream.listener) signal.signal(signal.SIGINT, stop) signal.signal(signal.SIGTERM, stop)
set_terminate_listeners
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream):\n\n def x(signum, frame):\n terminate(stream.listener)\n signal.signal(signal.SIGINT, stop)\n signal.signal(signal.SIGTERM, stop)\n", "role": "user" }, { "content": "set_terminate_listeners", "role": "assistant" } ]
def x(twitter_api_key, twitter_api_secret, twitter_access_token, twitter_access_token_secret): auth = tweepy.OAuthHandler(twitter_api_key, twitter_api_secret) auth.set_access_token(twitter_access_token, twitter_access_token_secret) return auth
get_tweepy_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(twitter_api_key, twitter_api_secret, twitter_access_token,\n twitter_access_token_secret):\n auth = tweepy.OAuthHandler(twitter_api_key, twitter_api_secret)\n auth.set_access_token(twitter_access_token, twitter_access_token_secret)\n return auth\n", "role": "user" }, { "content": "get_tweepy_auth", "role": "assistant" } ]
def x(outfile=None): if outfile is not None: if os.path.exists(outfile): raise IOError('File %s already exists' % outfile) outfile = open(outfile, 'wb') return PrintingListener(out=outfile)
construct_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(outfile=None):\n if outfile is not None:\n if os.path.exists(outfile):\n raise IOError('File %s already exists' % outfile)\n outfile = open(outfile, 'wb')\n return PrintingListener(out=outfile)\n", "role": "user" }, { "content": "construct_listener", "role": "assistant" } ]
def x(stream, poll_interval): while should_continue(): try: stream.start_polling(poll_interval) except Exception as e: logger.error('Exception while polling. Restarting in 1 second.', exc_info=True) time.sleep(1)
begin_stream_loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(stream, poll_interval):\n while should_continue():\n try:\n stream.start_polling(poll_interval)\n except Exception as e:\n logger.error('Exception while polling. Restarting in 1 second.',\n exc_info=True)\n time.sleep(1)\n", "role": "user" }, { "content": "begin_stream_loop", "role": "assistant" } ]
def x(track_file, twitter_api_key, twitter_api_secret, twitter_access_token, twitter_access_token_secret, poll_interval=15, unfiltered=False, languages=None, debug=False, outfile=None): listener = construct_listener(outfile) checker = BasicFileTermChecker(track_file, listener) auth = get_tweepy_auth(twitter_api_key, twitter_api_secret, twitter_access_token, twitter_access_token_secret) stream = DynamicTwitterStream(auth, listener, checker, unfiltered= unfiltered, languages=languages) set_terminate_listeners(stream) if debug: set_debug_listener(stream) begin_stream_loop(stream, poll_interval)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(track_file, twitter_api_key, twitter_api_secret, twitter_access_token,\n twitter_access_token_secret, poll_interval=15, unfiltered=False,\n languages=None, debug=False, outfile=None):\n listener = construct_listener(outfile)\n checker = BasicFileTermChecker(track_file, listener)\n auth = get_tweepy_auth(twitter_api_key, twitter_api_secret,\n twitter_access_token, twitter_access_token_secret)\n stream = DynamicTwitterStream(auth, listener, checker, unfiltered=\n unfiltered, languages=languages)\n set_terminate_listeners(stream)\n if debug:\n set_debug_listener(stream)\n begin_stream_loop(stream, poll_interval)\n", "role": "user" }, { "content": "start", "role": "assistant" } ]
def x(self, status): self.out.write(json.dumps(status)) self.out.write(os.linesep) self.received += 1 return not self.terminate
on_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status):\n self.out.write(json.dumps(status))\n self.out.write(os.linesep)\n self.received += 1\n return not self.terminate\n", "role": "user" }, { "content": "on_status", "role": "assistant" } ]
def x(self): tweets = self.received now = time.time() diff = now - self.since self.since = now self.received = 0 if diff > 0: logger.info('Receiving tweets at %s tps', tweets / diff)
print_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n tweets = self.received\n now = time.time()\n diff = now - self.since\n self.since = now\n self.received = 0\n if diff > 0:\n logger.info('Receiving tweets at %s tps', tweets / diff)\n", "role": "user" }, { "content": "print_status", "role": "assistant" } ]
def x(self, interval): interval = float(interval) self.polling = True self.term_checker.reset() logger.info('Starting polling for changes to the track list') while self.polling: loop_start = time() self.update_stream() self.handle_exceptions() elapsed = time() - loop_start sleep(max(0.1, interval - elapsed)) logger.warning('Term poll ceased!')
start_polling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, interval):\n interval = float(interval)\n self.polling = True\n self.term_checker.reset()\n logger.info('Starting polling for changes to the track list')\n while self.polling:\n loop_start = time()\n self.update_stream()\n self.handle_exceptions()\n elapsed = time() - loop_start\n sleep(max(0.1, interval - elapsed))\n logger.warning('Term poll ceased!')\n", "role": "user" }, { "content": "start_polling", "role": "assistant" } ]
def x(self): need_to_restart = False if self.stream is not None and not self.stream.running: logger.warning("Stream exists but isn't running") self.listener.error = False self.listener.streaming_exception = None need_to_restart = True if self.term_checker.check(): logger.info('Terms have changed') need_to_restart = True if self.stream is None and self.unfiltered: need_to_restart = True if not need_to_restart: return logger.info('Restarting stream...') self.stop_stream() self.start_stream()
update_stream
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n need_to_restart = False\n if self.stream is not None and not self.stream.running:\n logger.warning(\"Stream exists but isn't running\")\n self.listener.error = False\n self.listener.streaming_exception = None\n need_to_restart = True\n if self.term_checker.check():\n logger.info('Terms have changed')\n need_to_restart = True\n if self.stream is None and self.unfiltered:\n need_to_restart = True\n if not need_to_restart:\n return\n logger.info('Restarting stream...')\n self.stop_stream()\n self.start_stream()\n", "role": "user" }, { "content": "update_stream", "role": "assistant" } ]
def x(self): if self.stream is not None: logger.warning('Stopping twitter stream...') self.stream.disconnect() self.stream = None sleep(self.STOP_TIMEOUT)
stop_stream
[ { "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.stream is not None:\n logger.warning('Stopping twitter stream...')\n self.stream.disconnect()\n self.stream = None\n sleep(self.STOP_TIMEOUT)\n", "role": "user" }, { "content": "stop_stream", "role": "assistant" } ]
def x(self, tweet): tweet = urlize_tweet(expand_tweet_urls(tweet)) if settings.USE_TZ: tweet['datetime'] = datetime.strptime(tweet['created_at'], '%a %b %d %H:%M:%S +0000 %Y').replace(tzinfo=timezone.utc) else: tweet['datetime'] = datetime.strptime(tweet['created_at'], '%a %b %d %H:%M:%S +0000 %Y') return tweet
enrich
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tweet):\n tweet = urlize_tweet(expand_tweet_urls(tweet))\n if settings.USE_TZ:\n tweet['datetime'] = datetime.strptime(tweet['created_at'],\n '%a %b %d %H:%M:%S +0000 %Y').replace(tzinfo=timezone.utc)\n else:\n tweet['datetime'] = datetime.strptime(tweet['created_at'],\n '%a %b %d %H:%M:%S +0000 %Y')\n return tweet\n", "role": "user" }, { "content": "enrich", "role": "assistant" } ]
def x(**kwargs): key = 'get_tweets_%s' % '_'.join([str(kwargs[key]) for key in sorted( kwargs) if kwargs[key]]) not_allowed = re.compile('[^%s]' % ''.join([chr(i) for i in range(33, 128)])) key = not_allowed.sub('', key) return key
get_user_cache_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**kwargs):\n key = 'get_tweets_%s' % '_'.join([str(kwargs[key]) for key in sorted(\n kwargs) if kwargs[key]])\n not_allowed = re.compile('[^%s]' % ''.join([chr(i) for i in range(33, \n 128)]))\n key = not_allowed.sub('', key)\n return key\n", "role": "user" }, { "content": "get_user_cache_key", "role": "assistant" } ]
def x(prefix, *args): key = '%s_%s' % (prefix, '_'.join([str(arg) for arg in args if arg])) not_allowed = re.compile('[^%s]' % ''.join([chr(i) for i in range(33, 128)])) key = not_allowed.sub('', key) return key
get_search_cache_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix, *args):\n key = '%s_%s' % (prefix, '_'.join([str(arg) for arg in args if arg]))\n not_allowed = re.compile('[^%s]' % ''.join([chr(i) for i in range(33, \n 128)]))\n key = not_allowed.sub('', key)\n return key\n", "role": "user" }, { "content": "get_search_cache_key", "role": "assistant" } ]
def x(tweet): text = tweet.get('html', tweet['text']) for hash in tweet['entities']['hashtags']: text = text.replace('#%s' % hash['text'], TWITTER_HASHTAG_URL % ( quote(hash['text'].encode('utf-8')), hash['text'])) for mention in tweet['entities']['user_mentions']: text = text.replace('@%s' % mention['screen_name'], TWITTER_USERNAME_URL % (quote(mention['screen_name']), mention[ 'screen_name'])) tweet['html'] = text return tweet
urlize_tweet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tweet):\n text = tweet.get('html', tweet['text'])\n for hash in tweet['entities']['hashtags']:\n text = text.replace('#%s' % hash['text'], TWITTER_HASHTAG_URL % (\n quote(hash['text'].encode('utf-8')), hash['text']))\n for mention in tweet['entities']['user_mentions']:\n text = text.replace('@%s' % mention['screen_name'], \n TWITTER_USERNAME_URL % (quote(mention['screen_name']), mention[\n 'screen_name']))\n tweet['html'] = text\n return tweet\n", "role": "user" }, { "content": "urlize_tweet", "role": "assistant" } ]
def x(tweet): if 'retweeted_status' in tweet: text = 'RT @{user}: {text}'.format(user=tweet['retweeted_status'][ 'user']['screen_name'], text=tweet['retweeted_status']['text']) urls = tweet['retweeted_status']['entities']['urls'] else: text = tweet['text'] urls = tweet['entities']['urls'] for url in urls: text = text.replace(url['url'], '<a href="%s">%s</a>' % (url[ 'expanded_url'], url['display_url'])) tweet['html'] = text return tweet
expand_tweet_urls
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tweet):\n if 'retweeted_status' in tweet:\n text = 'RT @{user}: {text}'.format(user=tweet['retweeted_status'][\n 'user']['screen_name'], text=tweet['retweeted_status']['text'])\n urls = tweet['retweeted_status']['entities']['urls']\n else:\n text = tweet['text']\n urls = tweet['entities']['urls']\n for url in urls:\n text = text.replace(url['url'], '<a href=\"%s\">%s</a>' % (url[\n 'expanded_url'], url['display_url']))\n tweet['html'] = text\n return tweet\n", "role": "user" }, { "content": "expand_tweet_urls", "role": "assistant" } ]
def x(a, b): if abs(a) > MAX_POWER or abs(b) > MAX_POWER: raise ValueError('Number too high!') return a ** b
safe_power
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(a, b):\n if abs(a) > MAX_POWER or abs(b) > MAX_POWER:\n raise ValueError('Number too high!')\n return a ** b\n", "role": "user" }, { "content": "safe_power", "role": "assistant" } ]
def x(p): if p < 2: return False if p != 2 and p & 1 == 0: return False s = p - 1 while s & 1 == 0: s >>= 1 for x in range(10): a = random.randrange(p - 1) + 1 temp = s mod = pow(a, temp, p) while temp != p - 1 and mod != 1 and mod != p - 1: mod = mod * mod % p temp = temp * 2 if mod != p - 1 and temp % 2 == 0: return False return True
rabin_miller
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(p):\n if p < 2:\n return False\n if p != 2 and p & 1 == 0:\n return False\n s = p - 1\n while s & 1 == 0:\n s >>= 1\n for x in range(10):\n a = random.randrange(p - 1) + 1\n temp = s\n mod = pow(a, temp, p)\n while temp != p - 1 and mod != 1 and mod != p - 1:\n mod = mod * mod % p\n temp = temp * 2\n if mod != p - 1 and temp % 2 == 0:\n return False\n return True\n", "role": "user" }, { "content": "rabin_miller", "role": "assistant" } ]
def x(pattern, string): splits = list((m.start(), m.end()) for m in regex.finditer(pattern, string, regex.VERBOSE)) starts = [0] + [i[1] for i in splits] ends = [i[0] for i in splits] + [len(string)] return [string[start:end] for start, end in zip(starts, ends)]
zero_width_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(pattern, string):\n splits = list((m.start(), m.end()) for m in regex.finditer(pattern,\n string, regex.VERBOSE))\n starts = [0] + [i[1] for i in splits]\n ends = [i[0] for i in splits] + [len(string)]\n return [string[start:end] for start, end in zip(starts, ends)]\n", "role": "user" }, { "content": "zero_width_split", "role": "assistant" } ]
def x(group): group = regex.match('^(\\d*)d(\\d+)$', group, regex.IGNORECASE) num_of_dice = int(group[1]) if group[1] != '' else 1 type_of_dice = int(group[2]) assert num_of_dice > 0 result = [] for i in range(num_of_dice): result.append(random.randint(1, type_of_dice)) return result
roll_group
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(group):\n group = regex.match('^(\\\\d*)d(\\\\d+)$', group, regex.IGNORECASE)\n num_of_dice = int(group[1]) if group[1] != '' else 1\n type_of_dice = int(group[2])\n assert num_of_dice > 0\n result = []\n for i in range(num_of_dice):\n result.append(random.randint(1, type_of_dice))\n return result\n", "role": "user" }, { "content": "roll_group", "role": "assistant" } ]
def x(result, operator, comparator): if operator == '<': return len([x for x in result if x < comparator]) elif operator == '>': return len([x for x in result if x > comparator]) elif operator == '=': return len([x for x in result if x == comparator]) else: raise ValueError
num_equal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(result, operator, comparator):\n if operator == '<':\n return len([x for x in result if x < comparator])\n elif operator == '>':\n return len([x for x in result if x > comparator])\n elif operator == '=':\n return len([x for x in result if x == comparator])\n else:\n raise ValueError\n", "role": "user" }, { "content": "num_equal", "role": "assistant" } ]
def x(self, expr): self.expr = expr return self._eval(ast.parse(expr.strip()).body[0].value)
eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, expr):\n self.expr = expr\n return self._eval(ast.parse(expr.strip()).body[0].value)\n", "role": "user" }, { "content": "eval", "role": "assistant" } ]
def x(self, node): try: handler = self.nodes[type(node)] except KeyError: raise ValueError('Sorry, {0} is not available in this evaluator'. format(type(node).__name__)) return handler(node)
eval
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n try:\n handler = self.nodes[type(node)]\n except KeyError:\n raise ValueError('Sorry, {0} is not available in this evaluator'.\n format(type(node).__name__))\n return handler(node)\n", "role": "user" }, { "content": "eval", "role": "assistant" } ]
def x(self, node): if self.floats: return node.n else: return int(node.n)
eval_num
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n if self.floats:\n return node.n\n else:\n return int(node.n)\n", "role": "user" }, { "content": "eval_num", "role": "assistant" } ]
def x(self, node): return self.operators[type(node.op)](self._eval(node.operand))
eval_unaryop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n return self.operators[type(node.op)](self._eval(node.operand))\n", "role": "user" }, { "content": "eval_unaryop", "role": "assistant" } ]
def x(self, node): return self.operators[type(node.op)](self._eval(node.left), self._eval( node.right))
eval_binop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n return self.operators[type(node.op)](self._eval(node.left), self._eval(\n node.right))\n", "role": "user" }, { "content": "eval_binop", "role": "assistant" } ]
def x(self, node): try: func = self.functions[node.func.id] except KeyError: raise NameError(node.func.id) value = func(*(self._eval(a) for a in node.args), **dict(self._eval(k) for k in node.keywords)) if value is True: return 1 elif value is False: return 0 else: return value
eval_call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node):\n try:\n func = self.functions[node.func.id]\n except KeyError:\n raise NameError(node.func.id)\n value = func(*(self._eval(a) for a in node.args), **dict(self._eval(k) for\n k in node.keywords))\n if value is True:\n return 1\n elif value is False:\n return 0\n else:\n return value\n", "role": "user" }, { "content": "eval_call", "role": "assistant" } ]
def x(self): roll = roll_dice(self.roll, floats=self.floats, functions=self.functions) self._last_roll = roll[0] self._last_explanation = roll[1] return self.last_roll, self.last_explanation
roll_dice
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n roll = roll_dice(self.roll, floats=self.floats, functions=self.functions)\n self._last_roll = roll[0]\n self._last_explanation = roll[1]\n return self.last_roll, self.last_explanation\n", "role": "user" }, { "content": "roll_dice", "role": "assistant" } ]
def x(self, value): if type(value) != str: raise TypeError('Dice roll must be a string in dice notation') try: roll_dice(value) except Exception as e: raise ValueError( 'Dice roll specified was not a valid diceroll.\n%s\n' % str(e)) else: self._roll = value
roll
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if type(value) != str:\n raise TypeError('Dice roll must be a string in dice notation')\n try:\n roll_dice(value)\n except Exception as e:\n raise ValueError(\n 'Dice roll specified was not a valid diceroll.\\n%s\\n' % str(e))\n else:\n self._roll = value\n", "role": "user" }, { "content": "roll", "role": "assistant" } ]
def x(files, temp_folder, arg=''): parser = get_parser() args = parser.parse_args(arg.split()) py_files = filter_python_files(files) if args.ignore: orig_file_list = original_files(py_files, temp_folder) py_files = set(orig_file_list) - set(args.ignore) py_files = [(temp_folder + f) for f in py_files] return check_files(py_files).value()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder, arg=''):\n parser = get_parser()\n args = parser.parse_args(arg.split())\n py_files = filter_python_files(files)\n if args.ignore:\n orig_file_list = original_files(py_files, temp_folder)\n py_files = set(orig_file_list) - set(args.ignore)\n py_files = [(temp_folder + f) for f in py_files]\n return check_files(py_files).value()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(): checkers_dir = os.path.dirname(checkers.__file__) mod_names = [name for _, name, _ in pkgutil.iter_modules([checkers_dir])] for name in mod_names: mod = importlib.import_module('checkers.{0}'.format(name)) if isinstance(getattr(mod, 'run', None), types.FunctionType): yield getattr(mod, 'CHECK_NAME', name), mod
checks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n checkers_dir = os.path.dirname(checkers.__file__)\n mod_names = [name for _, name, _ in pkgutil.iter_modules([checkers_dir])]\n for name in mod_names:\n mod = importlib.import_module('checkers.{0}'.format(name))\n if isinstance(getattr(mod, 'run', None), types.FunctionType):\n yield getattr(mod, 'CHECK_NAME', name), mod\n", "role": "user" }, { "content": "checks", "role": "assistant" } ]
def x(commit_only): global TEMP_FOLDER safe_directory = tempfile.mkdtemp() TEMP_FOLDER = safe_directory files = get_files(commit_only=commit_only, copy_dest=safe_directory) try: yield files finally: shutil.rmtree(safe_directory)
files_to_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commit_only):\n global TEMP_FOLDER\n safe_directory = tempfile.mkdtemp()\n TEMP_FOLDER = safe_directory\n files = get_files(commit_only=commit_only, copy_dest=safe_directory)\n try:\n yield files\n finally:\n shutil.rmtree(safe_directory)\n", "role": "user" }, { "content": "files_to_check", "role": "assistant" } ]
def x(commit_only=True): global TEMP_FOLDER exit_code = 0 hook_checks = HookConfig(get_config_file()) with files_to_check(commit_only) as files: for name, mod in checks(): default = getattr(mod, 'DEFAULT', 'off') if hook_checks.is_enabled(name, default=default): if hasattr(mod, 'REQUIRED_FILES'): for filename in mod.REQUIRED_FILES: if os.path.isfile(filename): try: shutil.copy(filename, TEMP_FOLDER) except shutil.Error: continue args = hook_checks.arguments(name) tmp_files = [os.path.join(TEMP_FOLDER, f) for f in files] if args: errors = mod.run(tmp_files, TEMP_FOLDER, args) else: errors = mod.run(tmp_files, TEMP_FOLDER) if errors: title_print('Checking {0}'.format(name)) print(errors.replace(TEMP_FOLDER + '/', '')) print('') exit_code = 1 if exit_code == 1: title_print('Rejecting commit') return exit_code
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commit_only=True):\n global TEMP_FOLDER\n exit_code = 0\n hook_checks = HookConfig(get_config_file())\n with files_to_check(commit_only) as files:\n for name, mod in checks():\n default = getattr(mod, 'DEFAULT', 'off')\n if hook_checks.is_enabled(name, default=default):\n if hasattr(mod, 'REQUIRED_FILES'):\n for filename in mod.REQUIRED_FILES:\n if os.path.isfile(filename):\n try:\n shutil.copy(filename, TEMP_FOLDER)\n except shutil.Error:\n continue\n args = hook_checks.arguments(name)\n tmp_files = [os.path.join(TEMP_FOLDER, f) for f in files]\n if args:\n errors = mod.run(tmp_files, TEMP_FOLDER, args)\n else:\n errors = mod.run(tmp_files, TEMP_FOLDER)\n if errors:\n title_print('Checking {0}'.format(name))\n print(errors.replace(TEMP_FOLDER + '/', ''))\n print('')\n exit_code = 1\n if exit_code == 1:\n title_print('Rejecting commit')\n return exit_code\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(commit_only=True, copy_dest=None): if commit_only: real_files = bash( "git diff --cached --name-status | grep -v -E '^D' | awk '{ print ( $(NF) ) }' " ).value().strip() else: real_files = bash('git ls-tree --name-only --full-tree -r HEAD').value( ).strip() if real_files: return create_fake_copies(real_files.split('\n'), copy_dest) return []
get_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commit_only=True, copy_dest=None):\n if commit_only:\n real_files = bash(\n \"git diff --cached --name-status | grep -v -E '^D' | awk '{ print ( $(NF) ) }' \"\n ).value().strip()\n else:\n real_files = bash('git ls-tree --name-only --full-tree -r HEAD').value(\n ).strip()\n if real_files:\n return create_fake_copies(real_files.split('\\n'), copy_dest)\n return []\n", "role": "user" }, { "content": "get_files", "role": "assistant" } ]
def x(files, destination): dest_files = [] for filename in files: leaf_dest_folder = os.path.join(destination, os.path.dirname(filename)) if not os.path.exists(leaf_dest_folder): os.makedirs(leaf_dest_folder) dest_file = os.path.join(destination, filename) bash('git show :{filename} > {dest_file}'.format(filename=filename, dest_file=dest_file)) dest_files.append(os.path.realpath(dest_file)) return dest_files
create_fake_copies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, destination):\n dest_files = []\n for filename in files:\n leaf_dest_folder = os.path.join(destination, os.path.dirname(filename))\n if not os.path.exists(leaf_dest_folder):\n os.makedirs(leaf_dest_folder)\n dest_file = os.path.join(destination, filename)\n bash('git show :{filename} > {dest_file}'.format(filename=filename,\n dest_file=dest_file))\n dest_files.append(os.path.realpath(dest_file))\n return dest_files\n", "role": "user" }, { "content": "create_fake_copies", "role": "assistant" } ]
def x(files): py_files = [] for f in files: extension = os.path.splitext(f)[-1] if extension: if extension == '.py': py_files.append(f) elif 'python' in open(f, 'r').readline(): py_files.append(f) elif 'python script' in bash('file {}'.format(f)).value().lower(): py_files.append(f) return py_files
filter_python_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files):\n py_files = []\n for f in files:\n extension = os.path.splitext(f)[-1]\n if extension:\n if extension == '.py':\n py_files.append(f)\n elif 'python' in open(f, 'r').readline():\n py_files.append(f)\n elif 'python script' in bash('file {}'.format(f)).value().lower():\n py_files.append(f)\n return py_files\n", "role": "user" }, { "content": "filter_python_files", "role": "assistant" } ]
def x(self, plugin): conf = self.config.get(plugin, 'default;').split(';') if len(conf) == 1: conf.append('') return tuple(conf)
configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, plugin):\n conf = self.config.get(plugin, 'default;').split(';')\n if len(conf) == 1:\n conf.append('')\n return tuple(conf)\n", "role": "user" }, { "content": "configuration", "role": "assistant" } ]
def x(files, temp_folder): try: import frosted except ImportError: return NO_FROSTED_MSG py_files = filter_python_files(files) cmd = 'frosted {0}'.format(' '.join(py_files)) return bash(cmd).value()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder):\n try:\n import frosted\n except ImportError:\n return NO_FROSTED_MSG\n py_files = filter_python_files(files)\n cmd = 'frosted {0}'.format(' '.join(py_files))\n return bash(cmd).value()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(files, temp_folder): try: import isort except ImportError: return NO_ISORT_MSG py_files = filter_python_files(files) return bash('isort -df --quiet {0}'.format(' '.join(py_files))).value()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder):\n try:\n import isort\n except ImportError:\n return NO_ISORT_MSG\n py_files = filter_python_files(files)\n return bash('isort -df --quiet {0}'.format(' '.join(py_files))).value()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(files, temp_folder, arg=None): parser = get_parser() argos = parser.parse_args(arg.split()) current_branch = bash('git symbolic-ref HEAD').value() current_branch = current_branch.replace('refs/heads/', '').strip() if current_branch in argos.branches: return "Branch '{0}' is blocked from being committed to.".format( current_branch)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder, arg=None):\n parser = get_parser()\n argos = parser.parse_args(arg.split())\n current_branch = bash('git symbolic-ref HEAD').value()\n current_branch = current_branch.replace('refs/heads/', '').strip()\n if current_branch in argos.branches:\n return \"Branch '{0}' is blocked from being committed to.\".format(\n current_branch)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(files, temp_folder, arg=None): try: import pylint except ImportError: return NO_PYLINT_MSG arg = arg or SCORE py_files = filter_python_files(files) if not py_files: return False str_py_files = ' '.join(py_files) cmd = '{0} {1}'.format(PYLINT_CMD, str_py_files) output = bash(cmd).value() if 'rated' not in output: return False score = float(re.search('(\\d.\\d\\d)/10', output).group(1)) if score >= float(arg): return False return ('Pylint appreciated your {0} as {1},required threshold is {2}'. format(PYLINT_TARGET, score, arg))
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder, arg=None):\n try:\n import pylint\n except ImportError:\n return NO_PYLINT_MSG\n arg = arg or SCORE\n py_files = filter_python_files(files)\n if not py_files:\n return False\n str_py_files = ' '.join(py_files)\n cmd = '{0} {1}'.format(PYLINT_CMD, str_py_files)\n output = bash(cmd).value()\n if 'rated' not in output:\n return False\n score = float(re.search('(\\\\d.\\\\d\\\\d)/10', output).group(1))\n if score >= float(arg):\n return False\n return ('Pylint appreciated your {0} as {1},required threshold is {2}'.\n format(PYLINT_TARGET, score, arg))\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(files, temp_folder): errors = [] for py_file in filter_python_files(files): b = bash('python3 -m py_compile {0}'.format(py_file)) if b.stderr: b = bash('2to3-2.7 {file}'.format(file=py_file)) errors.append(b.value()) return '\n'.join(errors)
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder):\n errors = []\n for py_file in filter_python_files(files):\n b = bash('python3 -m py_compile {0}'.format(py_file))\n if b.stderr:\n b = bash('2to3-2.7 {file}'.format(file=py_file))\n errors.append(b.value())\n return '\\n'.join(errors)\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(files, temp_folder): try: import flake8 except ImportError: return NO_FLAKE_MSG try: from flake8.engine import get_style_guide except ImportError: from flake8.api.legacy import get_style_guide py_files = filter_python_files(files) if not py_files: return DEFAULT_CONFIG = join(temp_folder, get_config_file()) with change_folder(temp_folder): flake8_style = get_style_guide(config_file=DEFAULT_CONFIG) out, err = StringIO(), StringIO() with redirected(out, err): flake8_style.check_files(py_files) return out.getvalue().strip() + err.getvalue().strip()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(files, temp_folder):\n try:\n import flake8\n except ImportError:\n return NO_FLAKE_MSG\n try:\n from flake8.engine import get_style_guide\n except ImportError:\n from flake8.api.legacy import get_style_guide\n py_files = filter_python_files(files)\n if not py_files:\n return\n DEFAULT_CONFIG = join(temp_folder, get_config_file())\n with change_folder(temp_folder):\n flake8_style = get_style_guide(config_file=DEFAULT_CONFIG)\n out, err = StringIO(), StringIO()\n with redirected(out, err):\n flake8_style.check_files(py_files)\n return out.getvalue().strip() + err.getvalue().strip()\n", "role": "user" }, { "content": "run", "role": "assistant" } ]
def x(w, i, player, opponent, grid=None): grid = grid or empty_grid while True: w.render_to_terminal(w.array_from_text(view(grid))) if is_won(grid): print(whose_move(grid), 'wins.') break if not successors(grid): print('A draw.') break grid = player(w, i, grid) player, opponent = opponent, player
tictactoe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, i, player, opponent, grid=None):\n grid = grid or empty_grid\n while True:\n w.render_to_terminal(w.array_from_text(view(grid)))\n if is_won(grid):\n print(whose_move(grid), 'wins.')\n break\n if not successors(grid):\n print('A draw.')\n break\n grid = player(w, i, grid)\n player, opponent = opponent, player\n", "role": "user" }, { "content": "tictactoe", "role": "assistant" } ]
def x(f): table = {} def x(*args): try: return table[args] except KeyError: table[args] = value = f(*args) return value return memo_f
memo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n table = {}\n\n def x(*args):\n try:\n return table[args]\n except KeyError:\n table[args] = value = f(*args)\n return value\n return memo_f\n", "role": "user" }, { "content": "memo", "role": "assistant" } ]
def x(w, i, grid): plaint = '' prompt = whose_move(grid) + ' move? [1-9] ' while True: w.render_to_terminal(w.array_from_text(view(grid) + '\n\n' + plaint + prompt)) key = c = i.next() try: move = int(key) except ValueError: pass else: if 1 <= move <= 9: successor = apply_move(grid, from_human_move(move)) if successor: return successor plaint = "Hey, that's illegal. Give me one of these digits:\n\n" + ( grid_format % tuple(move if apply_move(grid, from_human_move( move)) else '-' for move in range(1, 10)) + '\n\n')
human_play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, i, grid):\n plaint = ''\n prompt = whose_move(grid) + ' move? [1-9] '\n while True:\n w.render_to_terminal(w.array_from_text(view(grid) + '\\n\\n' + plaint +\n prompt))\n key = c = i.next()\n try:\n move = int(key)\n except ValueError:\n pass\n else:\n if 1 <= move <= 9:\n successor = apply_move(grid, from_human_move(move))\n if successor:\n return successor\n plaint = \"Hey, that's illegal. Give me one of these digits:\\n\\n\" + (\n grid_format % tuple(move if apply_move(grid, from_human_move(\n move)) else '-' for move in range(1, 10)) + '\\n\\n')\n", "role": "user" }, { "content": "human_play", "role": "assistant" } ]
def x(w, i, grid): return min(successors(grid), key=lambda succ: (evaluate(succ), drunk_value(succ)))
max_play
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(w, i, grid):\n return min(successors(grid), key=lambda succ: (evaluate(succ),\n drunk_value(succ)))\n", "role": "user" }, { "content": "max_play", "role": "assistant" } ]
def x(grid): if is_won(grid): return -1 succs = successors(grid) return -average(map(drunk_value, succs)) if succs else 0
drunk_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid):\n if is_won(grid):\n return -1\n succs = successors(grid)\n return -average(map(drunk_value, succs)) if succs else 0\n", "role": "user" }, { "content": "drunk_value", "role": "assistant" } ]
def x(grid): if is_won(grid): return -1 succs = successors(grid) return -min(map(evaluate, succs)) if succs else 0
evaluate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid):\n if is_won(grid):\n return -1\n succs = successors(grid)\n return -min(map(evaluate, succs)) if succs else 0\n", "role": "user" }, { "content": "evaluate", "role": "assistant" } ]
def x(grid): p, q = grid return any(way == way & q for way in ways_to_win)
is_won
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid):\n p, q = grid\n return any(way == way & q for way in ways_to_win)\n", "role": "user" }, { "content": "is_won", "role": "assistant" } ]
def x(grid, move): p, q = grid bit = 1 << move return (q, p | bit) if 0 == bit & (p | q) else None
apply_move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid, move):\n p, q = grid\n bit = 1 << move\n return (q, p | bit) if 0 == bit & (p | q) else None\n", "role": "user" }, { "content": "apply_move", "role": "assistant" } ]
def x(grid): p, q = grid return 'XO' if sum(player_bits(p)) == sum(player_bits(q)) else 'OX'
player_marks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid):\n p, q = grid\n return 'XO' if sum(player_bits(p)) == sum(player_bits(q)) else 'OX'\n", "role": "user" }, { "content": "player_marks", "role": "assistant" } ]
def x(grid): p_mark, q_mark = player_marks(grid) return grid_format % tuple(p_mark if by_p else q_mark if by_q else '.' for by_p, by_q in zip(*map(player_bits, grid)))
view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(grid):\n p_mark, q_mark = player_marks(grid)\n return grid_format % tuple(p_mark if by_p else q_mark if by_q else '.' for\n by_p, by_q in zip(*map(player_bits, grid)))\n", "role": "user" }, { "content": "view", "role": "assistant" } ]
def x(filename, solutionmatrix=False, status=False, sdp=None): primal = None dual = None x_mat = None y_mat = None status_string = None with open(filename, 'r') as file_: for line in file_: if line.find('objValPrimal') > -1: primal = float(line.split()[2]) if line.find('objValDual') > -1: dual = float(line.split()[2]) if solutionmatrix: if line.find('xMat =') > -1: x_mat = parse_solution_matrix(file_) if line.find('yMat =') > -1: y_mat = parse_solution_matrix(file_) if line.find('phase.value') > -1: if line.find('pdOPT') > -1: status_string = 'optimal' elif line.find('pFEAS') > -1: status_string = 'primal feasible' elif line.find('pdFEAS') > -1: status_string = 'primal-dual feasible' elif line.find('dFEAS') > -1: status_string = 'dual feasible' elif line.find('INF') > -1: status_string = 'infeasible' elif line.find('UNBD') > -1: status_string = 'unbounded' else: status_string = 'unknown' for var in [primal, dual, status_string]: if var is None: status_string = 'invalid' break if solutionmatrix: for var in [x_mat, y_mat]: if var is None: status_string = 'invalid' break if sdp is not None: sdp.primal = primal sdp.dual = dual sdp.x_mat = x_mat sdp.y_mat = y_mat sdp.status = status_string if solutionmatrix and status: return primal, dual, x_mat, y_mat, status_string elif solutionmatrix: return primal, dual, x_mat, y_mat elif status: return primal, dual, status_string else: return primal, dual
read_sdpa_out
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename, solutionmatrix=False, status=False, sdp=None):\n primal = None\n dual = None\n x_mat = None\n y_mat = None\n status_string = None\n with open(filename, 'r') as file_:\n for line in file_:\n if line.find('objValPrimal') > -1:\n primal = float(line.split()[2])\n if line.find('objValDual') > -1:\n dual = float(line.split()[2])\n if solutionmatrix:\n if line.find('xMat =') > -1:\n x_mat = parse_solution_matrix(file_)\n if line.find('yMat =') > -1:\n y_mat = parse_solution_matrix(file_)\n if line.find('phase.value') > -1:\n if line.find('pdOPT') > -1:\n status_string = 'optimal'\n elif line.find('pFEAS') > -1:\n status_string = 'primal feasible'\n elif line.find('pdFEAS') > -1:\n status_string = 'primal-dual feasible'\n elif line.find('dFEAS') > -1:\n status_string = 'dual feasible'\n elif line.find('INF') > -1:\n status_string = 'infeasible'\n elif line.find('UNBD') > -1:\n status_string = 'unbounded'\n else:\n status_string = 'unknown'\n for var in [primal, dual, status_string]:\n if var is None:\n status_string = 'invalid'\n break\n if solutionmatrix:\n for var in [x_mat, y_mat]:\n if var is None:\n status_string = 'invalid'\n break\n if sdp is not None:\n sdp.primal = primal\n sdp.dual = dual\n sdp.x_mat = x_mat\n sdp.y_mat = y_mat\n sdp.status = status_string\n if solutionmatrix and status:\n return primal, dual, x_mat, y_mat, status_string\n elif solutionmatrix:\n return primal, dual, x_mat, y_mat\n elif status:\n return primal, dual, status_string\n else:\n return primal, dual\n", "role": "user" }, { "content": "read_sdpa_out", "role": "assistant" } ]
def x(sdp, solverparameters=None): solverexecutable = detect_sdpa(solverparameters) if solverexecutable is None: raise OSError( 'SDPA is not in the path or the executable provided is' + ' not correct') primal, dual = 0, 0 tempfile_ = tempfile.NamedTemporaryFile() tmp_filename = tempfile_.name tempfile_.close() tmp_dats_filename = tmp_filename + '.dat-s' tmp_out_filename = tmp_filename + '.out' write_to_sdpa(sdp, tmp_dats_filename) command_line = [solverexecutable, '-ds', tmp_dats_filename, '-o', tmp_out_filename] if solverparameters is not None: for key, value in list(solverparameters.items()): if key == 'executable': continue elif key == 'paramsfile': command_line.extend(['-p', value]) else: raise ValueError('Unknown parameter for SDPA: ' + key) if sdp.verbose < 1: with open(os.devnull, 'w') as fnull: call(command_line, stdout=fnull, stderr=fnull) else: call(command_line) primal, dual, x_mat, y_mat, status = read_sdpa_out(tmp_out_filename, True, True) if sdp.verbose < 2: os.remove(tmp_dats_filename) os.remove(tmp_out_filename) return (primal + sdp.constant_term, dual + sdp.constant_term, x_mat, y_mat, status)
solve_with_sdpa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, solverparameters=None):\n solverexecutable = detect_sdpa(solverparameters)\n if solverexecutable is None:\n raise OSError(\n 'SDPA is not in the path or the executable provided is' +\n ' not correct')\n primal, dual = 0, 0\n tempfile_ = tempfile.NamedTemporaryFile()\n tmp_filename = tempfile_.name\n tempfile_.close()\n tmp_dats_filename = tmp_filename + '.dat-s'\n tmp_out_filename = tmp_filename + '.out'\n write_to_sdpa(sdp, tmp_dats_filename)\n command_line = [solverexecutable, '-ds', tmp_dats_filename, '-o',\n tmp_out_filename]\n if solverparameters is not None:\n for key, value in list(solverparameters.items()):\n if key == 'executable':\n continue\n elif key == 'paramsfile':\n command_line.extend(['-p', value])\n else:\n raise ValueError('Unknown parameter for SDPA: ' + key)\n if sdp.verbose < 1:\n with open(os.devnull, 'w') as fnull:\n call(command_line, stdout=fnull, stderr=fnull)\n else:\n call(command_line)\n primal, dual, x_mat, y_mat, status = read_sdpa_out(tmp_out_filename, \n True, True)\n if sdp.verbose < 2:\n os.remove(tmp_dats_filename)\n os.remove(tmp_out_filename)\n return (primal + sdp.constant_term, dual + sdp.constant_term, x_mat,\n y_mat, status)\n", "role": "user" }, { "content": "solve_with_sdpa", "role": "assistant" } ]
def x(block_struct, row_offsets, row): block_index = bisect_left(row_offsets[1:], row + 1) width = block_struct[block_index] row = row - row_offsets[block_index] i, j = divmod(row, width) return block_index, i, j
convert_row_to_sdpa_index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(block_struct, row_offsets, row):\n block_index = bisect_left(row_offsets[1:], row + 1)\n width = block_struct[block_index]\n row = row - row_offsets[block_index]\n i, j = divmod(row, width)\n return block_index, i, j\n", "role": "user" }, { "content": "convert_row_to_sdpa_index", "role": "assistant" } ]
def x(sdp, filename): row_offsets = [0] cumulative_sum = 0 for block_size in sdp.block_struct: cumulative_sum += block_size ** 2 row_offsets.append(cumulative_sum) multiplier = 1 if sdp.F.dtype == np.complex128: multiplier = 2 lines = [[] for _ in range(multiplier * sdp.n_vars + 1)] for row in range(len(sdp.F.rows)): if len(sdp.F.rows[row]) > 0: col_index = 0 block_index, i, j = convert_row_to_sdpa_index(sdp.block_struct, row_offsets, row) for k in sdp.F.rows[row]: value = sdp.F.data[row][col_index] col_index += 1 if k == 0: value *= -1 if sdp.F.dtype == np.float64: lines[k].append('{0}\t{1}\t{2}\t{3}\n'.format( block_index + 1, i + 1, j + 1, value)) else: bs = sdp.block_struct[block_index] if value.real != 0: lines[k].append('{0}\t{1}\t{2}\t{3}\n'.format( block_index + 1, i + 1, j + 1, value.real)) lines[k].append('{0}\t{1}\t{2}\t{3}\n'.format( block_index + 1, i + bs + 1, j + bs + 1, value. real)) if value.imag != 0: lines[k + sdp.n_vars].append('{0}\t{1}\t{2}\t{3}\n' .format(block_index + 1, i + 1, j + bs + 1, value.imag)) lines[k + sdp.n_vars].append('{0}\t{1}\t{2}\t{3}\n' .format(block_index + 1, j + 1, i + bs + 1, - value.imag)) file_ = open(filename, 'w') file_.write('"file ' + filename + ' generated by ncpol2sdpa"\n') file_.write(str(multiplier * sdp.n_vars) + ' = number of vars\n') block_struct = [(multiplier * blk_size) for blk_size in sdp.block_struct] file_.write(str(len(block_struct)) + ' = number of blocs\n') file_.write(str(block_struct).replace('[', '(').replace(']', ')')) file_.write(' = BlocStructure\n') objective = str(list(sdp.obj_facvar)).replace('[', '').replace(']', '') if multiplier == 2: objective += ', ' + objective file_.write('{' + objective + '}\n') for k, line in enumerate(lines): if line == []: continue for item in line: file_.write('{0}\t'.format(k) + item) file_.close()
write_to_sdpa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, filename):\n row_offsets = [0]\n cumulative_sum = 0\n for block_size in sdp.block_struct:\n cumulative_sum += block_size ** 2\n row_offsets.append(cumulative_sum)\n multiplier = 1\n if sdp.F.dtype == np.complex128:\n multiplier = 2\n lines = [[] for _ in range(multiplier * sdp.n_vars + 1)]\n for row in range(len(sdp.F.rows)):\n if len(sdp.F.rows[row]) > 0:\n col_index = 0\n block_index, i, j = convert_row_to_sdpa_index(sdp.block_struct,\n row_offsets, row)\n for k in sdp.F.rows[row]:\n value = sdp.F.data[row][col_index]\n col_index += 1\n if k == 0:\n value *= -1\n if sdp.F.dtype == np.float64:\n lines[k].append('{0}\\t{1}\\t{2}\\t{3}\\n'.format(\n block_index + 1, i + 1, j + 1, value))\n else:\n bs = sdp.block_struct[block_index]\n if value.real != 0:\n lines[k].append('{0}\\t{1}\\t{2}\\t{3}\\n'.format(\n block_index + 1, i + 1, j + 1, value.real))\n lines[k].append('{0}\\t{1}\\t{2}\\t{3}\\n'.format(\n block_index + 1, i + bs + 1, j + bs + 1, value.\n real))\n if value.imag != 0:\n lines[k + sdp.n_vars].append('{0}\\t{1}\\t{2}\\t{3}\\n'\n .format(block_index + 1, i + 1, j + bs + 1,\n value.imag))\n lines[k + sdp.n_vars].append('{0}\\t{1}\\t{2}\\t{3}\\n'\n .format(block_index + 1, j + 1, i + bs + 1, -\n value.imag))\n file_ = open(filename, 'w')\n file_.write('\"file ' + filename + ' generated by ncpol2sdpa\"\\n')\n file_.write(str(multiplier * sdp.n_vars) + ' = number of vars\\n')\n block_struct = [(multiplier * blk_size) for blk_size in sdp.block_struct]\n file_.write(str(len(block_struct)) + ' = number of blocs\\n')\n file_.write(str(block_struct).replace('[', '(').replace(']', ')'))\n file_.write(' = BlocStructure\\n')\n objective = str(list(sdp.obj_facvar)).replace('[', '').replace(']', '')\n if multiplier == 2:\n objective += ', ' + objective\n file_.write('{' + objective + '}\\n')\n for k, line in enumerate(lines):\n if line == []:\n continue\n for item in line:\n file_.write('{0}\\t'.format(k) + item)\n file_.close()\n", "role": "user" }, { "content": "write_to_sdpa", "role": "assistant" } ]
def x(sdp): objective = '' indices_in_objective = [] for i, tmp in enumerate(sdp.obj_facvar): candidates = [key for key, v in sdp.monomial_index.items() if v == i + 1] if len(candidates) > 0: monomial = convert_monomial_to_string(candidates[0]) else: monomial = '' if tmp > 0: objective += '+' + str(tmp) + monomial indices_in_objective.append(i) elif tmp < 0: objective += str(tmp) + monomial indices_in_objective.append(i) matrix_size = 0 cumulative_sum = 0 row_offsets = [0] block_offset = [0] for bs in sdp.block_struct: matrix_size += abs(bs) cumulative_sum += bs ** 2 row_offsets.append(cumulative_sum) block_offset.append(matrix_size) matrix = [] for i in range(matrix_size): matrix_line = ['0'] * matrix_size matrix.append(matrix_line) for row in range(len(sdp.F.rows)): if len(sdp.F.rows[row]) > 0: col_index = 0 for k in sdp.F.rows[row]: value = sdp.F.data[row][col_index] col_index += 1 block_index, i, j = convert_row_to_sdpa_index(sdp. block_struct, row_offsets, row) candidates = [key for key, v in sdp.monomial_index.items() if v == k] if len(candidates) > 0: monomial = convert_monomial_to_string(candidates[0]) else: monomial = '' offset = block_offset[block_index] if matrix[offset + i][offset + j] == '0': matrix[offset + i][offset + j] = '%s%s' % (value, monomial) elif value.real > 0: matrix[offset + i][offset + j] += '+%s%s' % (value, monomial) else: matrix[offset + i][offset + j] += '%s%s' % (value, monomial ) return objective, matrix
convert_to_human_readable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp):\n objective = ''\n indices_in_objective = []\n for i, tmp in enumerate(sdp.obj_facvar):\n candidates = [key for key, v in sdp.monomial_index.items() if v == \n i + 1]\n if len(candidates) > 0:\n monomial = convert_monomial_to_string(candidates[0])\n else:\n monomial = ''\n if tmp > 0:\n objective += '+' + str(tmp) + monomial\n indices_in_objective.append(i)\n elif tmp < 0:\n objective += str(tmp) + monomial\n indices_in_objective.append(i)\n matrix_size = 0\n cumulative_sum = 0\n row_offsets = [0]\n block_offset = [0]\n for bs in sdp.block_struct:\n matrix_size += abs(bs)\n cumulative_sum += bs ** 2\n row_offsets.append(cumulative_sum)\n block_offset.append(matrix_size)\n matrix = []\n for i in range(matrix_size):\n matrix_line = ['0'] * matrix_size\n matrix.append(matrix_line)\n for row in range(len(sdp.F.rows)):\n if len(sdp.F.rows[row]) > 0:\n col_index = 0\n for k in sdp.F.rows[row]:\n value = sdp.F.data[row][col_index]\n col_index += 1\n block_index, i, j = convert_row_to_sdpa_index(sdp.\n block_struct, row_offsets, row)\n candidates = [key for key, v in sdp.monomial_index.items() if\n v == k]\n if len(candidates) > 0:\n monomial = convert_monomial_to_string(candidates[0])\n else:\n monomial = ''\n offset = block_offset[block_index]\n if matrix[offset + i][offset + j] == '0':\n matrix[offset + i][offset + j] = '%s%s' % (value, monomial)\n elif value.real > 0:\n matrix[offset + i][offset + j] += '+%s%s' % (value,\n monomial)\n else:\n matrix[offset + i][offset + j] += '%s%s' % (value, monomial\n )\n return objective, matrix\n", "role": "user" }, { "content": "convert_to_human_readable", "role": "assistant" } ]
def x(sdp, filename): objective, matrix = convert_to_human_readable(sdp) f = open(filename, 'w') f.write('Objective:' + objective + '\n') for matrix_line in matrix: f.write(str(list(matrix_line)).replace('[', '').replace(']', ''). replace("'", '')) f.write('\n') f.close()
write_to_human_readable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, filename):\n objective, matrix = convert_to_human_readable(sdp)\n f = open(filename, 'w')\n f.write('Objective:' + objective + '\\n')\n for matrix_line in matrix:\n f.write(str(list(matrix_line)).replace('[', '').replace(']', '').\n replace(\"'\", ''))\n f.write('\\n')\n f.close()\n", "role": "user" }, { "content": "write_to_human_readable", "role": "assistant" } ]
def x(): with Input() as input_generator: def x(string): print('got extra bytes', repr(string)) print('type:', type(string)) input_generator.unget_bytes(string) time.sleep(1) with CursorAwareWindow(extra_bytes_callback=extra_bytes_callback ) as window: window.get_cursor_position() for e in input_generator: print(repr(e))
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n with Input() as input_generator:\n\n def x(string):\n print('got extra bytes', repr(string))\n print('type:', type(string))\n input_generator.unget_bytes(string)\n time.sleep(1)\n with CursorAwareWindow(extra_bytes_callback=extra_bytes_callback\n ) as window:\n window.get_cursor_position()\n for e in input_generator:\n print(repr(e))\n", "role": "user" }, { "content": "main", "role": "assistant" } ]
def x(url, access_key=None, secret_key=None): nonce = nounce() url = url message = nonce + url signature = hmac.new(secret_key.encode('utf-8'), message.encode('utf-8' ), hashlib.sha256).hexdigest() headers = {'ACCESS-KEY': access_key, 'ACCESS-NONCE': nonce, 'ACCESS-SIGNATURE': signature} return headers
make_header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url, access_key=None, secret_key=None):\n nonce = nounce()\n url = url\n message = nonce + url\n signature = hmac.new(secret_key.encode('utf-8'), message.encode('utf-8'\n ), hashlib.sha256).hexdigest()\n headers = {'ACCESS-KEY': access_key, 'ACCESS-NONCE': nonce,\n 'ACCESS-SIGNATURE': signature}\n return headers\n", "role": "user" }, { "content": "make_header", "role": "assistant" } ]
def x(self, string): self.unprocessed_bytes.extend(string[i:i + 1] for i in range(len(string)))
unget_bytes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, string):\n self.unprocessed_bytes.extend(string[i:i + 1] for i in range(len(string)))\n", "role": "user" }, { "content": "unget_bytes", "role": "assistant" } ]
def x(self, timeout): remaining_timeout = timeout t0 = time.time() while True: try: rs, _, _ = select.select([self.in_stream.fileno()] + self. readers, [], [], remaining_timeout) if not rs: return False, None r = rs[0] if r == self.in_stream.fileno(): return True, None else: os.read(r, 1024) if self.queued_interrupting_events: return False, self.queued_interrupting_events.pop(0) elif remaining_timeout is not None: remaining_timeout = max(0, t0 + timeout - time.time()) continue else: continue except select.error: if self.sigints: return False, self.sigints.pop() if remaining_timeout is not None: remaining_timeout = max(timeout - (time.time() - t0), 0)
wait_for_read_ready_or_timeout
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout):\n remaining_timeout = timeout\n t0 = time.time()\n while True:\n try:\n rs, _, _ = select.select([self.in_stream.fileno()] + self.\n readers, [], [], remaining_timeout)\n if not rs:\n return False, None\n r = rs[0]\n if r == self.in_stream.fileno():\n return True, None\n else:\n os.read(r, 1024)\n if self.queued_interrupting_events:\n return False, self.queued_interrupting_events.pop(0)\n elif remaining_timeout is not None:\n remaining_timeout = max(0, t0 + timeout - time.time())\n continue\n else:\n continue\n except select.error:\n if self.sigints:\n return False, self.sigints.pop()\n if remaining_timeout is not None:\n remaining_timeout = max(timeout - (time.time() - t0), 0)\n", "role": "user" }, { "content": "wait_for_read_ready_or_timeout", "role": "assistant" } ]
def x(self, timeout=None): if self.sigint_event and is_main_thread(): with ReplacedSigIntHandler(self.sigint_handler): return self._send(timeout) else: return self._send(timeout)
send
[ { "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 if self.sigint_event and is_main_thread():\n with ReplacedSigIntHandler(self.sigint_handler):\n return self._send(timeout)\n else:\n return self._send(timeout)\n", "role": "user" }, { "content": "send", "role": "assistant" } ]
def x(self): with Nonblocking(self.in_stream): if PY3: try: data = os.read(self.in_stream.fileno(), READ_SIZE) except BlockingIOError: return 0 if data: self.unprocessed_bytes.extend(data[i:i + 1] for i in range( len(data))) return len(data) else: return 0 else: try: data = os.read(self.in_stream.fileno(), READ_SIZE) except OSError: return 0 else: self.unprocessed_bytes.extend(data) return len(data)
nonblocking_read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n with Nonblocking(self.in_stream):\n if PY3:\n try:\n data = os.read(self.in_stream.fileno(), READ_SIZE)\n except BlockingIOError:\n return 0\n if data:\n self.unprocessed_bytes.extend(data[i:i + 1] for i in range(\n len(data)))\n return len(data)\n else:\n return 0\n else:\n try:\n data = os.read(self.in_stream.fileno(), READ_SIZE)\n except OSError:\n return 0\n else:\n self.unprocessed_bytes.extend(data)\n return len(data)\n", "role": "user" }, { "content": "nonblocking_read", "role": "assistant" } ]
def x(self, event_type): def x(**kwargs): self.queued_events.append(event_type(**kwargs)) return callback
event_trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_type):\n\n def x(**kwargs):\n self.queued_events.append(event_type(**kwargs))\n return callback\n", "role": "user" }, { "content": "event_trigger", "role": "assistant" } ]
def x(self, event_type): def x(when, **kwargs): self.queued_scheduled_events.append((when, event_type(when=when, ** kwargs))) return callback
scheduled_event_trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_type):\n\n def x(when, **kwargs):\n self.queued_scheduled_events.append((when, event_type(when=when, **\n kwargs)))\n return callback\n", "role": "user" }, { "content": "scheduled_event_trigger", "role": "assistant" } ]
def x(self, event_type): readfd, writefd = os.pipe() self.readers.append(readfd) def x(**kwargs): self.queued_interrupting_events.append(event_type(**kwargs)) logger.warning('added event to events list %r', self. queued_interrupting_events) os.write(writefd, b'interrupting event!') return callback
threadsafe_event_trigger
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event_type):\n readfd, writefd = os.pipe()\n self.readers.append(readfd)\n\n def x(**kwargs):\n self.queued_interrupting_events.append(event_type(**kwargs))\n logger.warning('added event to events list %r', self.\n queued_interrupting_events)\n os.write(writefd, b'interrupting event!')\n return callback\n", "role": "user" }, { "content": "threadsafe_event_trigger", "role": "assistant" } ]
def x(sdp, solver=None, solverparameters=None): solvers = autodetect_solvers(solverparameters) solver = solver.lower() if solver is not None else solver if solvers == []: raise Exception( 'Could not find any SDP solver. Please install SDPA,' + ' Mosek, Cvxpy, or Picos with Cvxopt') elif solver is not None and solver not in solvers: print('Available solvers: ' + str(solvers)) if solver == 'cvxopt': try: import cvxopt except ImportError: pass else: raise Exception( 'Cvxopt is detected, but Picos is not. Please install Picos to use Cvxopt' ) raise Exception('Could not detect requested ' + solver) elif solver is None: solver = solvers[0] primal, dual, x_mat, y_mat, status = None, None, None, None, None tstart = time.time() if solver == 'sdpa': primal, dual, x_mat, y_mat, status = solve_with_sdpa(sdp, solverparameters) elif solver == 'cvxpy': primal, dual, x_mat, y_mat, status = solve_with_cvxpy(sdp, solverparameters) elif solver == 'scs': if solverparameters is None: solverparameters_ = {'solver': 'SCS'} else: solverparameters_ = solverparameters.copy() solverparameters_['solver'] = 'SCS' primal, dual, x_mat, y_mat, status = solve_with_cvxpy(sdp, solverparameters_) elif solver == 'mosek': primal, dual, x_mat, y_mat, status = solve_with_mosek(sdp, solverparameters) elif solver == 'cvxopt': primal, dual, x_mat, y_mat, status = solve_with_cvxopt(sdp, solverparameters) for constraint in sdp.constraints[sdp._n_inequalities:]: idx = sdp._constraint_to_block_index[constraint] sdp._constraint_to_block_index[constraint] = idx[0], else: raise Exception('Unkown solver: ' + solver) sdp.solution_time = time.time() - tstart sdp.primal = primal sdp.dual = dual sdp.x_mat = x_mat sdp.y_mat = y_mat sdp.status = status return primal, dual, x_mat, y_mat
solve_sdp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, solver=None, solverparameters=None):\n solvers = autodetect_solvers(solverparameters)\n solver = solver.lower() if solver is not None else solver\n if solvers == []:\n raise Exception(\n 'Could not find any SDP solver. Please install SDPA,' +\n ' Mosek, Cvxpy, or Picos with Cvxopt')\n elif solver is not None and solver not in solvers:\n print('Available solvers: ' + str(solvers))\n if solver == 'cvxopt':\n try:\n import cvxopt\n except ImportError:\n pass\n else:\n raise Exception(\n 'Cvxopt is detected, but Picos is not. Please install Picos to use Cvxopt'\n )\n raise Exception('Could not detect requested ' + solver)\n elif solver is None:\n solver = solvers[0]\n primal, dual, x_mat, y_mat, status = None, None, None, None, None\n tstart = time.time()\n if solver == 'sdpa':\n primal, dual, x_mat, y_mat, status = solve_with_sdpa(sdp,\n solverparameters)\n elif solver == 'cvxpy':\n primal, dual, x_mat, y_mat, status = solve_with_cvxpy(sdp,\n solverparameters)\n elif solver == 'scs':\n if solverparameters is None:\n solverparameters_ = {'solver': 'SCS'}\n else:\n solverparameters_ = solverparameters.copy()\n solverparameters_['solver'] = 'SCS'\n primal, dual, x_mat, y_mat, status = solve_with_cvxpy(sdp,\n solverparameters_)\n elif solver == 'mosek':\n primal, dual, x_mat, y_mat, status = solve_with_mosek(sdp,\n solverparameters)\n elif solver == 'cvxopt':\n primal, dual, x_mat, y_mat, status = solve_with_cvxopt(sdp,\n solverparameters)\n for constraint in sdp.constraints[sdp._n_inequalities:]:\n idx = sdp._constraint_to_block_index[constraint]\n sdp._constraint_to_block_index[constraint] = idx[0],\n else:\n raise Exception('Unkown solver: ' + solver)\n sdp.solution_time = time.time() - tstart\n sdp.primal = primal\n sdp.dual = dual\n sdp.x_mat = x_mat\n sdp.y_mat = y_mat\n sdp.status = status\n return primal, dual, x_mat, y_mat\n", "role": "user" }, { "content": "solve_sdp", "role": "assistant" } ]
def x(sdp, xmat=None, baselevel=0): if sdp.status == 'unsolved' and xmat is None: raise Exception('The SDP relaxation is unsolved and no primal ' + 'solution is provided!') elif sdp.status != 'unsolved' and xmat is None: xmat = sdp.x_mat[0] else: xmat = sdp.x_mat[0] if sdp.status == 'unsolved': raise Exception('The SDP relaxation is unsolved!') ranks = [] from numpy.linalg import matrix_rank if baselevel == 0: levels = range(1, sdp.level + 1) else: levels = [baselevel] for level in levels: base_monomials = pick_monomials_up_to_degree(sdp.monomial_sets[0], level) ranks.append(matrix_rank(xmat[:len(base_monomials), :len( base_monomials)])) if xmat.shape != (len(base_monomials), len(base_monomials)): ranks.append(matrix_rank(xmat)) return ranks
find_solution_ranks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, xmat=None, baselevel=0):\n if sdp.status == 'unsolved' and xmat is None:\n raise Exception('The SDP relaxation is unsolved and no primal ' +\n 'solution is provided!')\n elif sdp.status != 'unsolved' and xmat is None:\n xmat = sdp.x_mat[0]\n else:\n xmat = sdp.x_mat[0]\n if sdp.status == 'unsolved':\n raise Exception('The SDP relaxation is unsolved!')\n ranks = []\n from numpy.linalg import matrix_rank\n if baselevel == 0:\n levels = range(1, sdp.level + 1)\n else:\n levels = [baselevel]\n for level in levels:\n base_monomials = pick_monomials_up_to_degree(sdp.monomial_sets[0],\n level)\n ranks.append(matrix_rank(xmat[:len(base_monomials), :len(\n base_monomials)]))\n if xmat.shape != (len(base_monomials), len(base_monomials)):\n ranks.append(matrix_rank(xmat))\n return ranks\n", "role": "user" }, { "content": "find_solution_ranks", "role": "assistant" } ]
def x(sdp, y_mat=None, threshold=0.0): if len(sdp.monomial_sets) != 1: raise Exception('Cannot automatically match primal and dual ' + 'variables.') elif len(sdp.y_mat[1:]) != len(sdp.constraints): raise Exception( 'Cannot automatically match constraints with blocks ' + 'in the dual solution.') elif sdp.status == 'unsolved' and y_mat is None: raise Exception('The SDP relaxation is unsolved and dual solution ' + 'is not provided!') elif sdp.status != 'unsolved' and y_mat is None: y_mat = sdp.y_mat sos = [] for y_mat_block in y_mat: term = 0 vals, vecs = np.linalg.eigh(y_mat_block) for j, val in enumerate(vals): if val < -0.001: raise Exception('Large negative eigenvalue: ' + val + '. Matrix cannot be positive.') elif val > 0: sub_term = 0 for i, entry in enumerate(vecs[:, j]): sub_term += entry * sdp.monomial_sets[0][i] term += val * sub_term ** 2 term = expand(term) new_term = 0 if term.is_Mul: elements = [term] else: elements = term.as_coeff_mul()[1][0].as_coeff_add()[1] for element in elements: _, coeff = separate_scalar_factor(element) if abs(coeff) > threshold: new_term += element sos.append(new_term) return sos
get_sos_decomposition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, y_mat=None, threshold=0.0):\n if len(sdp.monomial_sets) != 1:\n raise Exception('Cannot automatically match primal and dual ' +\n 'variables.')\n elif len(sdp.y_mat[1:]) != len(sdp.constraints):\n raise Exception(\n 'Cannot automatically match constraints with blocks ' +\n 'in the dual solution.')\n elif sdp.status == 'unsolved' and y_mat is None:\n raise Exception('The SDP relaxation is unsolved and dual solution ' +\n 'is not provided!')\n elif sdp.status != 'unsolved' and y_mat is None:\n y_mat = sdp.y_mat\n sos = []\n for y_mat_block in y_mat:\n term = 0\n vals, vecs = np.linalg.eigh(y_mat_block)\n for j, val in enumerate(vals):\n if val < -0.001:\n raise Exception('Large negative eigenvalue: ' + val +\n '. Matrix cannot be positive.')\n elif val > 0:\n sub_term = 0\n for i, entry in enumerate(vecs[:, j]):\n sub_term += entry * sdp.monomial_sets[0][i]\n term += val * sub_term ** 2\n term = expand(term)\n new_term = 0\n if term.is_Mul:\n elements = [term]\n else:\n elements = term.as_coeff_mul()[1][0].as_coeff_add()[1]\n for element in elements:\n _, coeff = separate_scalar_factor(element)\n if abs(coeff) > threshold:\n new_term += element\n sos.append(new_term)\n return sos\n", "role": "user" }, { "content": "get_sos_decomposition", "role": "assistant" } ]
def x(sdp, monomial, blocks=None): if sdp.status == 'unsolved': raise Exception('The SDP relaxation is unsolved!') if blocks is None: blocks = [i for i, _ in enumerate(sdp.block_struct)] if is_number_type(monomial): index = 0 else: index = sdp.monomial_index[monomial] row_offsets = [0] cumulative_sum = 0 for block_size in sdp.block_struct: cumulative_sum += block_size ** 2 row_offsets.append(cumulative_sum) result = 0 for row in range(len(sdp.F.rows)): if len(sdp.F.rows[row]) > 0: col_index = 0 for k in sdp.F.rows[row]: if k != index: continue value = sdp.F.data[row][col_index] col_index += 1 block_index, i, j = convert_row_to_sdpa_index(sdp. block_struct, row_offsets, row) if block_index in blocks: result += -value * sdp.y_mat[block_index][i][j] return result
extract_dual_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sdp, monomial, blocks=None):\n if sdp.status == 'unsolved':\n raise Exception('The SDP relaxation is unsolved!')\n if blocks is None:\n blocks = [i for i, _ in enumerate(sdp.block_struct)]\n if is_number_type(monomial):\n index = 0\n else:\n index = sdp.monomial_index[monomial]\n row_offsets = [0]\n cumulative_sum = 0\n for block_size in sdp.block_struct:\n cumulative_sum += block_size ** 2\n row_offsets.append(cumulative_sum)\n result = 0\n for row in range(len(sdp.F.rows)):\n if len(sdp.F.rows[row]) > 0:\n col_index = 0\n for k in sdp.F.rows[row]:\n if k != index:\n continue\n value = sdp.F.data[row][col_index]\n col_index += 1\n block_index, i, j = convert_row_to_sdpa_index(sdp.\n block_struct, row_offsets, row)\n if block_index in blocks:\n result += -value * sdp.y_mat[block_index][i][j]\n return result\n", "role": "user" }, { "content": "extract_dual_value", "role": "assistant" } ]
def x(prefix, length): ccnumber = prefix while len(ccnumber) < length - 1: digit = random.choice(['0', '1', '2', '3', '4', '5', '6', '7', '8', '9']) ccnumber.append(digit) sum = 0 pos = 0 reversedCCnumber = [] reversedCCnumber.extend(ccnumber) reversedCCnumber.reverse() while pos < length - 1: odd = int(reversedCCnumber[pos]) * 2 if odd > 9: odd -= 9 sum += odd if pos != length - 2: sum += int(reversedCCnumber[pos + 1]) pos += 2 checkdigit = ((sum / 10 + 1) * 10 - sum) % 10 ccnumber.append(str(int(checkdigit))) return ''.join(ccnumber)
completed_number
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(prefix, length):\n ccnumber = prefix\n while len(ccnumber) < length - 1:\n digit = random.choice(['0', '1', '2', '3', '4', '5', '6', '7', '8',\n '9'])\n ccnumber.append(digit)\n sum = 0\n pos = 0\n reversedCCnumber = []\n reversedCCnumber.extend(ccnumber)\n reversedCCnumber.reverse()\n while pos < length - 1:\n odd = int(reversedCCnumber[pos]) * 2\n if odd > 9:\n odd -= 9\n sum += odd\n if pos != length - 2:\n sum += int(reversedCCnumber[pos + 1])\n pos += 2\n checkdigit = ((sum / 10 + 1) * 10 - sum) % 10\n ccnumber.append(str(int(checkdigit)))\n return ''.join(ccnumber)\n", "role": "user" }, { "content": "completed_number", "role": "assistant" } ]
def x(self, fullname): mod = super(JsonLoader, self).load_module(fullname) try: with codecs.open(self.cfg_file, 'r', 'utf-8') as f: mod.__dict__.update(json.load(f)) except ValueError: self.e = 'ValueError' self.err_msg = sys.exc_info()[1] if self.e == 'ValueError': err_msg = '\nJson file not valid: ' err_msg += self.cfg_file + '\n' err_msg += str(self.err_msg) raise InvalidJsonError(err_msg) return mod
load_module
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fullname):\n mod = super(JsonLoader, self).load_module(fullname)\n try:\n with codecs.open(self.cfg_file, 'r', 'utf-8') as f:\n mod.__dict__.update(json.load(f))\n except ValueError:\n self.e = 'ValueError'\n self.err_msg = sys.exc_info()[1]\n if self.e == 'ValueError':\n err_msg = '\\nJson file not valid: '\n err_msg += self.cfg_file + '\\n'\n err_msg += str(self.err_msg)\n raise InvalidJsonError(err_msg)\n return mod\n", "role": "user" }, { "content": "load_module", "role": "assistant" } ]
def x(self, c): if c == '\x04': sys.exit() elif c in key_directions: self.move_entity(self.player, *vscale(self.player.speed, key_directions[c])) else: return 'try arrow keys, w, a, s, d, or ctrl-D (you pressed %r)' % c return self.tick()
process_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, c):\n if c == '\\x04':\n sys.exit()\n elif c in key_directions:\n self.move_entity(self.player, *vscale(self.player.speed,\n key_directions[c]))\n else:\n return 'try arrow keys, w, a, s, d, or ctrl-D (you pressed %r)' % c\n return self.tick()\n", "role": "user" }, { "content": "process_event", "role": "assistant" } ]