source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(self, subreddit, **kwargs): settings = self.get_settings(subreddit) settings.update(kwargs) del settings['subreddit_id'] return self.set_settings(subreddit, **settings)
update_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, **kwargs):\n settings = self.get_settings(subreddit)\n settings.update(kwargs)\n del settings['subreddit_id']\n return self.set_se...
def x(self, subreddit, text='', css_class='', text_editable=False, is_link= False): data = {'r': six.text_type(subreddit), 'text': text, 'css_class': css_class, 'text_editable': six.text_type(text_editable), 'flair_type': 'LINK_FLAIR' if is_link else 'USER_FLAIR'} return self.request_json(self.config['flairtemplate'], data=data)
add_flair_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, text='', css_class='', text_editable=False, is_link=\n False):\n data = {'r': six.text_type(subreddit), 'text': text, 'css_class':\n ...
def x(self, subreddit, is_link=False): data = {'r': six.text_type(subreddit), 'flair_type': 'LINK_FLAIR' if is_link else 'USER_FLAIR'} return self.request_json(self.config['clearflairtemplates'], data=data)
clear_flair_templates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, is_link=False):\n data = {'r': six.text_type(subreddit), 'flair_type': 'LINK_FLAIR' if\n is_link else 'USER_FLAIR'}\n return self...
def x(self, subreddit, flair_enabled=False, flair_position='right', flair_self_assign=False, link_flair_enabled=False, link_flair_position= 'left', link_flair_self_assign=False): flair_enabled = 'on' if flair_enabled else 'off' flair_self_assign = 'on' if flair_self_assign else 'off' if not link_flair_enabled: link_flair_position = '' link_flair_self_assign = 'on' if link_flair_self_assign else 'off' data = {'r': six.text_type(subreddit), 'flair_enabled': flair_enabled, 'flair_position': flair_position, 'flair_self_assign_enabled': flair_self_assign, 'link_flair_position': link_flair_position, 'link_flair_self_assign_enabled': link_flair_self_assign} return self.request_json(self.config['flairconfig'], data=data)
configure_flair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, flair_enabled=False, flair_position='right',\n flair_self_assign=False, link_flair_enabled=False, link_flair_position=\n 'left', link_fl...
def x(self, subreddit, user): data = {'r': six.text_type(subreddit), 'name': six.text_type(user)} return self.request_json(self.config['deleteflair'], data=data)
delete_flair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, user):\n data = {'r': six.text_type(subreddit), 'name': six.text_type(user)}\n return self.request_json(self.config['deleteflair'], data...
def x(self, subreddit, *args, **kwargs): url = self.config['flairlist'].format(subreddit=six.text_type(subreddit)) return self.get_content(url, *args, root_field=None, thing_field= 'users', after_field='next', **kwargs)
get_flair_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, *args, **kwargs):\n url = self.config['flairlist'].format(subreddit=six.text_type(subreddit))\n return self.get_content(url, *args, root...
def x(self, subreddit, item, flair_text='', flair_css_class=''): data = {'r': six.text_type(subreddit), 'text': flair_text or '', 'css_class': flair_css_class or ''} if isinstance(item, objects.Submission): data['link'] = item.fullname evict = item.permalink else: data['name'] = six.text_type(item) evict = self.config['flairlist'].format(subreddit=six.text_type( subreddit)) response = self.request_json(self.config['flair'], data=data) self.evict(evict) return response
set_flair
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, item, flair_text='', flair_css_class=''):\n data = {'r': six.text_type(subreddit), 'text': flair_text or '',\n 'css_class': flair_cs...
def x(self, subreddit, flair_mapping): if not flair_mapping: raise errors.ClientException('flair_mapping must be set') item_order = ['user', 'flair_text', 'flair_css_class'] lines = [] for mapping in flair_mapping: if 'user' not in mapping: raise errors.ClientException( 'flair_mapping must contain `user` key') lines.append(','.join([mapping.get(x, '') for x in item_order])) response = [] while len(lines): data = {'r': six.text_type(subreddit), 'flair_csv': '\n'.join(lines [:100])} response.extend(self.request_json(self.config['flaircsv'], data=data)) lines = lines[100:] evict = self.config['flairlist'].format(subreddit=six.text_type(subreddit)) self.evict(evict) return response
set_flair_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, flair_mapping):\n if not flair_mapping:\n raise errors.ClientException('flair_mapping must be set')\n item_order = ['user', 'flai...
def x(self, subreddit, mod=None, action=None, *args, **kwargs): params = kwargs.setdefault('params', {}) if mod is not None: params['mod'] = six.text_type(mod) if action is not None: params['type'] = six.text_type(action) url = self.config['modlog'].format(subreddit=six.text_type(subreddit)) return self.get_content(url, *args, **kwargs)
get_mod_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, mod=None, action=None, *args, **kwargs):\n params = kwargs.setdefault('params', {})\n if mod is not None:\n params['mod'] = six.t...
def x(self, subreddit, user_only=True, *args, **kwargs): url = self.config['banned'].format(subreddit=six.text_type(subreddit)) return self._get_userlist(url, user_only, *args, **kwargs)
get_banned
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, user_only=True, *args, **kwargs):\n url = self.config['banned'].format(subreddit=six.text_type(subreddit))\n return self._get_userlist(u...
def x(self, subreddit, *args, **kwargs): def x(self, subreddit): url = self.config['contributors'].format(subreddit=six.text_type( subreddit)) return self._get_userlist(url, *args, user_only=True, **kwargs) if self.is_logged_in(): if not isinstance(subreddit, objects.Subreddit): subreddit = self.get_subreddit(subreddit) if subreddit.subreddit_type == 'public': decorator = decorators.restrict_access(scope='read', mod=True) return decorator(get_contributors_helper)(self, subreddit) return get_contributors_helper(self, subreddit)
get_contributors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, *args, **kwargs):\n\n def x(self, subreddit):\n url = self.config['contributors'].format(subreddit=six.text_type(\n subre...
def x(self, subreddit='mod', *args, **kwargs): url = self.config['edited'].format(subreddit=six.text_type(subreddit)) return self.get_content(url, *args, **kwargs)
get_edited
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit='mod', *args, **kwargs):\n url = self.config['edited'].format(subreddit=six.text_type(subreddit))\n return self.get_content(url, *args, *...
def x(self, subreddit, **params): url = self.config['stylesheet'].format(subreddit=six.text_type(subreddit)) return self.request_json(url, params=params)['data']
get_stylesheet
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, **params):\n url = self.config['stylesheet'].format(subreddit=six.text_type(subreddit))\n return self.request_json(url, params=params)['...
def x(self, subreddit): self.evict(self.config['my_mod_subreddits']) return self._leave_status(subreddit, self.config['leavemoderator'])
leave_moderator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit):\n self.evict(self.config['my_mod_subreddits'])\n return self._leave_status(subreddit, self.config['leavemoderator'])\n", "role": "u...
def x(self, subreddit, statusurl): if isinstance(subreddit, six.string_types): subreddit = self.get_subreddit(subreddit) data = {'id': subreddit.fullname} return self.request_json(statusurl, data=data)
leave_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, statusurl):\n if isinstance(subreddit, six.string_types):\n subreddit = self.get_subreddit(subreddit)\n data = {'id': subreddit.f...
def x(self, from_redditor, from_name, to_name=None, *args, **kwargs): if to_name is None: to_name = from_name from_multipath = self.MULTI_PATH.format(from_redditor, from_name) to_multipath = self.MULTI_PATH.format(self.user.name, to_name) data = {'display_name': to_name, 'from': from_multipath, 'to': to_multipath } return self.request_json(self.config['multireddit_copy'], *args, data= data, **kwargs)
copy_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, from_redditor, from_name, to_name=None, *args, **kwargs):\n if to_name is None:\n to_name = from_name\n from_multipath = self.MULTI_PATH.for...
def x(self, name, description_md=None, icon_name=None, key_color=None, subreddits=None, visibility=None, weighting_scheme=None, overwrite= False, *args, **kwargs): url = self.config['multireddit_about'].format(user=self.user.name, multi=name) if subreddits: subreddits = [{'name': six.text_type(sr)} for sr in subreddits] model = {} for key in ('description_md', 'icon_name', 'key_color', 'subreddits', 'visibility', 'weighting_scheme'): value = locals()[key] if value: model[key] = value method = 'PUT' if overwrite else 'POST' return self.request_json(url, *args, data={'model': json.dumps(model)}, method=method, **kwargs)
create_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, description_md=None, icon_name=None, key_color=None,\n subreddits=None, visibility=None, weighting_scheme=None, overwrite=\n False, *args, **...
def x(self, name, *args, **kwargs): url = self.config['multireddit_about'].format(user=self.user.name, multi=name) if not self._use_oauth: self.http.headers['x-modhash'] = self.modhash try: self.request(url, *args, data={}, method='DELETE', **kwargs) finally: if not self._use_oauth: del self.http.headers['x-modhash']
delete_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name, *args, **kwargs):\n url = self.config['multireddit_about'].format(user=self.user.name,\n multi=name)\n if not self._use_oauth:\n ...
def x(self, *args, **kwargs): return self.create_multireddit(*args, overwrite=True, **kwargs)
edit_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.create_multireddit(*args, overwrite=True, **kwargs)\n", "role": "user" }, { "content": "edit_multireddit",...
def x(self, redditor, multi, *args, **kwargs): return objects.Multireddit(self, six.text_type(redditor), multi, *args, **kwargs)
get_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redditor, multi, *args, **kwargs):\n return objects.Multireddit(self, six.text_type(redditor), multi, *args,\n **kwargs)\n", "role": "user"...
def x(self, redditor, *args, **kwargs): redditor = six.text_type(redditor) url = self.config['multireddit_user'].format(user=redditor) return self.request_json(url, *args, **kwargs)
get_multireddits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, redditor, *args, **kwargs):\n redditor = six.text_type(redditor)\n url = self.config['multireddit_user'].format(user=redditor)\n return self.req...
def x(self, current_name, new_name, *args, **kwargs): current_path = self.MULTI_PATH.format(self.user.name, current_name) new_path = self.MULTI_PATH.format(self.user.name, new_name) data = {'from': current_path, 'to': new_path} return self.request_json(self.config['multireddit_rename'], *args, data =data, **kwargs)
rename_multireddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, current_name, new_name, *args, **kwargs):\n current_path = self.MULTI_PATH.format(self.user.name, current_name)\n new_path = self.MULTI_PATH.format...
def x(self, *args, **kwargs): return self.get_content(self.config['my_con_subreddits'], *args, **kwargs)
get_my_contributions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['my_con_subreddits'], *args, **kwargs)\n", "role": "user" }, { "content": "get_my_...
def x(self, *args, **kwargs): return self.get_content(self.config['my_mod_subreddits'], *args, **kwargs)
get_my_moderation
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['my_mod_subreddits'], *args, **kwargs)\n", "role": "user" }, { "content": "get_my_...
def x(self, *args, **kwargs): return self.get_content(self.config['my_subreddits'], *args, **kwargs)
get_my_subreddits
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['my_subreddits'], *args, **kwargs)\n", "role": "user" }, { "content": "get_my_subr...
def x(self, thing_ids, unread=False): data = {'id': ','.join(thing_ids)} key = 'unread_message' if unread else 'read_message' response = self.request_json(self.config[key], data=data) self.evict([self.config[x] for x in ['inbox', 'messages', 'mod_mail', 'unread']]) return response
mark_as_read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, thing_ids, unread=False):\n data = {'id': ','.join(thing_ids)}\n key = 'unread_message' if unread else 'read_message'\n response = self.request_...
def x(self, *args, **kwargs): return self.get_content(self.config['comment_replies'], *args, **kwargs)
get_comment_replies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['comment_replies'], *args, **kwargs)\n", "role": "user" }, { "content": "get_comme...
def x(self, *args, **kwargs): return self.get_content(self.config['inbox'], *args, **kwargs)
get_inbox
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['inbox'], *args, **kwargs)\n", "role": "user" }, { "content": "get_inbox", "ro...
def x(self, message_id, *args, **kwargs): return objects.Message.from_id(self, message_id, *args, **kwargs)
get_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message_id, *args, **kwargs):\n return objects.Message.from_id(self, message_id, *args, **kwargs)\n", "role": "user" }, { "content": "get_...
def x(self, *args, **kwargs): return self.get_content(self.config['messages'], *args, **kwargs)
get_messages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['messages'], *args, **kwargs)\n", "role": "user" }, { "content": "get_messages", ...
def x(self, *args, **kwargs): return self.get_content(self.config['post_replies'], *args, **kwargs)
get_post_replies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['post_replies'], *args, **kwargs)\n", "role": "user" }, { "content": "get_post_rep...
def x(self, *args, **kwargs): return self.get_content(self.config['sent'], *args, **kwargs)
get_sent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['sent'], *args, **kwargs)\n", "role": "user" }, { "content": "get_sent", "role...
def x(self, unset_has_mail=False, update_user=False, *args, **kwargs): params = kwargs.setdefault('params', {}) if unset_has_mail: params['mark'] = 'true' if update_user: setattr(self.user, 'has_mail', False) return self.get_content(self.config['unread'], *args, **kwargs)
get_unread
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, unset_has_mail=False, update_user=False, *args, **kwargs):\n params = kwargs.setdefault('params', {})\n if unset_has_mail:\n params['mark'] ...
def x(self, *args, **kwargs): return self.get_content(self.config['mentions'], *args, **kwargs)
get_mentions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n return self.get_content(self.config['mentions'], *args, **kwargs)\n", "role": "user" }, { "content": "get_mentions", ...
def x(self, recipient, subject, message, from_sr=None, captcha=None, **kwargs): if isinstance(recipient, objects.Subreddit): recipient = '/r/{0}'.format(six.text_type(recipient)) else: recipient = six.text_type(recipient) data = {'text': message, 'subject': subject, 'to': recipient} if from_sr: data['from_sr'] = six.text_type(from_sr) if captcha: data.update(captcha) response = self.request_json(self.config['compose'], data=data, retry_on_error=False) self.evict(self.config['sent']) return response
send_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, recipient, subject, message, from_sr=None, captcha=None, **kwargs):\n if isinstance(recipient, objects.Subreddit):\n recipient = '/r/{0}'.forma...
def x(self, thing_id, _unhide=False): if isinstance(thing_id, six.string_types): thing_id = [thing_id] else: thing_id = list(thing_id) if len(thing_id) == 0: raise ValueError('No fullnames provided') return_list = len(thing_id) > 50 id_chunks = chunk_sequence(thing_id, 50) responses = [] for id_chunk in id_chunks: id_chunk = ','.join(id_chunk) method = 'unhide' if _unhide else 'hide' data = {'id': id_chunk, 'executed': method} response = self.request_json(self.config[method], data=data) responses.append(response) if self.user is not None: self.evict(urljoin(self.user._url, 'hidden')) if return_list: return responses else: return responses[0]
hide
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, thing_id, _unhide=False):\n if isinstance(thing_id, six.string_types):\n thing_id = [thing_id]\n else:\n thing_id = list(thing_id)\n ...
def x(self, thing_id, text): def x(self, thing_id, text): data = {'thing_id': thing_id, 'text': text} retval = self.request_json(self.config['comment'], data=data, retry_on_error=False) return retval if thing_id.startswith(self.config.by_object[objects.Message]): decorator = decorators.restrict_access(scope='privatemessages') else: decorator = decorators.restrict_access(scope='submit') retval = decorator(add_comment_helper)(self, thing_id, text) return retval['data']['things'][0]
add_comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, thing_id, text):\n\n def x(self, thing_id, text):\n data = {'thing_id': thing_id, 'text': text}\n retval = self.request_json(self.config...
def x(self, subreddit, title, text=None, url=None, captcha=None, save=None, send_replies=None, resubmit=None, **kwargs): if isinstance(text, six.string_types) == bool(url): raise TypeError('One (and only one) of text or url is required!') data = {'sr': six.text_type(subreddit), 'title': title} if text or text == '': data['kind'] = 'self' data['text'] = text else: data['kind'] = 'link' data['url'] = url if captcha: data.update(captcha) if resubmit is not None: data['resubmit'] = resubmit if save is not None: data['save'] = save if send_replies is not None: data['sendreplies'] = send_replies result = self.request_json(self.config['submit'], data=data, retry_on_error=False) url = result['data']['url'] if self._use_oauth: self._use_oauth = False if url.startswith(self.config.oauth_url): url = self.config.api_url + url[len(self.config.oauth_url):] try: return self.get_submission(url) except errors.Forbidden: return url
submit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, title, text=None, url=None, captcha=None, save=None,\n send_replies=None, resubmit=None, **kwargs):\n if isinstance(text, six.string_typ...
def x(self, subreddit, unsubscribe=False): data = {'action': 'unsub' if unsubscribe else 'sub', 'sr_name': six. text_type(subreddit)} response = self.request_json(self.config['subscribe'], data=data) self.evict(self.config['my_subreddits']) return response
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subreddit, unsubscribe=False):\n data = {'action': 'unsub' if unsubscribe else 'sub', 'sr_name': six.\n text_type(subreddit)}\n response = s...
def x(): def x(name, klass, instance=None, update_tryorder=None, preferred=False): if update_tryorder is not None: preferred = update_tryorder == -1 return webbrowser._register(name, klass, instance, preferred=preferred) if sys.version_info[:2] >= (3, 7): webbrowser._register = webbrowser.register webbrowser.register = register_patch webbrowser.register('surf', None, webbrowser.BackgroundBrowser('surf')) webbrowser.register('vimb', None, webbrowser.BackgroundBrowser('vimb')) webbrowser.register('qutebrowser', None, webbrowser.BackgroundBrowser( 'qutebrowser')) webbrowser.register('opera', None, webbrowser.BackgroundBrowser('opera')) if sys.platform == 'darwin' and 'BROWSER' in os.environ: _userchoices = os.environ['BROWSER'].split(os.pathsep) for cmdline in reversed(_userchoices): if cmdline in ('safari', 'firefox', 'chrome', 'default'): browser = webbrowser.MacOSXOSAScript(cmdline) webbrowser.register(cmdline, None, browser, update_tryorder=-1)
patch_webbrowser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n\n def x(name, klass, instance=None, update_tryorder=None, preferred=False):\n if update_tryorder is not None:\n preferred = update_tr...
def x(): try: os.environ['ESCDELAY'] = '25' stdscr = curses.initscr() curses.noecho() curses.cbreak() stdscr.keypad(1) try: curses.start_color() curses.use_default_colors() except: _logger.warning('Curses failed to initialize color support') try: curses.curs_set(0) except: _logger.warning('Curses failed to initialize the cursor mode') yield stdscr finally: if 'stdscr' in locals(): stdscr.keypad(0) curses.echo() curses.nocbreak() curses.endwin()
curses_session
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n os.environ['ESCDELAY'] = '25'\n stdscr = curses.initscr()\n curses.noecho()\n curses.cbreak()\n stdscr.keypad...
def x(self, direction, n_windows): assert direction in (-1, 1) valid, redraw = True, False forward = direction * self.step > 0 if forward: if self.page_index < 0: if self._is_valid(0): self.page_index = 0 self.cursor_index = 0 redraw = True else: valid = False else: self.cursor_index += 1 if not self._is_valid(self.absolute_index): self.cursor_index -= 1 valid = False elif self.cursor_index >= n_windows - 1: self.flip(self.cursor_index) self.cursor_index = 0 self.top_item_height = None redraw = True elif self.cursor_index > 0: self.cursor_index -= 1 if self.top_item_height and self.cursor_index == 0: self.top_item_height = None redraw = True else: self.page_index -= self.step if self._is_valid(self.absolute_index): self.top_item_height = None redraw = True else: self.page_index += self.step valid = False return valid, redraw
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, direction, n_windows):\n assert direction in (-1, 1)\n valid, redraw = True, False\n forward = direction * self.step > 0\n if forward:\n ...
def x(self, direction, n_windows): assert direction in (-1, 1) assert n_windows >= 0 if (self.absolute_index < 0) | (n_windows == 0): valid, redraw = self.move(direction, n_windows) else: if self.absolute_index < n_windows and direction < 0: self.page_index = -1 self.cursor_index = 0 self.inverted = False if not self._is_valid(self.absolute_index): self.page_index = 0 valid = True else: if (direction > 0) & (self.inverted is True) | (direction < 0) & ( self.inverted is False): self.page_index += self.step * (n_windows - 1) self.inverted = not self.inverted self.cursor_index = n_windows - (direction < 0 ) - self.cursor_index valid = False adj = 0 while not valid: n_move = n_windows - adj if n_move == 0: break self.page_index += n_move * direction valid = self._is_valid(self.absolute_index) if not valid: self.page_index -= n_move * direction adj += 1 redraw = True return valid, redraw
move_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, direction, n_windows):\n assert direction in (-1, 1)\n assert n_windows >= 0\n if (self.absolute_index < 0) | (n_windows == 0):\n valid, ...
def x(self, n_windows): assert n_windows >= 0 self.page_index += self.step * n_windows self.cursor_index = n_windows self.inverted = not self.inverted self.top_item_height = None
flip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, n_windows):\n assert n_windows >= 0\n self.page_index += self.step * n_windows\n self.cursor_index = n_windows\n self.inverted = not self.inv...
def x(cls, key): try: if isinstance(key, int): return key elif re.match('[<]KEY_.*[>]', key): return getattr(curses, key[1:-1]) elif re.match('[<].*[>]', key): return getattr(curses.ascii, key[1:-1]) elif key.startswith('0x'): return int(key, 16) elif len(key) == 2: return tuple(cls.parse(k) for k in key) else: code = ord(key) if 0 <= code <= 255: return code raise exceptions.ConfigError( 'Invalid configuration! `%s` is not in the ascii range' % key) except (AttributeError, ValueError, TypeError): raise exceptions.ConfigError( 'Invalid configuration! "%s" is not a valid key' % key)
parse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, key):\n try:\n if isinstance(key, int):\n return key\n elif re.match('[<]KEY_.*[>]', key):\n return getattr(curses,...
def x(url): filename = url.split('?')[0] filename = filename.split('#')[0] content_type, _ = mimetypes.guess_type(filename) return url, content_type
get_mimetype
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url):\n filename = url.split('?')[0]\n filename = filename.split('#')[0]\n content_type, _ = mimetypes.guess_type(filename)\n return url, content_t...
def x(self, order=None, name=None): order = order or self.content.order if name is None: query = self.content.query else: query = None name = name or self.content.name if order == 'ignore': order = None with self.term.loader('Refreshing page'): self.content = SubredditContent.from_name(self.reddit, name, self. term.loader, order=order, query=query) if not self.term.loader.exception: self.nav = Navigator(self.content.get)
refresh_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order=None, name=None):\n order = order or self.content.order\n if name is None:\n query = self.content.query\n else:\n query = No...
def x(self, name=None): name = name or self.content.name query = self.term.prompt_input('Search {0}: '.format(name)) if not query: return with self.term.loader('Searching'): self.content = SubredditContent.from_name(self.reddit, name, self. term.loader, query=query) if not self.term.loader.exception: self.nav = Navigator(self.content.get)
search_subreddit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name=None):\n name = name or self.content.name\n query = self.term.prompt_input('Search {0}: '.format(name))\n if not query:\n return\n ...
def x(self): if self.content.name != '/r/front': target = '/r/front' self.toggled_subreddit = self.content.name else: target = self.toggled_subreddit if target is not None: self.refresh_content(order='ignore', name=target)
show_frontpage
[ { "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.content.name != '/r/front':\n target = '/r/front'\n self.toggled_subreddit = self.content.name\n else:\n target = s...
def x(self, url=None): if url is None: data = self.get_selected_item() url = data['permalink'] if data.get('url_type') == 'selfpost': self.config.history.add(data['url_full']) self.selected_page = self.open_submission_page(url)
open_submission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url=None):\n if url is None:\n data = self.get_selected_item()\n url = data['permalink']\n if data.get('url_type') == 'selfpost':...
def x(self): data = self.get_selected_item() if data['url_type'] == 'selfpost': self.open_submission() elif data['url_type'] == 'x-post subreddit': self.refresh_content(order='ignore', name=data['xpost_subreddit']) elif data['url_type'] == 'x-post submission': self.open_submission(url=data['url_full']) self.config.history.add(data['url_full']) else: self.term.open_link(data['url_full']) self.config.history.add(data['url_full'])
open_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.get_selected_item()\n if data['url_type'] == 'selfpost':\n self.open_submission()\n elif data['url_type'] == 'x-post subre...
def x(self): name = self.content.name if '+' in name or name in ('/r/all', '/r/front', '/r/me', '/u/saved'): self.term.show_notification("Can't post to {0}".format(name)) return submission_info = docs.SUBMISSION_FILE.format(name=name) with self.term.open_editor(submission_info) as text: if not text: self.term.show_notification('Canceled') return elif '\n' not in text: self.term.show_notification('Missing body') return title, content = text.split('\n', 1) with self.term.loader('Posting', delay=0): submission = self.reddit.submit(name, title, text=content, raise_captcha_exception=True) time.sleep(2.0) if self.term.loader.exception: raise TemporaryFileError() if not self.term.loader.exception: self.selected_page = self.open_submission_page(submission=submission)
post_submission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n name = self.content.name\n if '+' in name or name in ('/r/all', '/r/front', '/r/me', '/u/saved'):\n self.term.show_notification(\"Can't p...
def x(self, order=None, name=None): order = order or self.content.order url = name or self.content.name if order == 'ignore': order = None with self.term.loader('Refreshing page'): self.content = SubmissionContent.from_url(self.reddit, url, self. term.loader, order=order, max_comment_cols=self.config[ 'max_comment_cols']) if not self.term.loader.exception: self.nav = Navigator(self.content.get, page_index=-1)
refresh_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order=None, name=None):\n order = order or self.content.order\n url = name or self.content.name\n if order == 'ignore':\n order = None\n ...
def x(self): current_index = self.nav.absolute_index self.content.toggle(current_index) if self.nav.inverted: data = self.content.get(current_index) if data['hidden'] or self.nav.cursor_index != 0: window = self._subwindows[-1][0] n_rows, _ = window.getmaxyx() self.nav.flip(len(self._subwindows) - 1) self.nav.top_item_height = n_rows
toggle_comment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n current_index = self.nav.absolute_index\n self.content.toggle(current_index)\n if self.nav.inverted:\n data = self.content.get(current...
def x(self): data = self.get_selected_item() if data['type'] == 'Submission': link = self.prompt_and_select_link() if link: self.config.history.add(link) self.term.open_link(link) elif data['type'] == 'Comment': link = self.prompt_and_select_link() if link: self.term.open_link(link) else: self.term.flash()
open_link
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.get_selected_item()\n if data['type'] == 'Submission':\n link = self.prompt_and_select_link()\n if link:\n ...
def x(self): n_rows, n_cols = self.term.stdscr.getmaxyx() if self.config['max_pager_cols'] is not None: n_cols = min(n_cols, self.config['max_pager_cols']) data = self.get_selected_item() if data['type'] == 'Submission': text = '\n\n'.join((data['permalink'], data['text'])) self.term.open_pager(text, wrap=n_cols) elif data['type'] == 'Comment': text = '\n\n'.join((data['permalink'], data['body'])) self.term.open_pager(text, wrap=n_cols) else: self.term.flash()
open_pager
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n n_rows, n_cols = self.term.stdscr.getmaxyx()\n if self.config['max_pager_cols'] is not None:\n n_cols = min(n_cols, self.config['max_page...
def x(self): data = self.get_selected_item() comment = data.get('body') or data.get('text') or data.get('url_full') if comment: self.term.open_urlview(comment) else: self.term.flash()
comment_urlview
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.get_selected_item()\n comment = data.get('body') or data.get('text') or data.get('url_full')\n if comment:\n self.term.ope...
def x(self): cursor = self.nav.absolute_index if cursor > 0: level = max(self.content.get(cursor)['level'], 1) while self.content.get(cursor - 1)['level'] >= level: self._move_cursor(-1) cursor -= 1 self._move_cursor(-1) else: self.term.flash() self.clear_input_queue()
move_parent_up
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursor = self.nav.absolute_index\n if cursor > 0:\n level = max(self.content.get(cursor)['level'], 1)\n while self.content.get(cur...
def x(self): cursor = self.nav.absolute_index if cursor >= 0: level = self.content.get(cursor)['level'] try: move = 1 while self.content.get(cursor + move)['level'] > level: move += 1 except IndexError: self.term.flash() else: if self.content.get(cursor + move)['level'] == level: for _ in range(move): self._move_cursor(1) else: self.term.flash() else: self.term.flash() self.clear_input_queue()
move_sibling_next
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cursor = self.nav.absolute_index\n if cursor >= 0:\n level = self.content.get(cursor)['level']\n try:\n move = 1\n ...
def x(subpath=''): def x(self, sort='new', time='all', *args, **kwargs): kwargs.setdefault('params', {}) kwargs['params'].setdefault('sort', sort) kwargs['params'].setdefault('t', time) url = urljoin(self._url, subpath) return self.reddit_session.get_content(url, *args, **kwargs) return _listing
get_redditor_listing
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subpath=''):\n\n def x(self, sort='new', time='all', *args, **kwargs):\n kwargs.setdefault('params', {})\n kwargs['params'].setdefault('sort',...
def x(subpath='', **defaults): @restrict_access(scope='read') def x(self, *args, **kwargs): if not kwargs.get('params'): kwargs['params'] = {} for key, value in six.iteritems(defaults): kwargs['params'].setdefault(key, value) url = urljoin(self._url, subpath) return self.reddit_session.get_content(url, *args, **kwargs) return _sorted
get_sorter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(subpath='', **defaults):\n\n @restrict_access(scope='read')\n def x(self, *args, **kwargs):\n if not kwargs.get('params'):\n kwargs['pa...
def x(relationship, unlink=False, is_sub=False): url_key = 'unfriend' if unlink else 'friend' if relationship == 'friend': access = {'scope': None, 'login': True} elif relationship == 'moderator': access = {'scope': 'modothers'} elif relationship in ['banned', 'contributor', 'muted']: access = {'scope': 'modcontributors'} elif relationship in ['wikibanned', 'wikicontributor']: access = {'scope': ['modcontributors', 'modwiki']} else: access = {'scope': None, 'mod': True} @restrict_access(**access) def x(thing, user, **kwargs): data = {'name': six.text_type(user), 'type': relationship} data.update(kwargs) if is_sub: data['r'] = six.text_type(thing) else: data['container'] = thing.fullname session = thing.reddit_session if relationship == 'moderator': session.evict(session.config['moderators'].format(subreddit=six .text_type(thing))) url = session.config[url_key] return session.request_json(url, data=data) return do_relationship
modify_relationship
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(relationship, unlink=False, is_sub=False):\n url_key = 'unfriend' if unlink else 'friend'\n if relationship == 'friend':\n access = {'scope': None...
def x(reddit_session, url, params, data, auth, files, method=None): if getattr(reddit_session, '_use_oauth', False): bearer = 'bearer {0}'.format(reddit_session.access_token) headers = {'Authorization': bearer} config = reddit_session.config for prefix in (config.api_url, config.permalink_url): if url.startswith(prefix): if config.log_requests >= 1: msg = 'substituting {0} for {1} in url\n'.format(config .oauth_url, prefix) sys.stderr.write(msg) url = config.oauth_url + url[len(prefix):] break else: headers = {} headers.update(reddit_session.http.headers) if method: pass elif data or files: method = 'POST' else: method = 'GET' if reddit_session.config.log_requests >= 1: sys.stderr.write('{0}: {1}\n'.format(method, url)) if reddit_session.config.log_requests >= 2: if params: sys.stderr.write('params: {0}\n'.format(params)) if data: sys.stderr.write('data: {0}\n'.format(data)) if auth: sys.stderr.write('auth: {0}\n'.format(auth)) request = Request(method=method, url=url, headers=headers, params= params, auth=auth, cookies=reddit_session.http.cookies) if method == 'GET': return request if data is True: data = {} if isinstance(data, dict): if not auth: data.setdefault('api_type', 'json') if reddit_session.modhash: data.setdefault('uh', reddit_session.modhash) else: request.headers.setdefault('Content-Type', 'application/json') request.data = data request.files = files return request
prepare_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reddit_session, url, params, data, auth, files, method=None):\n if getattr(reddit_session, '_use_oauth', False):\n bearer = 'bearer {0}'.format(reddi...
def x(response): if response.status_code not in [301, 302, 307]: return None new_url = urljoin(response.url, response.headers['location']) if 'reddits/search' in new_url: subreddit = new_url.rsplit('=', 1)[1] raise InvalidSubreddit('`{0}` is not a valid subreddit'.format( subreddit)) elif not RE_REDIRECT.search(response.url): raise RedirectException(response.url, new_url) return new_url
raise_redirect_exceptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n if response.status_code not in [301, 302, 307]:\n return None\n new_url = urljoin(response.url, response.headers['location'])\n if...
def x(response): if not response.ok and 'www-authenticate' in response.headers: msg = response.headers['www-authenticate'] if 'insufficient_scope' in msg: raise OAuthInsufficientScope('insufficient_scope', response.url) elif 'invalid_token' in msg: raise OAuthInvalidToken('invalid_token', response.url) else: raise OAuthException(msg, response.url) if response.status_code == codes.forbidden: raise Forbidden(_raw=response) elif response.status_code == codes.not_found: raise NotFound(_raw=response) else: try: response.raise_for_status() except exceptions.HTTPError as exc: raise HTTPException(_raw=exc.response)
raise_response_exceptions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(response):\n if not response.ok and 'www-authenticate' in response.headers:\n msg = response.headers['www-authenticate']\n if 'insufficient_sc...
def x(arg): if isinstance(arg, six.string_types) or not (hasattr(arg, '__getitem__' ) or hasattr(arg, '__iter__')): return six.text_type(arg) else: return ','.join(six.text_type(a) for a in arg)
to_reddit_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(arg):\n if isinstance(arg, six.string_types) or not (hasattr(arg, '__getitem__'\n ) or hasattr(arg, '__iter__')):\n return six.text_type(arg)\...
def x(reddit_session, captcha_id): url = urljoin(reddit_session.config['captcha'], captcha_id + '.png') sys.stdout.write('Captcha URL: {0}\nCaptcha: '.format(url)) sys.stdout.flush() raw = sys.stdin.readline() if not raw: sys.stdin.close() return None return {'iden': captcha_id, 'captcha': raw.strip()}
get_captcha
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(reddit_session, captcha_id):\n url = urljoin(reddit_session.config['captcha'], captcha_id + '.png')\n sys.stdout.write('Captcha URL: {0}\\nCaptcha: '.for...
def x(function): @wraps(function) def x(cls, _rate_domain, _rate_delay, **kwargs): cls.rl_lock.acquire() lock_last = cls.last_call.setdefault(_rate_domain, [Lock(), 0]) with lock_last[0]: cls.rl_lock.release() now = timer() delay = lock_last[1] + _rate_delay - now if delay > 0: now += delay time.sleep(delay) lock_last[1] = now return function(cls, **kwargs) return wrapped
rate_limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n\n @wraps(function)\n def x(cls, _rate_domain, _rate_delay, **kwargs):\n cls.rl_lock.acquire()\n lock_last = cls.last_call.setd...
def x(self, request, proxies, timeout, verify, **_): settings = self.http.merge_environment_settings(request.url, proxies, False, verify, None) return self.http.send(request, timeout=timeout, allow_redirects=False, **settings)
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, proxies, timeout, verify, **_):\n settings = self.http.merge_environment_settings(request.url, proxies, \n False, verify, None)\n r...
def x(function): @wraps(function) def x(cls, _cache_key, _cache_ignore, _cache_timeout, **kwargs): def x(): for key in list(cls.timeouts): if timer() - cls.timeouts[key] > _cache_timeout: del cls.timeouts[key] del cls.cache[key] if _cache_ignore: return function(cls, **kwargs) with cls.ca_lock: clear_timeouts() if _cache_key in cls.cache: if cls.cache_hit_callback: cls.cache_hit_callback(_cache_key) return cls.cache[_cache_key] result = function(cls, **kwargs) if result.status_code not in (200, 302): return result with cls.ca_lock: cls.timeouts[_cache_key] = timer() cls.cache[_cache_key] = result return result return wrapped
with_cache
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(function):\n\n @wraps(function)\n def x(cls, _cache_key, _cache_ignore, _cache_timeout, **kwargs):\n\n def x():\n for key in list(cls.t...
def x(cls, urls): if isinstance(urls, text_type): urls = [urls] urls = set(normalize_url(url) for url in urls) retval = 0 with cls.ca_lock: for key in list(cls.cache): if key[0] in urls: retval += 1 del cls.cache[key] del cls.timeouts[key] return retval
evict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, urls):\n if isinstance(urls, text_type):\n urls = [urls]\n urls = set(normalize_url(url) for url in urls)\n retval = 0\n with cls.ca_lo...
def x(self, **kwargs): retval = None delay_time = 2 read_attempts = 0 while retval is None: sock = socket.socket(socket.AF_INET, socket.SOCK_STREAM) sock_fp = sock.makefile('rwb') try: sock.connect((self.host, self.port)) cPickle.dump(kwargs, sock_fp, cPickle.HIGHEST_PROTOCOL) sock_fp.flush() retval = cPickle.load(sock_fp) except: exc_type, exc, _ = sys.exc_info() socket_error = exc_type is socket.error if socket_error and exc.errno == 111: sys.stderr.write( """Cannot connect to multiprocess server. Is it running? Retrying in {0} seconds. """ .format(delay_time)) time.sleep(delay_time) delay_time = min(64, delay_time * 2) elif exc_type is EOFError or socket_error and exc.errno == 104: if read_attempts >= 3: raise ClientException( 'Successive failures reading from the multiprocess server.' ) sys.stderr.write( """Lost connection with multiprocess server during read. Trying again. """ ) read_attempts += 1 else: raise finally: sock_fp.close() sock.close() if isinstance(retval, Exception): raise retval return retval
relay
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n retval = None\n delay_time = 2\n read_attempts = 0\n while retval is None:\n sock = socket.socket(socket.AF_INET, socket....
def x(): config = configparser.RawConfigParser() module_dir = os.path.dirname(sys.modules[__name__].__file__) if 'APPDATA' in os.environ: os_config_path = os.environ['APPDATA'] elif 'XDG_CONFIG_HOME' in os.environ: os_config_path = os.environ['XDG_CONFIG_HOME'] elif 'HOME' in os.environ: os_config_path = os.path.join(os.environ['HOME'], '.config') else: os_config_path = None locations = [os.path.join(module_dir, 'praw.ini'), 'praw.ini'] if os_config_path is not None: locations.insert(1, os.path.join(os_config_path, 'praw.ini')) if not config.read(locations): raise Exception('Could not find config file in any of: {0}'.format( locations)) return config
load_configuration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config = configparser.RawConfigParser()\n module_dir = os.path.dirname(sys.modules[__name__].__file__)\n if 'APPDATA' in os.environ:\n os_...
def x(self): self._color_pair_map = {} self._attribute_map = {} for element, item in self.elements.items(): fg, bg, attrs = item color_pair = fg, bg if self.use_color and color_pair != (-1, -1): if color_pair not in self._color_pair_map: index = len(self._color_pair_map) + 1 curses.init_pair(index, color_pair[0], color_pair[1]) self._color_pair_map[color_pair] = curses.color_pair(index) attrs |= self._color_pair_map[color_pair] self._attribute_map[element] = attrs
bind_curses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._color_pair_map = {}\n self._attribute_map = {}\n for element, item in self.elements.items():\n fg, bg, attrs = item\n col...
def x(self, element, selected=False): if self._attribute_map is None: raise RuntimeError( 'Attempted to access theme attribute before calling initialize_curses_theme()' ) if selected or self._selected: element = '@{0}'.format(element) return self._attribute_map[element]
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, element, selected=False):\n if self._attribute_map is None:\n raise RuntimeError(\n 'Attempted to access theme attribute before call...
def x(cls, path=THEMES): themes, errors = [], OrderedDict() def x(path, source): if os.path.isdir(path): for filename in sorted(os.listdir(path)): if not filename.endswith('.cfg'): continue filepath = os.path.join(path, filename) name = filename[:-4] try: theme = cls.from_file(filepath, source) except Exception as e: errors[source, name] = e else: themes.append(theme) themes.extend([Theme(use_color=True), Theme(use_color=False)]) load_themes(DEFAULT_THEMES, 'preset') load_themes(path, 'installed') return themes, errors
list_themes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path=THEMES):\n themes, errors = [], OrderedDict()\n\n def x(path, source):\n if os.path.isdir(path):\n for filename in sorted(os....
def x(cls, path=THEMES): themes, errors = cls.list_themes(path=path + '/') print('\nInstalled ({0}):'.format(path)) installed = [t for t in themes if t.source == 'installed'] if installed: for theme in installed: line = ' {0:<20}[requires {1} colors]' print(line.format(theme.name, theme.required_colors)) else: print(' (empty)') print('\nPresets:') preset = [t for t in themes if t.source == 'preset'] for theme in preset: line = ' {0:<20}[requires {1} colors]' print(line.format(theme.name, theme.required_colors)) print('\nBuilt-in:') built_in = [t for t in themes if t.source == 'built-in'] for theme in built_in: line = ' {0:<20}[requires {1} colors]' print(line.format(theme.name, theme.required_colors)) if errors: print('\nWARNING: Some files encountered errors:') for (source, name), error in errors.items(): theme_info = '({0}) {1}'.format(source, name) err_message = six.text_type(error).replace('\n', '\n' + ' ' * 20) print(' {0:<20}{1}'.format(theme_info, err_message)) print('')
print_themes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path=THEMES):\n themes, errors = cls.list_themes(path=path + '/')\n print('\\nInstalled ({0}):'.format(path))\n installed = [t for t in themes if...
def x(cls, name, path=THEMES): if os.path.isfile(name): return cls.from_file(name, 'custom') filename = os.path.join(path, '{0}.cfg'.format(name)) if os.path.isfile(filename): return cls.from_file(filename, 'installed') filename = os.path.join(DEFAULT_THEMES, '{0}.cfg'.format(name)) if os.path.isfile(filename): return cls.from_file(filename, 'preset') raise ConfigError('Could not find theme named "{0}"'.format(name))
from_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, name, path=THEMES):\n if os.path.isfile(name):\n return cls.from_file(name, 'custom')\n filename = os.path.join(path, '{0}.cfg'.format(name))...
def x(cls, filename, source): _logger.info('Loading theme %s', filename) try: config = configparser.ConfigParser() config.optionxform = six.text_type with codecs.open(filename, encoding='utf-8') as fp: config.readfp(fp) except configparser.ParsingError as e: raise ConfigError(e.message) if not config.has_section('theme'): raise ConfigError('Error loading {0}:\n missing [theme] section' .format(filename)) theme_name = os.path.basename(filename) theme_name, _ = os.path.splitext(theme_name) elements = {} for element, line in config.items('theme'): if element not in cls.DEFAULT_ELEMENTS: _logger.info('Skipping element %s', element) continue elements[element] = cls._parse_line(element, line, filename) return cls(name=theme_name, source=source, elements=elements)
from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename, source):\n _logger.info('Loading theme %s', filename)\n try:\n config = configparser.ConfigParser()\n config.optionxform = s...
def x(cls, element, line, filename=None): items = line.split() if len(items) == 2: fg, bg, attrs = items[0], items[1], '' elif len(items) == 3: fg, bg, attrs = items else: raise ConfigError('Error loading {0}, invalid line:\n {1} = {2}' .format(filename, element, line)) if fg.startswith('#'): fg = cls.rgb_to_ansi(fg) if bg.startswith('#'): bg = cls.rgb_to_ansi(bg) if fg not in cls.COLOR_CODES: raise ConfigError( 'Error loading {0}, invalid <foreground>:\n {1} = {2}'. format(filename, element, line)) fg_code = cls.COLOR_CODES[fg] if bg not in cls.COLOR_CODES: raise ConfigError( 'Error loading {0}, invalid <background>:\n {1} = {2}'. format(filename, element, line)) bg_code = cls.COLOR_CODES[bg] attrs_code = curses.A_NORMAL for attr in attrs.split('+'): if attr not in cls.ATTRIBUTE_CODES: raise ConfigError( 'Error loading {0}, invalid <attributes>:\n {1} = {2}'. format(filename, element, line)) attr_code = cls.ATTRIBUTE_CODES[attr] if attr_code is None: attrs_code = None break else: attrs_code |= attr_code return fg_code, bg_code, attrs_code
parse_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, element, line, filename=None):\n items = line.split()\n if len(items) == 2:\n fg, bg, attrs = items[0], items[1], ''\n elif len(items) == ...
def x(elements, src_field, fallback, dest_field=None): if dest_field is None: dest_field = src_field if isinstance(fallback, six.string_types): fallback = elements[fallback] attrs = elements[src_field] elements[dest_field] = attrs[0] if attrs[0] is not None else fallback[0 ], attrs[1] if attrs[1] is not None else fallback[1], attrs[2 ] if attrs[2] is not None else fallback[2]
set_fallback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(elements, src_field, fallback, dest_field=None):\n if dest_field is None:\n dest_field = src_field\n if isinstance(fallback, six.string_types):\n ...
def x(color): if color[0] != '#' or len(color) != 7: return None try: r = round(int(color[1:3], 16) / 51.0) g = round(int(color[3:5], 16) / 51.0) b = round(int(color[5:7], 16) / 51.0) n = int(36 * r + 6 * g + b + 16) return 'ansi_{0:d}'.format(n) except ValueError: return None
rgb_to_ansi
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(color):\n if color[0] != '#' or len(color) != 7:\n return None\n try:\n r = round(int(color[1:3], 16) / 51.0)\n g = round(int(color[...
def x(self, theme, direction): if not self.themes: self.reload() key = theme.source, theme.name for i, val in enumerate(self.themes): if (val.source, val.name) == key: index = i break else: self.themes.insert(0, theme) index = 0 index = (index + direction) % len(self.themes) new_theme = self.themes[index] return new_theme
step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, theme, direction):\n if not self.themes:\n self.reload()\n key = theme.source, theme.name\n for i, val in enumerate(self.themes):\n ...
def x(): parser = OptionParser(version='%prog {0}'.format(__version__)) parser.add_option('-a', '--addr', default='localhost', help= 'The address or host to listen on. Specify -a 0.0.0.0 to listen on all addresses. Default: localhost' ) parser.add_option('-p', '--port', type='int', default='10101', help= 'The port to listen for requests on. Default: 10101') options, _ = parser.parse_args() try: server = ThreadingTCPServer((options.addr, options.port), RequestHandler) except (socket.error, socket.gaierror) as exc: print(exc) sys.exit(1) print('Listening on {0} port {1}'.format(options.addr, options.port)) try: server.serve_forever() except KeyboardInterrupt: server.socket.close() RequestHandler.http.close() print('Goodbye!')
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = OptionParser(version='%prog {0}'.format(__version__))\n parser.add_option('-a', '--addr', default='localhost', help=\n 'The address ...
def x(_, client_addr): exc_type, exc_value, _ = sys.exc_info() if exc_type is socket.error and exc_value[0] == 32: pass elif exc_type is cPickle.UnpicklingError: sys.stderr.write('Invalid connection from {0}\n'.format(client_addr[0]) ) else: raise
handle_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_, client_addr):\n exc_type, exc_value, _ = sys.exc_info()\n if exc_type is socket.error and exc_value[0] == 32:\n pass\n elif exc_type is cPic...
def x(self, request, proxies, timeout, **_): print('{0} {1}'.format(request.method, request.url)) response = self.http.send(request, proxies=proxies, timeout=timeout, allow_redirects=False) response.raw = None return response
do_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, proxies, timeout, **_):\n print('{0} {1}'.format(request.method, request.url))\n response = self.http.send(request, proxies=proxies, timeo...
def x(self): data = cPickle.load(self.rfile) method = data.pop('method') try: retval = getattr(self, 'do_{0}'.format(method))(**data) except Exception as e: retval = e cPickle.dump(retval, self.wfile, cPickle.HIGHEST_PROTOCOL)
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = cPickle.load(self.rfile)\n method = data.pop('method')\n try:\n retval = getattr(self, 'do_{0}'.format(method))(**data)\n ex...
def x(source, destination, name): if os.path.exists(destination): try: ch = six.moves.input( 'File %s already exists, overwrite? y/[n]):' % destination) if ch not in ('Y', 'y'): return except KeyboardInterrupt: return filepath = os.path.dirname(destination) if not os.path.exists(filepath): os.makedirs(filepath) print('Copying default %s to %s' % (name, destination)) shutil.copy(source, destination) os.chmod(destination, 436)
copy_settings_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination, name):\n if os.path.exists(destination):\n try:\n ch = six.moves.input(\n 'File %s already exists, ove...
def x(): parser = build_parser() args = vars(parser.parse_args()) if args['link_deprecated'] and args['link'] is None: args['link'] = args['link_deprecated'] args.pop('link_deprecated', None) return {key: val for key, val in args.items() if val is not None}
get_args
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = build_parser()\n args = vars(parser.parse_args())\n if args['link_deprecated'] and args['link'] is None:\n args['link'] = args['l...
def x(cls, filename=None): if filename is None: filename = CONFIG config = configparser.ConfigParser() if os.path.exists(filename): with codecs.open(filename, encoding='utf-8') as fp: config.readfp(fp) return cls._parse_rtv_file(config)
get_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename=None):\n if filename is None:\n filename = CONFIG\n config = configparser.ConfigParser()\n if os.path.exists(filename):\n ...
def x(filename): filepath = os.path.dirname(filename) if not os.path.exists(filepath): os.makedirs(filepath)
ensure_filepath
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(filename):\n filepath = os.path.dirname(filename)\n if not os.path.exists(filepath):\n os.makedirs(filepath)\n", "role": "user" }, { "...
def x(self): if not self.selected_page: pass if self.selected_page.name in ('subscription', 'submission'): self.selected_page = self.selected_page.loop() elif self.selected_page.name in ('subreddit', 'inbox'): self.active = False else: raise RuntimeError(self.selected_page.name)
handle_selected_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.selected_page:\n pass\n if self.selected_page.name in ('subscription', 'submission'):\n self.selected_page = self.sele...
def x(self): data = self.get_selected_item() if data['is_new']: with self.term.loader('Marking as read'): data['object'].mark_as_read() if not self.term.loader.exception: data['is_new'] = False else: with self.term.loader('Marking as unread'): data['object'].mark_as_unread() if not self.term.loader.exception: data['is_new'] = True
mark_seen
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = self.get_selected_item()\n if data['is_new']:\n with self.term.loader('Marking as read'):\n data['object'].mark_as_read...
def x(self): url = self.get_selected_item().get('context') if url: self.selected_page = self.open_submission_page(url)
view_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self.get_selected_item().get('context')\n if url:\n self.selected_page = self.open_submission_page(url)\n", "role": "user" },...
def x(self): url = self.get_selected_item().get('submission_permalink') if url: self.selected_page = self.open_submission_page(url)
open_submission
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n url = self.get_selected_item().get('submission_permalink')\n if url:\n self.selected_page = self.open_submission_page(url)\n", "role"...
def x(f): @wraps(f) def x(self, *args, **kwargs): if not self.reddit.is_oauth_session(): self.term.show_notification('Not logged in') return None return f(self, *args, **kwargs) return wrapped_method
logged_in
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @wraps(f)\n def x(self, *args, **kwargs):\n if not self.reddit.is_oauth_session():\n self.term.show_notification('Not logged in...
def x(self): self.active = True while self.selected_page and self.active: self.handle_selected_page() while self.active: self.draw() ch = self.term.stdscr.getch() self.controller.trigger(ch) while self.selected_page and self.active: self.handle_selected_page() return self.selected_page
loop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.active = True\n while self.selected_page and self.active:\n self.handle_selected_page()\n while self.active:\n self.draw()...
def x(self): theme = self.term.theme_list.previous(self.term.theme) while not self.term.check_theme(theme): theme = self.term.theme_list.previous(theme) self.term.set_theme(theme) self.draw() message = self.term.theme.display_string self.term.show_notification(message, timeout=1)
previous_theme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n theme = self.term.theme_list.previous(self.term.theme)\n while not self.term.check_theme(theme):\n theme = self.term.theme_list.previous(...
def x(self): theme = self.term.theme_list.next(self.term.theme) while not self.term.check_theme(theme): theme = self.term.theme_list.next(theme) self.term.set_theme(theme) self.draw() message = self.term.theme.display_string self.term.show_notification(message, timeout=1)
next_theme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n theme = self.term.theme_list.next(self.term.theme)\n while not self.term.check_theme(theme):\n theme = self.term.theme_list.next(theme)\n...
def x(self): self.nav.page_index = self.content.range[0] self.nav.cursor_index = 0 self.nav.inverted = False
move_page_top
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.nav.page_index = self.content.range[0]\n self.nav.cursor_index = 0\n self.nav.inverted = False\n", "role": "user" }, { "cont...