source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self):
self.nav.page_index = self.content.range[1]
self.nav.cursor_index = 0
self.nav.inverted = True
| move_page_bottom | [
{
"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[1]\n self.nav.cursor_index = 0\n self.nav.inverted = True\n",
"role": "user"
},
{
"conte... |
def x(self):
data = self.get_selected_item()
if 'likes' not in data:
self.term.flash()
elif getattr(data['object'], 'archived'):
self.term.show_notification('Voting disabled for archived post',
style='Error')
elif data['likes']:
with self.term.loader('Clearing vote'):
data['object'].clear_vote()
if not self.term.loader.exception:
data['likes'] = None
else:
with self.term.loader('Voting'):
data['object'].upvote()
if not self.term.loader.exception:
data['likes'] = True
| upvote | [
{
"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 'likes' not in data:\n self.term.flash()\n elif getattr(data['object'], 'archived'):\n sel... |
def x(self):
data = self.get_selected_item()
if 'likes' not in data:
self.term.flash()
elif getattr(data['object'], 'archived'):
self.term.show_notification('Voting disabled for archived post',
style='Error')
elif data['likes'] or data['likes'] is None:
with self.term.loader('Voting'):
data['object'].downvote()
if not self.term.loader.exception:
data['likes'] = False
else:
with self.term.loader('Clearing vote'):
data['object'].clear_vote()
if not self.term.loader.exception:
data['likes'] = None
| downvote | [
{
"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 'likes' not in data:\n self.term.flash()\n elif getattr(data['object'], 'archived'):\n sel... |
def x(self):
data = self.get_selected_item()
if 'saved' not in data:
self.term.flash()
elif not data['saved']:
with self.term.loader('Saving'):
data['object'].save()
if not self.term.loader.exception:
data['saved'] = True
else:
with self.term.loader('Unsaving'):
data['object'].unsave()
if not self.term.loader.exception:
data['saved'] = False
| save | [
{
"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 'saved' not in data:\n self.term.flash()\n elif not data['saved']:\n with self.term.loader... |
def x(self):
if self.reddit.is_oauth_session():
ch = self.term.show_notification('Log out? (y/n)')
if ch in (ord('y'), ord('Y')):
self.oauth.clear_oauth_data()
self.term.show_notification('Logged out')
else:
self.oauth.authorize()
| login | [
{
"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.reddit.is_oauth_session():\n ch = self.term.show_notification('Log out? (y/n)')\n if ch in (ord('y'), ord('Y')):\n ... |
def x(self):
data = self.get_selected_item()
if data['type'] == 'Submission':
body = data['text']
description = 'submission'
reply = data['object'].add_comment
elif data['type'] in ('Comment', 'InboxComment'):
body = data['body']
description = 'comment'
reply = data['object'].reply
elif data['type'] == 'Message':
body = data['body']
description = 'private message'
reply = data['object'].reply
else:
self.term.flash()
return
lines = [(' |' + line) for line in body.split('\n')]
content = '\n'.join(lines)
comment_info = docs.REPLY_FILE.format(author=data['author'], type=
description, content=content)
with self.term.open_editor(comment_info) as comment:
if not comment:
self.term.show_notification('Canceled')
return
with self.term.loader('Posting {}'.format(description), delay=0):
reply(comment)
time.sleep(2.0)
if self.term.loader.exception is None:
self.reload_page()
else:
raise TemporaryFileError()
| reply | [
{
"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 body = data['text']\n description = 'submission'\n rep... |
def x(self):
data = self.get_selected_item()
if data.get('author') != self.reddit.user.name:
self.term.flash()
return
prompt = 'Are you sure you want to delete this? (y/n): '
if not self.term.prompt_y_or_n(prompt):
self.term.show_notification('Canceled')
return
with self.term.loader('Deleting', delay=0):
data['object'].delete()
time.sleep(2.0)
if self.term.loader.exception is None:
self.reload_page()
| delete_item | [
{
"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.get('author') != self.reddit.user.name:\n self.term.flash()\n return\n prompt = 'Are ... |
def x(self):
data = self.get_selected_item()
if data.get('author') != self.reddit.user.name:
self.term.flash()
return
if data['type'] == 'Submission':
content = data['text']
info = docs.SUBMISSION_EDIT_FILE.format(content=content, id=data[
'object'].id)
elif data['type'] == 'Comment':
content = data['body']
info = docs.COMMENT_EDIT_FILE.format(content=content, id=data[
'object'].id)
else:
self.term.flash()
return
with self.term.open_editor(info) as text:
if not text or text == content:
self.term.show_notification('Canceled')
return
with self.term.loader('Editing', delay=0):
data['object'].edit(text)
time.sleep(2.0)
if self.term.loader.exception is None:
self.reload_page()
else:
raise TemporaryFileError()
| edit | [
{
"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.get('author') != self.reddit.user.name:\n self.term.flash()\n return\n if data['type'... |
def x(self):
message_info = docs.MESSAGE_FILE
with self.term.open_editor(message_info) as text:
if not text:
self.term.show_notification('Canceled')
return
parts = text.split('\n', 2)
if len(parts) == 1:
self.term.show_notification('Missing message subject')
return
elif len(parts) == 2:
self.term.show_notification('Missing message body')
return
recipient, subject, message = parts
recipient = recipient.strip()
subject = subject.strip()
message = message.rstrip()
if not recipient:
self.term.show_notification('Missing recipient')
return
elif not subject:
self.term.show_notification('Missing message subject')
return
elif not message:
self.term.show_notification('Missing message body')
return
with self.term.loader('Sending message', delay=0):
self.reddit.send_message(recipient, subject, message,
raise_captcha_exception=True)
time.sleep(2.0)
if self.term.loader.exception:
raise TemporaryFileError()
else:
self.term.show_notification('Message sent!')
self.selected_page = self.open_inbox_page('sent')
| send_private_message | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n message_info = docs.MESSAGE_FILE\n with self.term.open_editor(message_info) as text:\n if not text:\n self.term.show_notificat... |
def x(self):
data = self.get_selected_item()
url_full = data.get('url_full')
permalink = data.get('permalink')
if url_full and url_full != permalink:
link = url_full
else:
html = data.get('html')
if html:
extracted_links = self.content.extract_links(html)
if not extracted_links:
link = permalink
else:
links = []
if permalink:
links += [{'text': 'Permalink', 'href': permalink}]
links += extracted_links
link = self.term.prompt_user_to_select_link(links)
else:
link = permalink
return link
| prompt_and_select_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 url_full = data.get('url_full')\n permalink = data.get('permalink')\n if url_full and url_full != permal... |
def x(self, url):
if url is None:
self.term.flash()
return
try:
clipboard_copy(url)
except (ProgramError, OSError) as e:
_logger.exception(e)
self.term.show_notification('Failed to copy url: {0}'.format(e))
else:
self.term.show_notification(['Copied to clipboard:', url], timeout=1)
| copy_to_clipboard | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if url is None:\n self.term.flash()\n return\n try:\n clipboard_copy(url)\n except (ProgramError, OSError) as e:\n ... |
def x(self):
name = self.term.prompt_input('Enter page: /')
if name:
submission_pattern = re.compile('(^|/)comments/(?P<id>.+?)($|/)')
match = submission_pattern.search(name)
if match:
url = 'https://www.reddit.com/comments/{0}'.format(match.group(
'id'))
self.selected_page = self.open_submission_page(url)
else:
self.selected_page = self.open_subreddit_page(name)
| prompt | [
{
"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.term.prompt_input('Enter page: /')\n if name:\n submission_pattern = re.compile('(^|/)comments/(?P<id>.+?)($|/)')\n ma... |
def x(self, content_type):
from .inbox_page import InboxPage
with self.term.loader('Loading inbox'):
page = InboxPage(self.reddit, self.term, self.config, self.oauth,
content_type=content_type)
if not self.term.loader.exception:
return page
| open_inbox_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content_type):\n from .inbox_page import InboxPage\n with self.term.loader('Loading inbox'):\n page = InboxPage(self.reddit, self.term, self... |
def x(self, content_type):
from .subscription_page import SubscriptionPage
with self.term.loader('Loading {0}s'.format(content_type)):
page = SubscriptionPage(self.reddit, self.term, self.config, self.
oauth, content_type=content_type)
if not self.term.loader.exception:
return page
| open_subscription_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, content_type):\n from .subscription_page import SubscriptionPage\n with self.term.loader('Loading {0}s'.format(content_type)):\n page = Subs... |
def x(self, url=None, submission=None):
from .submission_page import SubmissionPage
with self.term.loader('Loading submission'):
page = SubmissionPage(self.reddit, self.term, self.config, self.
oauth, url=url, submission=submission)
if not self.term.loader.exception:
return page
| open_submission_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url=None, submission=None):\n from .submission_page import SubmissionPage\n with self.term.loader('Loading submission'):\n page = Submission... |
def x(self, name):
from .subreddit_page import SubredditPage
with self.term.loader('Loading subreddit'):
page = SubredditPage(self.reddit, self.term, self.config, self.
oauth, name)
if not self.term.loader.exception:
return page
| open_subreddit_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n from .subreddit_page import SubredditPage\n with self.term.loader('Loading subreddit'):\n page = SubredditPage(self.reddit, self.te... |
def x(self):
n_rows, n_cols = self.term.stdscr.getmaxyx()
if n_rows < self.term.MIN_HEIGHT or n_cols < self.term.MIN_WIDTH:
return
self._row = 0
self._draw_header()
self._draw_banner()
self._draw_content()
self._draw_footer()
self.term.clear_screen()
self.term.stdscr.refresh()
| draw | [
{
"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 n_rows < self.term.MIN_HEIGHT or n_cols < self.term.MIN_WIDTH:\n return\n self._row ... |
def x(self):
n_rows, n_cols = self.term.stdscr.getmaxyx()
window = self.term.stdscr.derwin(1, n_cols, self._row, 0)
window.erase()
window.bkgd(str(' '), self.term.attr('TitleBar'))
sub_name = self.content.name
sub_name = sub_name.replace('/r/front', 'Front Page')
parts = sub_name.split('/')
if len(parts) == 1:
pass
elif '/m/' in sub_name:
_, _, user, _, multi = parts
sub_name = '{} Curated by {}'.format(multi, user)
elif parts[1] == 'u':
noun = 'My' if parts[2] == 'me' else parts[2] + "'s"
user_room = parts[3] if len(parts) == 4 else 'overview'
title_lookup = {'overview': 'Overview', 'submitted': 'Submissions',
'comments': 'Comments', 'saved': 'Saved Content', 'hidden':
'Hidden Content', 'upvoted': 'Upvoted Content', 'downvoted':
'Downvoted Content'}
sub_name = '{} {}'.format(noun, title_lookup[user_room])
query = self.content.query
if query:
sub_name = 'Searching {0}: {1}'.format(sub_name, query)
self.term.add_line(window, sub_name, 0, 0)
if len(sub_name) > 50:
title = sub_name.strip('/')
title = title.replace('_', ' ')
try:
title = title.rsplit('/', 1)[1]
except IndexError:
pass
else:
title = sub_name
if os.getenv('DISPLAY') and not os.getenv('INSIDE_EMACS'):
title += ' - rtv {0}'.format(__version__)
title = self.term.clean(title)
if six.PY3:
title = title.decode('utf-8')
title = '\x1b]2;{0}\x07'.format(title)
else:
title = b'\x1b]2;{0}\x07'.format(title)
sys.stdout.write(title)
sys.stdout.flush()
if self.reddit and self.reddit.user is not None:
width = len if self.config['ascii'] else textual_width
if self.config['hide_username']:
username = 'Logged in'
else:
username = self.reddit.user.name
s_col = n_cols - width(username) - 1
if s_col - 1 >= width(sub_name):
self.term.add_line(window, username, 0, s_col)
self._row += 1
| draw_header | [
{
"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 window = self.term.stdscr.derwin(1, n_cols, self._row, 0)\n window.erase()\n window.bkgd(st... |
def x(self):
n_rows, n_cols = self.term.stdscr.getmaxyx()
window = self.term.stdscr.derwin(1, n_cols, self._row, 0)
window.erase()
window.bkgd(str(' '), self.term.attr('OrderBar'))
banner = docs.BANNER_SEARCH if self.content.query else self.BANNER
items = banner.strip().split(' ')
distance = (n_cols - sum(len(t) for t in items) - 1) / (len(items) - 1)
spacing = max(1, int(distance)) * ' '
text = spacing.join(items)
self.term.add_line(window, text, 0, 0)
if self.content.order is not None:
order = self.content.order.split('-')[0]
col = text.find(order) - 3
attr = self.term.attr('OrderBarHighlight')
window.chgat(0, col, 3, attr)
self._row += 1
| draw_banner | [
{
"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 window = self.term.stdscr.derwin(1, n_cols, self._row, 0)\n window.erase()\n window.bkgd(st... |
def x(self):
n_rows, n_cols = self.term.stdscr.getmaxyx()
window = self.term.stdscr.derwin(n_rows - self._row - 1, n_cols, self.
_row, 0)
window.erase()
win_n_rows, win_n_cols = window.getmaxyx()
self._subwindows = []
page_index, cursor_index, inverted = self.nav.position
step = self.nav.step
cancel_inverted = True
current_row = win_n_rows - 1 if inverted else 0
available_rows = win_n_rows
top_item_height = None if inverted else self.nav.top_item_height
for data in self.content.iterate(page_index, step, win_n_cols - 2):
subwin_n_rows = min(available_rows, data['n_rows'])
subwin_inverted = inverted
if top_item_height is not None:
subwin_n_rows = min(subwin_n_rows, top_item_height)
subwin_inverted = True
top_item_height = None
subwin_n_cols = win_n_cols - data['h_offset']
start = current_row - subwin_n_rows + 1 if inverted else current_row
subwindow = window.derwin(subwin_n_rows, subwin_n_cols, start, data
['h_offset'])
self._subwindows.append((subwindow, data, subwin_inverted))
available_rows -= subwin_n_rows + 1
current_row += step * (subwin_n_rows + 1)
if available_rows <= 0:
cancel_inverted = False
break
if len(self._subwindows) == 1:
cancel_inverted = True
if cancel_inverted and self.nav.inverted:
self.nav.flip(len(self._subwindows) - 1)
self._draw_content()
return
if self.nav.cursor_index >= len(self._subwindows):
self.nav.cursor_index = len(self._subwindows) - 1
for index, (win, data, inverted) in enumerate(self._subwindows):
if self.nav.absolute_index >= 0 and index == self.nav.cursor_index:
win.bkgd(str(' '), self.term.attr('Selected'))
with self.term.theme.turn_on_selected():
self._draw_item(win, data, inverted)
else:
win.bkgd(str(' '), self.term.attr('Normal'))
self._draw_item(win, data, inverted)
self._row += win_n_rows
| draw_content | [
{
"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 window = self.term.stdscr.derwin(n_rows - self._row - 1, n_cols, self.\n _row, 0)\n win... |
def x(self):
n_rows, n_cols = self.term.stdscr.getmaxyx()
window = self.term.stdscr.derwin(1, n_cols, self._row, 0)
window.erase()
window.bkgd(str(' '), self.term.attr('HelpBar'))
text = self.FOOTER.strip()
self.term.add_line(window, text, 0, 0)
self._row += 1
| draw_footer | [
{
"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 window = self.term.stdscr.derwin(1, n_cols, self._row, 0)\n window.erase()\n window.bkgd(st... |
def x(self):
parsed_path = urlparse(self.path)
if parsed_path.path != '/':
self.send_error(404)
qs = parse_qs(parsed_path.query)
self.params['state'] = qs['state'][0] if 'state' in qs else None
self.params['code'] = qs['code'][0] if 'code' in qs else None
self.params['error'] = qs['error'][0] if 'error' in qs else None
body = self.build_body()
self.send_response(200)
self.send_header('Content-Type', 'text/html; charset=UTF-8')
self.send_header('Content-Length', len(body))
self.end_headers()
self.wfile.write(body)
if self.shutdown_on_request:
thread = threading.Thread(target=self.server.shutdown)
thread.daemon = True
thread.start()
| do_GET | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parsed_path = urlparse(self.path)\n if parsed_path.path != '/':\n self.send_error(404)\n qs = parse_qs(parsed_path.query)\n self.pa... |
def x(self, template_file=INDEX):
if self.params['error'] == 'access_denied':
message = docs.OAUTH_ACCESS_DENIED
elif self.params['error'] is not None:
message = docs.OAUTH_ERROR.format(error=self.params['error'])
elif self.params['state'] is None or self.params['code'] is None:
message = docs.OAUTH_INVALID
else:
message = docs.OAUTH_SUCCESS
with codecs.open(template_file, 'r', 'utf-8') as fp:
index_text = fp.read()
body = string.Template(index_text).substitute(message=message)
body = codecs.encode(body, 'utf-8')
return body
| build_body | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, template_file=INDEX):\n if self.params['error'] == 'access_denied':\n message = docs.OAUTH_ACCESS_DENIED\n elif self.params['error'] is not ... |
def x():
logging.captureWarnings(True)
if six.PY3:
warnings.simplefilter('ignore', ResourceWarning)
if os.getenv('DISPLAY'):
title = 'rtv {0}'.format(__version__)
sys.stdout.write('\x1b]2;{0}\x07'.format(title))
sys.stdout.flush()
args = Config.get_args()
fargs, bindings = Config.get_file(args.get('config'))
config = Config()
config.update(**fargs)
config.update(**args)
if bindings:
config.keymap.set_bindings(bindings)
if config['copy_config']:
return copy_default_config()
if config['copy_mailcap']:
return copy_default_mailcap()
if config['list_themes']:
return Theme.print_themes()
config.load_history()
config.load_refresh_token()
if config['clear_auth']:
config.delete_refresh_token()
if config['log']:
logging.basicConfig(level=logging.DEBUG, filename=config['log'],
format=
'%(asctime)s:%(levelname)s:%(filename)s:%(lineno)d:%(message)s')
else:
logging.root.addHandler(logging.NullHandler())
default_locale = locale.setlocale(locale.LC_ALL, '')
try:
encoding = locale.getlocale()[1] or locale.getdefaultlocale()[1]
except ValueError:
_logger.warning(
'Error parsing system locale: `%s`, falling back to utf-8',
default_locale)
encoding = 'UTF-8'
if not encoding or encoding.lower() != 'utf-8':
text = (
'System encoding was detected as (%s) instead of UTF-8, falling back to ascii only mode'
% encoding)
warnings.warn(text)
config['ascii'] = True
if packages.__praw_bundled__:
praw_info = 'packaged, commit {}'.format(packages.__praw_hash__[:12])
else:
praw_info = 'system installed v{}'.format(praw.__version__)
patch_webbrowser()
if webbrowser_import_warning:
_logger.warning(
'webbrowser module was unexpectedly imported before$BROWSER could be overwritten'
)
user_agent = docs.AGENT.format(version=__version__)
debug_info = ['rtv version: rtv {}'.format(__version__),
'rtv module path: {}'.format(os.path.abspath(__file__)),
'python version: {}'.format(sys.version.replace('\n', ' ')),
'python executable: {}'.format(sys.executable), 'praw version: {}'.
format(praw_info), 'locale, encoding: {}, {}'.format(default_locale,
encoding), 'Environment Variables']
for name, value in [('BROWSER', BROWSER), ('DISPLAY', os.getenv(
'DISPLAY')), ('EDITOR', os.getenv('EDITOR')), ('LANG', os.getenv(
'LANG')), ('PAGER', os.getenv('PAGER')), ('RTV_BROWSER',
RTV_BROWSER), ('RTV_EDITOR', os.getenv('RTV_EDITOR')), ('RTV_PAGER',
os.getenv('RTV_PAGER')), ('RTV_URLVIEWER', os.getenv(
'RTV_URLVIEWER')), ('TERM', os.getenv('TERM')), ('VISUAL', os.
getenv('VISUAL')), ('XDG_CONFIG_HOME', os.getenv('XDG_CONFIG_HOME')
), ('XDG_DATA_HOME', os.getenv('XDG_DATA_HOME'))]:
debug_info.append(' {:<16}: {}'.format(name, value or ''))
debug_info.append('')
debug_text = '\n'.join(debug_info)
_logger.info(debug_text)
if config['debug_info']:
print(debug_text)
return
try:
with curses_session() as stdscr:
term = Terminal(stdscr, config)
if config['monochrome'] or config['theme'] == 'monochrome':
_logger.info('Using monochrome theme')
theme = Theme(use_color=False)
elif config['theme'] and config['theme'] != 'default':
_logger.info('Loading theme: %s', config['theme'])
theme = Theme.from_name(config['theme'])
else:
theme = None
term.set_theme(theme)
with term.loader('Initializing', catch_exception=False):
reddit = praw.Reddit(user_agent=user_agent,
decode_html_entities=False, disable_update_check=True,
timeout=10, handler=RequestHeaderRateLimiter())
reddit.config.api_request_delay = 300
oauth = OAuthHelper(reddit, term, config)
if config['autologin'] and config.refresh_token:
oauth.authorize(autologin=True)
if config['link']:
url = requests.head(config['link'], headers=reddit.http.
headers, allow_redirects=True).url
page = None
with term.loader('Loading submission'):
try:
page = SubmissionPage(reddit, term, config, oauth, url)
except Exception as e:
_logger.exception(e)
raise SubmissionError('Unable to load {0}'.format(url))
while page:
page = page.loop()
page = None
name = config['subreddit']
with term.loader('Loading subreddit'):
try:
page = SubredditPage(reddit, term, config, oauth, name)
except Exception as e:
_logger.exception(e)
page = SubredditPage(reddit, term, config, oauth, 'popular'
)
raise SubredditError('Unable to load {0}'.format(name))
while page:
page = page.loop()
except ConfigError as e:
_logger.exception(e)
print(e)
except Exception as e:
_logger.exception(e)
import traceback
exit_message = '\n'.join([debug_text, traceback.format_exc(),
'rtv has crashed. Please report this traceback at:',
"""https://github.com/michael-lazar/rtv/issues
"""])
sys.stderr.write(exit_message)
return 1
except KeyboardInterrupt:
pass
finally:
config.save_history()
if 'reddit' in locals():
reddit.handler.http.close()
| main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n logging.captureWarnings(True)\n if six.PY3:\n warnings.simplefilter('ignore', ResourceWarning)\n if os.getenv('DISPLAY'):\n title =... |
def x(self):
if self._display is None:
if sys.platform == 'darwin':
display = True
else:
display = bool(os.environ.get('DISPLAY'))
console_browsers = ['www-browser', 'links', 'links2', 'elinks',
'lynx', 'w3m']
if 'BROWSER' in os.environ:
user_browser = os.environ['BROWSER'].split(os.pathsep)[0]
if user_browser in console_browsers:
display = False
if webbrowser._tryorder:
if webbrowser._tryorder[0] in console_browsers:
display = False
self._display = display
return self._display
| display | [
{
"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._display is None:\n if sys.platform == 'darwin':\n display = True\n else:\n display = bool(os.environ.g... |
def x(window, y, x, ch, attr):
if sys.version_info[:3] == (3, 4, 0):
y, x = x, y
window.addch(y, x, ch, attr)
| addch | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(window, y, x, ch, attr):\n if sys.version_info[:3] == (3, 4, 0):\n y, x = x, y\n window.addch(y, x, ch, attr)\n",
"role": "user"
},
{
... |
def x(self, likes):
if likes is None:
return self.neutral_arrow, self.attr('NeutralVote')
elif likes:
return self.up_arrow, self.attr('Upvote')
else:
return self.down_arrow, self.attr('Downvote')
| get_arrow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, likes):\n if likes is None:\n return self.neutral_arrow, self.attr('NeutralVote')\n elif likes:\n return self.up_arrow, self.attr('Up... |
def x(self, string, n_cols=None):
if n_cols is not None and n_cols <= 0:
return ''
if isinstance(string, six.text_type):
string = unescape(string)
if self.config['ascii']:
if isinstance(string, six.binary_type):
string = string.decode('utf-8')
string = string.encode('ascii', 'replace')
return string[:n_cols] if n_cols else string
else:
if n_cols:
string = textual_width_chop(string, n_cols)
if isinstance(string, six.text_type):
string = string.encode('utf-8')
return string
| clean | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string, n_cols=None):\n if n_cols is not None and n_cols <= 0:\n return ''\n if isinstance(string, six.text_type):\n string = unescap... |
def x(self, window, text, row=None, col=None, attr=None):
cursor_row, cursor_col = window.getyx()
row = row if row is not None else cursor_row
col = col if col is not None else cursor_col
max_rows, max_cols = window.getmaxyx()
n_cols = max_cols - col - 1
if n_cols <= 0:
return
try:
text = self.clean(text, n_cols)
params = [] if attr is None else [attr]
window.addstr(row, col, text, *params)
except (curses.error, ValueError, TypeError) as e:
_logger.warning('add_line raised an exception')
_logger.exception(str(e))
| add_line | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, window, text, row=None, col=None, attr=None):\n cursor_row, cursor_col = window.getyx()\n row = row if row is not None else cursor_row\n col = c... |
def x(window):
row, col = window.getyx()
_, max_cols = window.getmaxyx()
n_cols = max_cols - col - 1
if n_cols <= 0:
return
window.addstr(row, col, ' ')
| add_space | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(window):\n row, col = window.getyx()\n _, max_cols = window.getmaxyx()\n n_cols = max_cols - col - 1\n if n_cols <= 0:\n return\n window.... |
def x(self, message, timeout=None, style='Info'):
assert style in ('Info', 'Warning', 'Error', 'Success')
if isinstance(message, six.string_types):
message = message.splitlines()
n_rows, n_cols = self.stdscr.getmaxyx()
v_offset, h_offset = self.stdscr.getbegyx()
box_width = max(len(m) for m in message) + 2
box_height = len(message) + 2
box_width = min(box_width, n_cols)
box_height = min(box_height, n_rows)
message = message[:box_height - 2]
s_row = (n_rows - box_height) // 2 + v_offset
s_col = (n_cols - box_width) // 2 + h_offset
window = curses.newwin(box_height, box_width, s_row, s_col)
window.bkgd(str(' '), self.attr('Notice{0}'.format(style)))
window.erase()
window.border()
for index, line in enumerate(message, start=1):
self.add_line(window, line, index, 1)
window.refresh()
ch, start = -1, time.time()
with self.no_delay():
while timeout is None or time.time() - start < timeout:
ch = self.getch()
if ch != -1:
break
time.sleep(0.01)
window.clear()
del window
self.stdscr.touchwin()
self.stdscr.refresh()
return ch
| show_notification | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, timeout=None, style='Info'):\n assert style in ('Info', 'Warning', 'Error', 'Success')\n if isinstance(message, six.string_types):\n ... |
def x(self, links):
link_pages = self.get_link_pages(links)
n = 0
while n in range(len(link_pages)):
link_page = link_pages[n]
text = 'Select a link to open (page {} of {}):\n\n'
text = text.format(n + 1, len(link_pages))
text += self.get_link_page_text(link_page)
if link_page is not link_pages[-1]:
text += '[j] next page...'
if link_page is not link_pages[0]:
if link_page is not link_pages[-1]:
text += '\n'
text += '[k] ...previous page'
try:
choice = chr(self.show_notification(text))
try:
choice = int(choice)
except ValueError:
pass
except ValueError:
return None
if choice == 'j':
if link_page is not link_pages[-1]:
n += 1
continue
elif choice == 'k':
if link_page is not link_pages[0]:
n -= 1
continue
elif choice not in range(len(link_page)):
return None
return link_page[choice]['href']
| prompt_user_to_select_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, links):\n link_pages = self.get_link_pages(links)\n n = 0\n while n in range(len(link_pages)):\n link_page = link_pages[n]\n text ... |
def x(links):
link_pages = []
i = 0
while i < len(links):
link_page = []
while i < len(links) and len(link_page) < 10:
link_page.append(links[i])
i += 1
link_pages.append(link_page)
return link_pages
| get_link_pages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(links):\n link_pages = []\n i = 0\n while i < len(links):\n link_page = []\n while i < len(links) and len(link_page) < 10:\n ... |
def x(link_page):
text = ''
for i, link in enumerate(link_page):
capped_link_text = link['text'] if len(link['text']) <= 20 else link[
'text'][:19] + '…'
text += '[{}] [{}]({})\n'.format(i, capped_link_text, link['href'])
return text
| get_link_page_text | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(link_page):\n text = ''\n for i, link in enumerate(link_page):\n capped_link_text = link['text'] if len(link['text']) <= 20 else link[\n ... |
def x(self, url):
if not self.config['enable_media']:
self.open_browser(url)
return
try:
with self.loader('Checking link', catch_exception=False):
command, entry = self.get_mailcap_entry(url)
except exceptions.MailcapEntryNotFound:
self.open_browser(url)
return
_logger.info('Executing command: %s', command)
needs_terminal = 'needsterminal' in entry
copious_output = 'copiousoutput' in entry
if needs_terminal or copious_output:
with self.suspend():
os.system('clear')
p = subprocess.Popen([command], stderr=subprocess.PIPE,
universal_newlines=True, shell=True)
_, stderr = p.communicate()
if copious_output:
six.moves.input('Press any key to continue')
code = p.poll()
if code != 0:
_logger.warning(stderr)
self.show_notification('Program exited with status={0}\n{1}'.
format(code, stderr.strip()), style='Error')
else:
with self.loader('Opening page', delay=0):
p = subprocess.Popen([command], shell=True, universal_newlines=
True, stdout=subprocess.PIPE, stderr=subprocess.PIPE)
time.sleep(1.0)
code = p.poll()
if code is not None and code != 0:
_, stderr = p.communicate()
raise exceptions.BrowserError(
'Program exited with status={0}\n{1}'.format(code,
stderr.strip()))
threading.Thread(target=p.communicate).start()
| open_link | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if not self.config['enable_media']:\n self.open_browser(url)\n return\n try:\n with self.loader('Checking link', catch... |
def x(self, url):
for parser in mime_parsers.parsers:
if parser.pattern.match(url):
try:
modified_url, content_type = parser.get_mimetype(url)
except Exception as e:
_logger.warning('parser %s raised an exception', parser)
_logger.exception(e)
raise exceptions.MailcapEntryNotFound()
if not content_type:
_logger.info('Content type could not be determined')
raise exceptions.MailcapEntryNotFound()
elif content_type == 'text/html':
_logger.info('Content type text/html, deferring to browser')
raise exceptions.MailcapEntryNotFound()
command, entry = mailcap.findmatch(self._mailcap_dict,
content_type, filename=modified_url)
if not entry:
_logger.info('Could not find a valid mailcap entry')
raise exceptions.MailcapEntryNotFound()
return command, entry
raise exceptions.MailcapEntryNotFound()
| get_mailcap_entry | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n for parser in mime_parsers.parsers:\n if parser.pattern.match(url):\n try:\n modified_url, content_type = par... |
def x(self, url):
if self.display:
with self.loader('Opening page in a new window'):
def x(url):
stdout, stderr = os.dup(1), os.dup(2)
null = os.open(os.devnull, os.O_RDWR)
try:
os.dup2(null, 1)
os.dup2(null, 2)
if self.config['force_new_browser_window']:
webbrowser.open_new(url)
else:
webbrowser.open_new_tab(url)
finally:
try:
os.close(null)
except OSError:
pass
os.dup2(stdout, 1)
os.dup2(stderr, 2)
p = Process(target=open_url_silent, args=(url,))
p.start()
try:
p.join(7)
if p.is_alive():
raise exceptions.BrowserError(
'Timeout waiting for browser to open')
finally:
try:
p.terminate()
except OSError:
pass
else:
with self.suspend():
if self.config['force_new_browser_window']:
webbrowser.open_new(url)
else:
webbrowser.open_new_tab(url)
| open_browser | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n if self.display:\n with self.loader('Opening page in a new window'):\n\n def x(url):\n stdout, stderr = os.du... |
def x(self, data, wrap=None):
pager = os.getenv('RTV_PAGER')
if pager is None:
pager = os.getenv('PAGER') or 'less'
command = shlex.split(pager)
if wrap:
data_lines = content.Content.wrap_text(data, wrap)
data = '\n'.join(data_lines)
try:
with self.suspend():
_logger.debug('Running command: %s', command)
p = subprocess.Popen(command, stdin=subprocess.PIPE)
try:
p.communicate(data.encode('utf-8'))
except KeyboardInterrupt:
p.terminate()
except OSError as e:
_logger.exception(e)
self.show_notification('Could not open pager %s' % pager)
| open_pager | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data, wrap=None):\n pager = os.getenv('RTV_PAGER')\n if pager is None:\n pager = os.getenv('PAGER') or 'less'\n command = shlex.split(pag... |
def x(self, data=''):
with NamedTemporaryFile(prefix='rtv_', suffix='.txt', delete=False) as fp:
filepath = fp.name
with codecs.open(filepath, 'w', 'utf-8') as fp:
fp.write(data)
_logger.info('File created: %s', filepath)
editor = os.getenv('RTV_EDITOR') or os.getenv('VISUAL') or os.getenv(
'EDITOR') or 'nano'
command = shlex.split(editor) + [filepath]
try:
with self.suspend():
_logger.debug('Running command: %s', command)
p = subprocess.Popen(command)
try:
p.communicate()
except KeyboardInterrupt:
p.terminate()
except OSError as e:
_logger.exception(e)
self.show_notification('Could not open file with %s' % editor)
with codecs.open(filepath, 'r', 'utf-8') as fp:
text = fp.read()
text = self.strip_instructions(text)
try:
yield text
except exceptions.TemporaryFileError:
_logger.info('Caught TemporaryFileError')
self.show_notification('Post saved as: %s' % filepath)
else:
try:
os.remove(filepath)
except OSError:
_logger.warning('Could not delete: %s', filepath)
else:
_logger.info('File deleted: %s', filepath)
| open_editor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data=''):\n with NamedTemporaryFile(prefix='rtv_', suffix='.txt', delete=False) as fp:\n filepath = fp.name\n with codecs.open(filepath, 'w'... |
def x(self, data):
urlview = os.getenv('RTV_URLVIEWER') or 'urlview'
command = shlex.split(urlview)
try:
with self.suspend():
_logger.debug('Running command: %s', command)
p = subprocess.Popen(command, stdin=subprocess.PIPE)
try:
p.communicate(input=data.encode('utf-8'))
except KeyboardInterrupt:
p.terminate()
code = p.poll()
if code == 1:
sys.stdout.write('\x1b[F')
sys.stdout.flush()
if code == 1:
self.show_notification('No URLs found')
except OSError as e:
_logger.exception(e)
self.show_notification('Failed to open {0}'.format(urlview))
| open_urlview | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n urlview = os.getenv('RTV_URLVIEWER') or 'urlview'\n command = shlex.split(urlview)\n try:\n with self.suspend():\n _l... |
def x(self, window, allow_resize=False):
window.clear()
self.curs_set(1)
textbox = textpad.Textbox(window)
textbox.stripspaces = 0
def x(ch):
if ch == self.ESCAPE:
raise exceptions.EscapeInterrupt()
if not allow_resize and ch == curses.KEY_RESIZE:
raise exceptions.EscapeInterrupt()
if ch == curses.ascii.DEL:
ch = curses.KEY_BACKSPACE
return ch
try:
out = textbox.edit(validate=validate)
if isinstance(out, six.binary_type):
out = out.decode('utf-8')
except exceptions.EscapeInterrupt:
out = None
self.curs_set(0)
return self.strip_textpad(out)
| text_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, window, allow_resize=False):\n window.clear()\n self.curs_set(1)\n textbox = textpad.Textbox(window)\n textbox.stripspaces = 0\n\n def x(c... |
def x(self, prompt, key=False):
n_rows, n_cols = self.stdscr.getmaxyx()
v_offset, h_offset = self.stdscr.getbegyx()
ch, attr = str(' '), self.attr('Prompt')
prompt = self.clean(prompt, n_cols - 1)
s_row = v_offset + n_rows - 1
s_col = h_offset
prompt_win = curses.newwin(1, len(prompt) + 1, s_row, s_col)
prompt_win.bkgd(ch, attr)
self.add_line(prompt_win, prompt)
prompt_win.refresh()
s_col = h_offset + len(prompt)
input_win = curses.newwin(1, n_cols - len(prompt), s_row, s_col)
input_win.bkgd(ch, attr)
input_win.refresh()
if key:
self.curs_set(1)
ch = self.getch()
text = ch if ch != self.ESCAPE else None
self.curs_set(0)
else:
text = self.text_input(input_win)
prompt_win.clear()
input_win.clear()
del prompt_win
del input_win
self.stdscr.touchwin()
self.stdscr.refresh()
return text
| prompt_input | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prompt, key=False):\n n_rows, n_cols = self.stdscr.getmaxyx()\n v_offset, h_offset = self.stdscr.getbegyx()\n ch, attr = str(' '), self.attr('Pr... |
def x(self, prompt):
ch = self.prompt_input(prompt, key=True)
if ch in (ord('Y'), ord('y')):
return True
elif ch in (ord('N'), ord('n'), None):
return False
else:
self.flash()
return False
| prompt_y_or_n | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, prompt):\n ch = self.prompt_input(prompt, key=True)\n if ch in (ord('Y'), ord('y')):\n return True\n elif ch in (ord('N'), ord('n'), None... |
def x(text):
if text is None:
return text
if '\n' not in text:
return text.rstrip()
stack, current_line = [], ''
for line in text.split('\n'):
if line.endswith(' ') or not line:
stack.append(current_line + line.rstrip())
current_line = ''
else:
current_line += line
stack.append(current_line)
for item in stack[::-1]:
if not item:
stack.pop()
else:
break
out = '\n'.join(stack)
return out
| strip_textpad | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n if text is None:\n return text\n if '\\n' not in text:\n return text.rstrip()\n stack, current_line = [], ''\n for line in t... |
def x(text):
flags = re.MULTILINE | re.DOTALL
pattern = '<!--{token}(.*?){token}-->'.format(token=TOKEN)
text = re.sub(pattern, '', text, flags=flags)
return re.sub('\\A[\\s\\n]*\\n', '', text, flags=flags).rstrip()
| strip_instructions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text):\n flags = re.MULTILINE | re.DOTALL\n pattern = '<!--{token}(.*?){token}-->'.format(token=TOKEN)\n text = re.sub(pattern, '', text, flags=flags)... |
def x(self):
if self._term != 'xterm-256color':
self.stdscr.touchwin()
else:
self.stdscr.clearok(True)
| clear_screen | [
{
"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._term != 'xterm-256color':\n self.stdscr.touchwin()\n else:\n self.stdscr.clearok(True)\n",
"role": "user"
},
{
... |
def x(theme):
terminal_colors = curses.COLORS if curses.has_colors() else 0
if theme.required_colors > terminal_colors:
return False
elif theme.required_color_pairs > curses.COLOR_PAIRS:
return False
else:
return True
| check_theme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(theme):\n terminal_colors = curses.COLORS if curses.has_colors() else 0\n if theme.required_colors > terminal_colors:\n return False\n elif the... |
def x(self, theme=None):
terminal_colors = curses.COLORS if curses.has_colors() else 0
default_theme = Theme(use_color=bool(terminal_colors))
if theme is None:
theme = default_theme
elif theme.required_color_pairs > curses.COLOR_PAIRS:
_logger.warning(
'Theme `%s` requires %s color pairs, but $TERM=%s only supports %s color pairs, switching to default theme'
, theme.name, theme.required_color_pairs, self._term, curses.
COLOR_PAIRS)
theme = default_theme
elif theme.required_colors > terminal_colors:
_logger.warning(
'Theme `%s` requires %s colors, but $TERM=%s only supports %s colors, switching to default theme'
, theme.name, theme.required_colors, self._term, curses.COLORS)
theme = default_theme
theme.bind_curses()
self.theme = theme
self.stdscr.bkgd(str(' '), self.attr('Normal'))
| set_theme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, theme=None):\n terminal_colors = curses.COLORS if curses.has_colors() else 0\n default_theme = Theme(use_color=bool(terminal_colors))\n if theme... |
def x(self):
by_object = self.reddit_session.config.by_object
return '{0}_{1}'.format(by_object[self.__class__], self.id)
| fullname | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n by_object = self.reddit_session.config.by_object\n return '{0}_{1}'.format(by_object[self.__class__], self.id)\n",
"role": "user"
},
{
... |
def x(self):
url = self.reddit_session.config['approve']
data = {'id': self.fullname}
response = self.reddit_session.request_json(url, data=data)
urls = [self.reddit_session.config[x] for x in ['modqueue', 'spam']]
if isinstance(self, Submission):
urls += self.subreddit._listing_urls
self.reddit_session.evict(urls)
return response
| approve | [
{
"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.reddit_session.config['approve']\n data = {'id': self.fullname}\n response = self.reddit_session.request_json(url, data=data)\n ... |
def x(self, as_made_by='mod', sticky=False):
url = self.reddit_session.config['distinguish']
data = {'id': self.fullname, 'how': 'yes' if as_made_by == 'mod' else
as_made_by}
if isinstance(self, Comment) and self.is_root:
data['sticky'] = sticky
return self.reddit_session.request_json(url, data=data)
| distinguish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, as_made_by='mod', sticky=False):\n url = self.reddit_session.config['distinguish']\n data = {'id': self.fullname, 'how': 'yes' if as_made_by == 'mo... |
def x(self):
url = self.reddit_session.config['ignore_reports']
data = {'id': self.fullname}
return self.reddit_session.request_json(url, data=data)
| ignore_reports | [
{
"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.reddit_session.config['ignore_reports']\n data = {'id': self.fullname}\n return self.reddit_session.request_json(url, data=data)\n... |
def x(self, spam=False):
url = self.reddit_session.config['remove']
data = {'id': self.fullname, 'spam': 'True' if spam else 'False'}
response = self.reddit_session.request_json(url, data=data)
urls = [self.reddit_session.config[x] for x in ['modqueue', 'spam']]
if isinstance(self, Submission) and hasattr(self, 'subreddit'):
urls += self.subreddit._listing_urls
self.reddit_session.evict(urls)
return response
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, spam=False):\n url = self.reddit_session.config['remove']\n data = {'id': self.fullname, 'spam': 'True' if spam else 'False'}\n response = self.... |
def x(self):
url = self.reddit_session.config['unignore_reports']
data = {'id': self.fullname}
return self.reddit_session.request_json(url, data=data)
| unignore_reports | [
{
"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.reddit_session.config['unignore_reports']\n data = {'id': self.fullname}\n return self.reddit_session.request_json(url, data=data)... |
def x(self):
url = self.reddit_session.config['del']
data = {'id': self.fullname}
response = self.reddit_session.request_json(url, data=data)
self.reddit_session.evict(self.reddit_session.config['user'])
return response
| delete | [
{
"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.reddit_session.config['del']\n data = {'id': self.fullname}\n response = self.reddit_session.request_json(url, data=data)\n sel... |
def x(self, text):
url = self.reddit_session.config['edit']
data = {'thing_id': self.fullname, 'text': text}
response = self.reddit_session.request_json(url, data=data)
self.reddit_session.evict(self.reddit_session.config['user'])
return response['data']['things'][0]
| edit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n url = self.reddit_session.config['edit']\n data = {'thing_id': self.fullname, 'text': text}\n response = self.reddit_session.request_js... |
def x(self, months=None):
if isinstance(self, Redditor):
months = int(months) if months is not None else 1
if months < 1:
raise TypeError('months must be at least 1')
if months > 36:
raise TypeError('months must be no more than 36')
response = self.reddit_session.request(self.reddit_session.config[
'gild_user'].format(username=six.text_type(self)), data={
'months': months})
elif months is not None:
raise TypeError('months is not a valid parameter for {0}'.format(
type(self)))
else:
response = self.reddit_session.request(self.reddit_session.config[
'gild_thing'].format(fullname=self.fullname), data=True)
return response.status_code == 200
| gild | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, months=None):\n if isinstance(self, Redditor):\n months = int(months) if months is not None else 1\n if months < 1:\n raise T... |
def x(self, _unhide=False):
return self.reddit_session.hide(self.fullname, _unhide=_unhide)
| hide | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _unhide=False):\n return self.reddit_session.hide(self.fullname, _unhide=_unhide)\n",
"role": "user"
},
{
"content": "hide",
"role": "... |
def x(self, text):
response = self.reddit_session._add_comment(self.fullname, text)
urls = [self.reddit_session.config['inbox']]
if isinstance(self, Comment):
urls.append(self.submission._api_link)
elif isinstance(self, Message):
urls.append(self.reddit_session.config['sent'])
self.reddit_session.evict(urls)
return response
| reply | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n response = self.reddit_session._add_comment(self.fullname, text)\n urls = [self.reddit_session.config['inbox']]\n if isinstance(self, C... |
def x(self):
unique = self.reddit_session._unique_count
self.reddit_session._unique_count += 1
if isinstance(self, Redditor):
other = Redditor(self.reddit_session, self._case_name, fetch=True,
uniq=unique)
elif isinstance(self, Comment):
sub = Submission.from_url(self.reddit_session, self.permalink,
params={'uniq': unique})
if sub.comments:
other = sub.comments[0]
else:
msg = (
'Comment {0} was deleted or removed, and had no replies when such happened, so a second request was made to /api/info.'
.format(self.name))
unique = self.reddit_session._unique_count
self.reddit_session._unique_count += 1
other = self.reddit_session.get_info(thing_id=self.name, params
={'uniq': unique})
oldkeys = set(self.__dict__.keys())
newkeys = set(other.__dict__.keys())
keydiff = ', '.join(oldkeys - newkeys)
if keydiff:
msg += '\nCould not retrieve:\n{0}'.format(keydiff)
self.__dict__.update(other.__dict__)
warn(msg, RuntimeWarning)
return self
elif isinstance(self, Multireddit):
other = Multireddit(self.reddit_session, author=self._author, name=
self.name, uniq=unique, fetch=True)
elif isinstance(self, Submission):
params = self._params.copy()
params['uniq'] = unique
other = Submission.from_url(self.reddit_session, self.permalink,
comment_sort=self._comment_sort, params=params)
elif isinstance(self, Subreddit):
other = Subreddit(self.reddit_session, self._case_name, fetch=True,
uniq=unique)
elif isinstance(self, WikiPage):
other = WikiPage(self.reddit_session, six.text_type(self.subreddit),
self.page, fetch=True, uniq=unique)
self.__dict__ = other.__dict__
return self
| refresh | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n unique = self.reddit_session._unique_count\n self.reddit_session._unique_count += 1\n if isinstance(self, Redditor):\n other = Reddito... |
def x(self, reason=None):
url = self.reddit_session.config['report']
data = {'id': self.fullname}
if reason:
data['reason'] = reason
response = self.reddit_session.request_json(url, data=data)
self.reddit_session.evict([self.reddit_session.config['user'], urljoin(
self.reddit_session.user._url, 'hidden')])
return response
| report | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, reason=None):\n url = self.reddit_session.config['report']\n data = {'id': self.fullname}\n if reason:\n data['reason'] = reason\n res... |
def x(self, unsave=False):
url = self.reddit_session.config['unsave' if unsave else 'save']
data = {'id': self.fullname, 'executed': 'unsaved' if unsave else 'saved'}
response = self.reddit_session.request_json(url, data=data)
self.reddit_session.evict(self.reddit_session.config['saved'])
return response
| save | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, unsave=False):\n url = self.reddit_session.config['unsave' if unsave else 'save']\n data = {'id': self.fullname, 'executed': 'unsaved' if unsave el... |
def x(self, direction=0):
url = self.reddit_session.config['vote']
data = {'id': self.fullname, 'dir': six.text_type(direction)}
if self.reddit_session.user:
urls = [urljoin(self.reddit_session.user._url, 'disliked'), urljoin
(self.reddit_session.user._url, 'liked')]
self.reddit_session.evict(urls)
return self.reddit_session.request_json(url, data=data)
| vote | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, direction=0):\n url = self.reddit_session.config['vote']\n data = {'id': self.fullname, 'dir': six.text_type(direction)}\n if self.reddit_sessio... |
def x(self):
if hasattr(self, 'link_id'):
sid = self.link_id.split('_')[1]
else:
sid = self.context.split('/')[4]
return urljoin(self.reddit_session.config['comments'], '{0}/_/{1}'.
format(sid, self.id))
| fast_permalink | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if hasattr(self, 'link_id'):\n sid = self.link_id.split('_')[1]\n else:\n sid = self.context.split('/')[4]\n return urljoin(sel... |
def x(self, submission):
submission._comments_by_id[self.name] = self
self._submission = submission
if self._replies:
for reply in self._replies:
reply._update_submission(submission)
| update_submission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, submission):\n submission._comments_by_id[self.name] = self\n self._submission = submission\n if self._replies:\n for reply in self._repl... |
def x(self):
sub_prefix = self.reddit_session.config.by_object[Submission]
return self.parent_id.startswith(sub_prefix)
| is_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sub_prefix = self.reddit_session.config.by_object[Submission]\n return self.parent_id.startswith(sub_prefix)\n",
"role": "user"
},
{
... |
def x(self):
if self._replies is None or not self._has_fetched_replies:
response = self.reddit_session.request_json(self._fast_permalink)
if response[1]['data']['children']:
self._replies = response[1]['data']['children'][0]._replies
else:
msg = (
'Comment {0} was deleted or removed, and had no replies when such happened, so it still has no replies'
.format(self.name))
warn(msg, RuntimeWarning)
self._replies = []
self._has_fetched_replies = True
if not self._submission:
self._submission = response[0]['data']['children'][0]
return self._replies
| replies | [
{
"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._replies is None or not self._has_fetched_replies:\n response = self.reddit_session.request_json(self._fast_permalink)\n if r... |
def x(self):
if not self._submission:
self._submission = self.reddit_session.get_submission(url=self.
_fast_permalink)
return self._submission
| submission | [
{
"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._submission:\n self._submission = self.reddit_session.get_submission(url=self.\n _fast_permalink)\n return self._s... |
def x(reddit_session, message_id, *args, **kwargs):
message_id = message_id.split('_', 1)[-1]
url = reddit_session.config['message'].format(messageid=message_id)
message_info = reddit_session.request_json(url, *args, **kwargs)
message = message_info['data']['children'][0]
if message.id == message_id:
return message
for child in message.replies:
if child.id == message_id:
return child
| from_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, message_id, *args, **kwargs):\n message_id = message_id.split('_', 1)[-1]\n url = reddit_session.config['message'].format(messageid=messa... |
def x(self):
url = self.reddit_session.config['collapse_message']
self.reddit_session.request_json(url, data={'id': self.name})
| collapse | [
{
"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.reddit_session.config['collapse_message']\n self.reddit_session.request_json(url, data={'id': self.name})\n",
"role": "user"
},... |
def x(self, _unmute=False):
path = 'unmute_sender' if _unmute else 'mute_sender'
return self.reddit_session.request_json(self.reddit_session.config[path
], data={'id': self.fullname})
| mute_modmail_author | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, _unmute=False):\n path = 'unmute_sender' if _unmute else 'mute_sender'\n return self.reddit_session.request_json(self.reddit_session.config[path\n ... |
def x(self):
url = self.reddit_session.config['uncollapse_message']
self.reddit_session.request_json(url, data={'id': self.name})
| uncollapse | [
{
"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.reddit_session.config['uncollapse_message']\n self.reddit_session.request_json(url, data={'id': self.name})\n",
"role": "user"
... |
def x(self, update=True):
if not self._comments:
if self.count == 0:
return self._continue_comments(update)
children = [x for x in self.children if 't1_{0}'.format(x) not in
self.submission._comments_by_id]
if not children:
return None
data = {'children': ','.join(children), 'link_id': self.submission.
fullname, 'r': str(self.submission.subreddit)}
if self.submission._comment_sort:
data['where'] = self.submission._comment_sort
url = self.reddit_session.config['morechildren']
response = self.reddit_session.request_json(url, data=data)
self._comments = response['data']['things']
if update:
for comment in self._comments:
comment._update_submission(self.submission)
return self._comments
| comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, update=True):\n if not self._comments:\n if self.count == 0:\n return self._continue_comments(update)\n children = [x for x i... |
def x(self, note=None, _unfriend=False):
self.reddit_session.evict(self.reddit_session.config['friends'])
if not self.reddit_session.is_oauth_session():
modifier = _modify_relationship('friend', unlink=_unfriend)
data = {'note': note} if note else {}
return modifier(self.reddit_session.user, self, **data)
url = self.reddit_session.config['friend_v1'].format(user=self.name)
if _unfriend:
data = {'id': self.name}
else:
data = {'note': note} if note else {}
data = dumps(data)
method = 'DELETE' if _unfriend else 'PUT'
return self.reddit_session.request_json(url, data=data, method=method)
| friend | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, note=None, _unfriend=False):\n self.reddit_session.evict(self.reddit_session.config['friends'])\n if not self.reddit_session.is_oauth_session():\n ... |
def x(self, *args, **kwargs):
kwargs['_use_oauth'] = self.reddit_session.is_oauth_session()
return _get_redditor_listing('downvoted')(self, *args, **kwargs)
| get_downvoted | [
{
"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 kwargs['_use_oauth'] = self.reddit_session.is_oauth_session()\n return _get_redditor_listing('downvoted')(self, *args, **kwargs... |
def x(self):
url = self.reddit_session.config['friend_v1'].format(user=self.name)
data = {'id': self.name}
return self.reddit_session.request_json(url, data=data, method='GET')
| get_friend_info | [
{
"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.reddit_session.config['friend_v1'].format(user=self.name)\n data = {'id': self.name}\n return self.reddit_session.request_json(url... |
def x(self, *args, **kwargs):
kwargs['_use_oauth'] = self.reddit_session.is_oauth_session()
return _get_redditor_listing('upvoted')(self, *args, **kwargs)
| get_upvoted | [
{
"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 kwargs['_use_oauth'] = self.reddit_session.is_oauth_session()\n return _get_redditor_listing('upvoted')(self, *args, **kwargs)\... |
def x(self, messages, unread=False):
ids = []
if isinstance(messages, Inboxable):
ids.append(messages.fullname)
elif hasattr(messages, '__iter__'):
for msg in messages:
if not isinstance(msg, Inboxable):
msg = 'Invalid message type: {0}'.format(type(msg))
raise ClientException(msg)
ids.append(msg.fullname)
else:
msg = 'Invalid message type: {0}'.format(type(messages))
raise ClientException(msg)
retval = self.reddit_session._mark_as_read(ids, unread=unread)
return retval
| 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, messages, unread=False):\n ids = []\n if isinstance(messages, Inboxable):\n ids.append(messages.fullname)\n elif hasattr(messages, '__ite... |
def x(self):
url = self.reddit_session.config['blocked']
return self.reddit_session.request_json(url)
| get_blocked | [
{
"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.reddit_session.config['blocked']\n return self.reddit_session.request_json(url)\n",
"role": "user"
},
{
"content": "get_b... |
def x(self):
if self._mod_subs is None:
self._mod_subs = {'mod': self.reddit_session.get_subreddit('mod')}
for sub in self.reddit_session.get_my_moderation(limit=None):
self._mod_subs[six.text_type(sub).lower()] = sub
return self._mod_subs
| get_cached_moderated_reddits | [
{
"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._mod_subs is None:\n self._mod_subs = {'mod': self.reddit_session.get_subreddit('mod')}\n for sub in self.reddit_session.get_... |
def x(tree):
more_comments = []
queue = [(None, x) for x in tree]
while len(queue) > 0:
parent, comm = queue.pop(0)
if isinstance(comm, MoreComments):
heappush(more_comments, comm)
if parent:
parent.replies.remove(comm)
else:
tree.remove(comm)
else:
for item in comm.replies:
queue.append((comm, item))
return more_comments
| extract_more_comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(tree):\n more_comments = []\n queue = [(None, x) for x in tree]\n while len(queue) > 0:\n parent, comm = queue.pop(0)\n if isinstance(co... |
def x(reddit_session, subreddit_id):
pseudo_data = {'id': subreddit_id, 'permalink': '/comments/{0}'.format(
subreddit_id)}
return Submission(reddit_session, pseudo_data)
| from_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, subreddit_id):\n pseudo_data = {'id': subreddit_id, 'permalink': '/comments/{0}'.format(\n subreddit_id)}\n return Submission(redd... |
def x(reddit_session, url, comment_limit=0, comment_sort=None,
comments_only=False, params=None):
if params is None:
params = {}
parsed = urlparse(url)
query_pairs = parse_qs(parsed.query)
get_params = dict((k, ','.join(v)) for k, v in query_pairs.items())
params.update(get_params)
url = urlunparse(parsed[:3] + ('', '', ''))
if comment_limit is None:
params['limit'] = 2048
elif comment_limit > 0:
params['limit'] = comment_limit
if comment_sort:
params['sort'] = comment_sort
response = reddit_session.request_json(url, params=params)
if comments_only:
return response[1]['data']['children']
submission = Submission.from_json(response)
submission._comment_sort = comment_sort
submission._params = params
return submission
| from_url | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(reddit_session, url, comment_limit=0, comment_sort=None,\n comments_only=False, params=None):\n if params is None:\n params = {}\n parsed = url... |
def x(self, text):
response = self.reddit_session._add_comment(self.fullname, text)
self.reddit_session.evict(self._api_link)
return response
| add_comment | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, text):\n response = self.reddit_session._add_comment(self.fullname, text)\n self.reddit_session.evict(self._api_link)\n return response\n",
... |
def x(self):
if self._comments is None:
self.comments = Submission.from_url(self.reddit_session, self.
_api_link, comments_only=True)
return self._comments
| comments | [
{
"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._comments is None:\n self.comments = Submission.from_url(self.reddit_session, self.\n _api_link, comments_only=True)\n ... |
def x(self, *args, **kwargs):
url = self.reddit_session.config['duplicates'].format(submissionid=self.id)
return self.reddit_session.get_content(url, *args, object_filter=1, **
kwargs)
| get_duplicates | [
{
"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 url = self.reddit_session.config['duplicates'].format(submissionid=self.id)\n return self.reddit_session.get_content(url, *args... |
def x(self, *args, **kwargs):
return self.subreddit.get_flair_choices(self.fullname, *args, **kwargs)
| get_flair_choices | [
{
"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.subreddit.get_flair_choices(self.fullname, *args, **kwargs)\n",
"role": "user"
},
{
"content": "get_flair_... |
def x(self):
url = self.reddit_session.config['lock']
data = {'id': self.fullname}
return self.reddit_session.request_json(url, data=data)
| lock | [
{
"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.reddit_session.config['lock']\n data = {'id': self.fullname}\n return self.reddit_session.request_json(url, data=data)\n",
"ro... |
def x(self, unmark_nsfw=False):
def x(self):
url = self.reddit_session.config['unmarknsfw' if unmark_nsfw else
'marknsfw']
data = {'id': self.fullname}
return self.reddit_session.request_json(url, data=data)
is_author = self.reddit_session.is_logged_in(
) and self.author == self.reddit_session.user
if is_author:
return mark_as_nsfw_helper(self)
else:
return restrict_access('modposts')(mark_as_nsfw_helper)(self)
| mark_as_nsfw | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, unmark_nsfw=False):\n\n def x(self):\n url = self.reddit_session.config['unmarknsfw' if unmark_nsfw else\n 'marknsfw']\n data... |
def x(self, limit=32, threshold=1):
if self._replaced_more:
return []
remaining = limit
more_comments = self._extract_more_comments(self.comments)
skipped = []
while more_comments:
item = heappop(more_comments)
if remaining == 0:
heappush(more_comments, item)
break
elif len(item.children) == 0 or 0 < item.count < threshold:
heappush(skipped, item)
continue
new_comments = item.comments(update=False)
if new_comments is not None and remaining is not None:
remaining -= 1
elif new_comments is None:
continue
for more in self._extract_more_comments(new_comments):
more._update_submission(self)
heappush(more_comments, more)
for comment in new_comments:
self._insert_comment(comment)
self._replaced_more = True
return more_comments + skipped
| replace_more_comments | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, limit=32, threshold=1):\n if self._replaced_more:\n return []\n remaining = limit\n more_comments = self._extract_more_comments(self.comm... |
def x(self, *args, **kwargs):
return self.subreddit.set_flair(self, *args, **kwargs)
| set_flair | [
{
"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.subreddit.set_flair(self, *args, **kwargs)\n",
"role": "user"
},
{
"content": "set_flair",
"role": "as... |
def x(self, sort='blank'):
url = self.reddit_session.config['suggested_sort']
data = {'id': self.fullname, 'sort': sort}
return self.reddit_session.request_json(url, data=data)
| set_suggested_sort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sort='blank'):\n url = self.reddit_session.config['suggested_sort']\n data = {'id': self.fullname, 'sort': sort}\n return self.reddit_session.re... |
def x(self, bottom=True):
url = self.reddit_session.config['sticky_submission']
data = {'id': self.fullname, 'state': True}
if not bottom:
data['num'] = 1
return self.reddit_session.request_json(url, data=data)
| sticky | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bottom=True):\n url = self.reddit_session.config['sticky_submission']\n data = {'id': self.fullname, 'state': True}\n if not bottom:\n da... |
def x(self):
url = self.reddit_session.config['unlock']
data = {'id': self.fullname}
return self.reddit_session.request_json(url, data=data)
| unlock | [
{
"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.reddit_session.config['unlock']\n data = {'id': self.fullname}\n return self.reddit_session.request_json(url, data=data)\n",
"... |
def x(self):
url = self.reddit_session.config['sticky_submission']
data = {'id': self.fullname, 'state': False}
return self.reddit_session.request_json(url, data=data)
| unsticky | [
{
"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.reddit_session.config['sticky_submission']\n data = {'id': self.fullname, 'state': False}\n return self.reddit_session.request_jso... |
def x(self):
csv = [{'user': x['user']} for x in self.get_flair_list(limit=None)]
if csv:
return self.set_flair_csv(csv)
else:
return
| clear_all_flair | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n csv = [{'user': x['user']} for x in self.get_flair_list(limit=None)]\n if csv:\n return self.set_flair_csv(csv)\n else:\n retur... |
def x(cls, reddit_session, json_dict):
json_dict['subreddits'] = [Subreddit(reddit_session, item['name']) for
item in json_dict['subreddits']]
return cls(reddit_session, None, None, json_dict)
| from_api_response | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, reddit_session, json_dict):\n json_dict['subreddits'] = [Subreddit(reddit_session, item['name']) for\n item in json_dict['subreddits']]\n ret... |
def x(self, subreddit, _delete=False, *args, **kwargs):
subreddit = six.text_type(subreddit)
url = self.reddit_session.config['multireddit_add'].format(user=self.
_author, multi=self.name, subreddit=subreddit)
method = 'DELETE' if _delete else 'PUT'
if not self.reddit_session._use_oauth:
self.reddit_session.http.headers['x-modhash'
] = self.reddit_session.modhash
data = {'model': dumps({'name': subreddit})}
try:
self.reddit_session.request(url, *args, data=data, method=method,
**kwargs)
finally:
if not self.reddit_session._use_oauth:
del self.reddit_session.http.headers['x-modhash']
| add_subreddit | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, subreddit, _delete=False, *args, **kwargs):\n subreddit = six.text_type(subreddit)\n url = self.reddit_session.config['multireddit_add'].format(use... |
def x(self, to_name):
return self.reddit_session.copy_multireddit(self._author, self.name,
to_name)
| copy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, to_name):\n return self.reddit_session.copy_multireddit(self._author, self.name,\n to_name)\n",
"role": "user"
},
{
"content": "cop... |
def x(self, *args, **kwargs):
return self.reddit_session.edit_multireddit(*args, name=self.name, **kwargs
)
| edit | [
{
"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.reddit_session.edit_multireddit(*args, name=self.name, **kwargs\n )\n",
"role": "user"
},
{
"conten... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.