source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(app):
from django.db.models.fields.files import FileDescriptor
FileDescriptor.__get__ = lambda self, *args, **kwargs: self
import django
django.setup()
app.connect('autodoc-skip-member', skip)
app.add_stylesheet('_static/custom.css')
| setup | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app):\n from django.db.models.fields.files import FileDescriptor\n FileDescriptor.__get__ = lambda self, *args, **kwargs: self\n import django\n dj... |
def x(request, user_id=None):
if (request.user.is_eighthoffice and 'full' not in request.GET and
user_id is not None):
return redirect('eighth_profile', user_id=user_id)
if user_id is not None:
try:
profile_user = User.objects.get(id=user_id)
if profile_user is None:
raise Http404
except User.DoesNotExist:
raise Http404
else:
profile_user = request.user
num_blocks = 6
eighth_schedule = []
start_block = EighthBlock.objects.get_first_upcoming_block()
blocks = []
if start_block:
blocks = [start_block] + list(start_block.next_blocks(num_blocks - 1))
for block in blocks:
sch = {'block': block}
try:
sch['signup'] = EighthSignup.objects.get(scheduled_activity__block
=block, user=profile_user)
except EighthSignup.DoesNotExist:
sch['signup'] = None
except MultipleObjectsReturned:
client.captureException()
sch['signup'] = None
eighth_schedule.append(sch)
if profile_user.is_eighth_sponsor:
sponsor = EighthSponsor.objects.get(user=profile_user)
start_date = get_start_date(request)
eighth_sponsor_schedule = EighthScheduledActivity.objects.for_sponsor(
sponsor).filter(block__date__gte=start_date).order_by('block__date'
, 'block__block_letter')
eighth_sponsor_schedule = eighth_sponsor_schedule[:10]
else:
eighth_sponsor_schedule = None
admin_or_teacher = request.user.is_eighth_admin or request.user.is_teacher
can_view_eighth = (profile_user.can_view_eighth or request.user ==
profile_user)
eighth_restricted_msg = not can_view_eighth and admin_or_teacher
if (not can_view_eighth and not request.user.is_eighth_admin and not
request.user.is_teacher):
eighth_schedule = []
has_been_nominated = profile_user.username in [u.nominee.username for u in
request.user.nomination_votes.filter(position__position_name=
settings.NOMINATION_POSITION)]
context = {'profile_user': profile_user, 'eighth_schedule':
eighth_schedule, 'can_view_eighth': can_view_eighth,
'eighth_restricted_msg': eighth_restricted_msg,
'eighth_sponsor_schedule': eighth_sponsor_schedule,
'nominations_active': settings.NOMINATIONS_ACTIVE,
'nomination_position': settings.NOMINATION_POSITION,
'has_been_nominated': has_been_nominated}
return render(request, 'users/profile.html', context)
| profile_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, user_id=None):\n if (request.user.is_eighthoffice and 'full' not in request.GET and \n user_id is not None):\n return redirect('eight... |
def x(request, user_id, year=None):
try:
user = User.objects.get(id=user_id)
except User.DoesNotExist:
raise Http404
default_image_path = os.path.join(settings.PROJECT_ROOT,
'static/img/default_profile_pic.png')
if user is None:
raise Http404
else:
if year is None:
preferred = user.preferred_photo
if preferred is None:
data = user.default_photo
if data is None:
image_buffer = io.open(default_image_path, mode='rb')
else:
image_buffer = io.BytesIO(data)
else:
data = preferred.binary
if data:
image_buffer = io.BytesIO(data)
else:
image_buffer = io.open(default_image_path, mode='rb')
else:
grade_number = Grade.number_from_name(year)
if user.photos.filter(grade_number=grade_number).exists():
data = user.photos.filter(grade_number=grade_number).first(
).binary
else:
data = None
if data:
image_buffer = io.BytesIO(data)
else:
image_buffer = io.open(default_image_path, mode='rb')
response = HttpResponse(content_type='image/jpeg')
response['Content-Disposition'] = 'filename={}_{}.jpg'.format(user_id,
year or preferred)
try:
img = image_buffer.read()
except UnicodeDecodeError:
img = io.open(default_image_path, mode='rb').read()
image_buffer.close()
response.write(img)
return response
| picture_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, user_id, year=None):\n try:\n user = User.objects.get(id=user_id)\n except User.DoesNotExist:\n raise Http404\n default_image_p... |
def x(sched_act_ids, include_instructions):
pdf_buffer = BytesIO()
h_margin = 1 * inch
v_margin = 0.5 * inch
doc = SimpleDocTemplate(pdf_buffer, pagesize=letter, rightMargin=
h_margin, leftMargin=h_margin, topMargin=v_margin, bottomMargin=
v_margin)
elements = []
styles = getSampleStyleSheet()
styles.add(ParagraphStyle(name='Center', alignment=TA_CENTER))
styles.add(ParagraphStyle(name='BlockLetter', fontSize=60, leading=72,
alignment=TA_CENTER))
styles.add(ParagraphStyle(name='BlockLetterSmall', fontSize=30, leading
=72, alignment=TA_CENTER))
styles.add(ParagraphStyle(name='BlockLetterSmallest', fontSize=20,
leading=72, alignment=TA_CENTER))
styles.add(ParagraphStyle(name='ActivityAttribute', fontSize=15,
leading=18, alignment=TA_RIGHT))
for i, said in enumerate(sched_act_ids):
sact = EighthScheduledActivity.objects.get(id=said)
sponsor_names = sact.get_true_sponsors().values_list('first_name',
'last_name')
sponsors_str = '; '.join(l + ', ' + f for f, l in sponsor_names)
room_names = sact.get_true_rooms().values_list('name', flat=True)
if len(room_names) == 1:
rooms_str = 'Room ' + room_names[0]
else:
rooms_str = 'Rooms: ' + ', '.join(r for r in room_names)
block_letter = sact.block.block_letter
if len(block_letter) < 4:
block_letter_width = 1 * inch
block_letter_width += 0.5 * inch * (len(block_letter) - 1)
block_letter_style = 'BlockLetter'
elif len(block_letter) < 7:
block_letter_width = 0.4 * inch
block_letter_width += 0.3 * inch * (len(block_letter) - 1)
block_letter_style = 'BlockLetterSmall'
else:
block_letter_width = 0.3 * inch
block_letter_width += 0.2 * inch * (len(block_letter) - 1)
block_letter_style = 'BlockLetterSmallest'
header_data = [[Paragraph(
'<b>Activity ID: {}<br />Scheduled ID: {}</b>'.format(sact.
activity.id, sact.id), styles['Normal']), Paragraph(
'{}<br/>{}<br/>{}'.format(sponsors_str, rooms_str, sact.block.
date.strftime('%A, %B %-d, %Y')), styles['ActivityAttribute']),
Paragraph(block_letter, styles[block_letter_style])]]
header_style = TableStyle([('VALIGN', (0, 0), (0, 0), 'TOP'), (
'VALIGN', (1, 0), (2, 0), 'MIDDLE'), ('TOPPADDING', (0, 0), (0,
0), 15), ('RIGHTPADDING', (1, 0), (1, 0), 0)])
elements.append(Table(header_data, style=header_style, colWidths=[2 *
inch, None, block_letter_width]))
elements.append(Spacer(0, 10))
elements.append(Paragraph(sact.full_title, styles['Title']))
num_members = sact.members.count()
num_members_label = '{} Student{}'.format(num_members, 's' if
num_members != 1 else '')
elements.append(Paragraph(num_members_label, styles['Center']))
elements.append(Spacer(0, 5))
attendance_data = [[Paragraph('Present', styles['Heading5']),
Paragraph('Student Name (ID)', styles['Heading5']), Paragraph(
'Grade', styles['Heading5'])]]
members = []
for member in sact.members.all():
members.append((member.last_name + ', ' + member.first_name,
member.student_id if member.student_id else 'User {}'.
format(member.id), int(member.grade) if member.grade else '?'))
members = sorted(members)
for member_name, member_id, member_grade in members:
row = ['', '{} ({})'.format(member_name, member_id), member_grade]
attendance_data.append(row)
attendance_style = TableStyle([('LINEABOVE', (0, 1), (2, 1), 1,
colors.black, None, None, None, 2), ('LINEBELOW', (0, 1), (0,
len(attendance_data)), 1, colors.black), ('TOPPADDING', (0, 1),
(-1, -1), 6), ('BOTTOMPADDING', (0, 1), (-1, -1), 0), (
'BOTTOMPADDING', (0, 0), (-1, 0), 5)])
elements.append(Table(attendance_data, style=attendance_style,
colWidths=[1.3 * inch, None, 0.8 * inch]))
elements.append(Spacer(0, 15))
instructions = """
<b>Highlight or circle</b> the names of students who are <b>absent</b>, and put an <b>"X"</b> next to those <b>present</b>.<br />
If a student arrives and their name is not on the roster, please send them to the <b>8th Period Office</b>.<br />
If a student leaves your activity early, please make a note. <b>Do not make any additions to the roster.</b><br />
Before leaving for the day, return the roster and any passes to 8th Period coordinator, Catherine Forrester's mailbox in the
<b>main office</b>. For questions, please call extension 5046 or 5078. Thank you!<br />"""
elements.append(Paragraph(instructions, styles['Normal']))
if i != len(sched_act_ids) - 1:
elements.append(PageBreak())
def x(canvas, _):
canvas.setTitle('Eighth Activity Roster')
canvas.setAuthor('Generated by Ion')
doc.build(elements, onFirstPage=first_page)
return pdf_buffer
| generate_roster_pdf | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sched_act_ids, include_instructions):\n pdf_buffer = BytesIO()\n h_margin = 1 * inch\n v_margin = 0.5 * inch\n doc = SimpleDocTemplate(pdf_buffer, ... |
def x(request, activity_id=None):
if not (request.user.is_eighth_admin or request.user.is_teacher):
return render(request, 'error/403.html', {'reason':
'You do not have permission to view statistics for this activity.'
}, status=403)
activity = get_object_or_404(EighthActivity, id=activity_id)
if request.GET.get('print', False):
response = HttpResponse(content_type='application/pdf')
buf = generate_statistics_pdf([activity], year=int(request.GET.get(
'year', 0)) or None)
response.write(buf.getvalue())
buf.close()
return response
current_year = current_school_year()
if EighthBlock.objects.count() == 0:
earliest_year = current_year
else:
earliest_year = EighthBlock.objects.order_by('date').first().date.year
if request.GET.get('year', False):
year = int(request.GET.get('year'))
else:
year = None
future = request.GET.get('future', False)
context = {'activity': activity, 'years': list(reversed(range(
earliest_year, current_year + 1))), 'year': year, 'future': future}
if year:
context.update(calculate_statistics(activity, year=year, future=future)
)
else:
context.update(calculate_statistics(activity, get_start_date(
request), future=future))
return render(request, 'eighth/statistics.html', context)
| stats_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, activity_id=None):\n if not (request.user.is_eighth_admin or request.user.is_teacher):\n return render(request, 'error/403.html', {'reason':... |
def x(self, name):
for interval, config in self._intervals.items():
if config['expire']:
expire_from = config['i_calc'].to_bucket(time.time() - config[
'expire'])
conn = self._client.connect()
conn.execute(self._table.delete().where(and_(self._table.c.name ==
name, self._table.c.interval == interval, self._table.c.
i_time <= expire_from)))
| expire | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n for interval, config in self._intervals.items():\n if config['expire']:\n expire_from = config['i_calc'].to_bucket(time.tim... |
def x(self, name, interval, config, timestamp, **kws):
i_bucket = config['i_calc'].to_bucket(timestamp)
fetch = kws.get('fetch')
process_row = kws.get('process_row') or self._process_row
rval = OrderedDict()
if fetch:
data = fetch(self._client.connect(), self._table, name, interval,
i_bucket)
else:
data = self._type_get(name, interval, i_bucket)
if config['coarse']:
if data:
rval[config['i_calc'].from_bucket(i_bucket)] = process_row(data
.values()[0][None])
else:
rval[config['i_calc'].from_bucket(i_bucket)] = self._type_no_value(
)
else:
for r_bucket, row_data in data.values()[0].items():
rval[config['r_calc'].from_bucket(r_bucket)] = process_row(row_data
)
return rval
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, interval, config, timestamp, **kws):\n i_bucket = config['i_calc'].to_bucket(timestamp)\n fetch = kws.get('fetch')\n process_row = kws.get... |
def x(self, name):
conn = self._client.connect()
conn.execute(self._table.delete().where(self._table.c.name == name))
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n conn = self._client.connect()\n conn.execute(self._table.delete().where(self._table.c.name == name))\n",
"role": "user"
},
{
"... |
def x(self, name, value, timestamp, interval, config, **kwargs):
kwargs = {'name': name, 'interval': interval, 'insert_time': time.time(
), 'i_time': config['i_calc'].to_bucket(timestamp), 'value': value}
if not config['coarse']:
kwargs['r_time'] = config['r_calc'].to_bucket(timestamp)
stmt = self._table.insert().values(**kwargs)
conn = self._client.connect()
result = conn.execute(stmt)
| insert_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, interval, config, **kwargs):\n kwargs = {'name': name, 'interval': interval, 'insert_time': time.time(\n ), 'i_time': c... |
def x(self, name, value, timestamp, interval, config, **kwargs):
conn = self._client.connect()
if not self._update_data(name, value, timestamp, interval, config, conn):
try:
kwargs = {'name': name, 'interval': interval, 'i_time': config[
'i_calc'].to_bucket(timestamp), 'value': value}
if not config['coarse']:
kwargs['r_time'] = config['r_calc'].to_bucket(timestamp)
stmt = self._table.insert().values(**kwargs)
result = conn.execute(stmt)
except:
if not self._update_data(name, value, timestamp, interval,
config, conn):
raise
| insert_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, interval, config, **kwargs):\n conn = self._client.connect()\n if not self._update_data(name, value, timestamp, interval, c... |
def x(self, name, value, timestamp, interval, config, conn):
i_time = config['i_calc'].to_bucket(timestamp)
if not config['coarse']:
r_time = config['r_calc'].to_bucket(timestamp)
else:
r_time = None
stmt = self._table.update().where(and_(self._table.c.name == name, self
._table.c.interval == interval, self._table.c.i_time == i_time,
self._table.c.r_time == r_time)).values({self._table.c.value: value})
rval = conn.execute(stmt)
return rval.rowcount
| update_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, interval, config, conn):\n i_time = config['i_calc'].to_bucket(timestamp)\n if not config['coarse']:\n r_time = conf... |
def x(url, parameters, percent_encode=True):
url_parts = list(parse.urlparse(url))
query = dict(parse.parse_qs(url_parts[4]))
query.update(parameters)
if percent_encode:
url_parts[4] = parse.urlencode(query)
else:
url_parts[4] = '&'.join([(key + '=' + value) for key, value in
query.items()])
return parse.urlunparse(url_parts)
| add_get_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url, parameters, percent_encode=True):\n url_parts = list(parse.urlparse(url))\n query = dict(parse.parse_qs(url_parts[4]))\n query.update(parameters)... |
def x(request):
categories = [('^/$', 'dashboard'), ('^/announcements', 'dashboard'), (
'^/eighth/admin', 'eighth_admin'), ('^/eighth', 'eighth'), (
'^/events', 'events'), ('^/files', 'files'), ('^/printing',
'printing'), ('^/groups', 'groups'), ('^/polls', 'polls'), (
'^/board', 'board'), ('/bus', 'bus')]
for pattern, category in categories:
p = re.compile(pattern)
if p.match(request.path):
return {'nav_category': category}
return {'nav_category': ''}
| nav_categorizer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n categories = [('^/$', 'dashboard'), ('^/announcements', 'dashboard'), (\n '^/eighth/admin', 'eighth_admin'), ('^/eighth', 'eighth'), (\n ... |
def x(request):
ctx = {}
try:
ua = request.META.get('HTTP_USER_AGENT', '')
if 'IonAndroid: gcmFrame' in ua:
logger.debug('IonAndroid %s', request.user)
ctx['is_android_client'] = True
registered = 'appRegistered:False' in ua
ctx['android_client_registered'] = registered
if request.user and request.user.is_authenticated:
"""Add/update NotificationConfig object."""
import binascii
import os
from intranet.apps.notifications.models import NotificationConfig
from datetime import datetime
ncfg, _ = NotificationConfig.objects.get_or_create(user=
request.user)
if not ncfg.android_gcm_rand:
rand = binascii.b2a_hex(os.urandom(32))
ncfg.android_gcm_rand = rand
else:
rand = ncfg.android_gcm_rand
ncfg.android_gcm_time = datetime.now()
logger.debug('GCM random token generated: %s', rand)
ncfg.save()
ctx['android_client_rand'] = rand
else:
ctx['is_android_client'] = False
ctx['android_client_register'] = False
except Exception:
ctx['is_android_client'] = False
ctx['android_client_register'] = False
return ctx
| mobile_app | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n ctx = {}\n try:\n ua = request.META.get('HTTP_USER_AGENT', '')\n if 'IonAndroid: gcmFrame' in ua:\n logger.debug('Io... |
def x(request):
today = datetime.datetime.now().date()
theme = {}
if today.month == 3 and 14 <= today.day <= 16:
theme = {'css': 'themes/piday/piday.css'}
return {'theme': theme}
| global_custom_theme | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n today = datetime.datetime.now().date()\n theme = {}\n if today.month == 3 and 14 <= today.day <= 16:\n theme = {'css': 'themes/pida... |
def x(request):
return {'show_homecoming': settings.HOCO_START_DATE < datetime.date.
today() and datetime.date.today() < settings.HOCO_END_DATE}
| show_homecoming | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n return {'show_homecoming': settings.HOCO_START_DATE < datetime.date.\n today() and datetime.date.today() < settings.HOCO_END_DATE}\n",
... |
def x(description='Export selected objects as CSV file', fields=None,
exclude=None, header=True):
def x(modeladmin, request, queryset):
opts = modeladmin.model._meta
field_names = set([field.name for field in opts.fields])
if fields:
fieldset = set(fields)
field_names = field_names & fieldset
elif exclude:
excludeset = set(exclude)
field_names = field_names - excludeset
response = HttpResponse(content_type='text/csv')
response['Content-Disposition'] = 'attachment; filename=%s.csv' % str(
opts).replace('.', '_')
writer = csv.writer(response)
if header:
writer.writerow(list(field_names))
for obj in queryset:
writer.writerow([str(getattr(obj, field)) for field in field_names]
)
return response
export_as_csv.short_description = description
return export_as_csv
| export_csv_action | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(description='Export selected objects as CSV file', fields=None,\n exclude=None, header=True):\n\n def x(modeladmin, request, queryset):\n opts = m... |
def x(self, **options):
perm_map = {}
with open('eighth_activity_permissions.csv', 'r') as absperms:
perms = csv.reader(absperms)
for row in perms:
aid, uid = row
try:
usr = User.objects.get(id=uid)
except User.DoesNotExist:
self.stdout.write("User {} doesn't exist, aid {}".format(
uid, aid))
else:
if aid in perm_map:
perm_map[aid].append(usr)
else:
perm_map[aid] = [usr]
for aid in perm_map:
try:
act = EighthActivity.objects.get(id=aid)
except EighthActivity.DoesNotExist:
self.stdout.write("Activity {} doesn't exist".format(aid))
else:
self.stdout.write('{}: {}'.format(aid, EighthActivity.objects.
get(id=aid)))
grp, _ = Group.objects.get_or_create(name='{} -- Permissions'.
format('{}'.format(act)[:55]))
users = perm_map[aid]
for u in users:
u.groups.add(grp)
u.save()
act.groups_allowed.add(grp)
act.save()
self.stdout.write('Done.')
| handle | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **options):\n perm_map = {}\n with open('eighth_activity_permissions.csv', 'r') as absperms:\n perms = csv.reader(absperms)\n for row... |
def x(self):
start_date, end_date = get_date_range_this_year()
return self.filter(start_time__gte=start_date, start_time__lte=end_date)
| this_year | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n start_date, end_date = get_date_range_this_year()\n return self.filter(start_time__gte=start_date, start_time__lte=end_date)\n",
"role": "us... |
def x(self, user):
return Poll.objects.filter(Q(groups__in=user.groups.all()) | Q(
groups__isnull=True))
| visible_to_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n return Poll.objects.filter(Q(groups__in=user.groups.all()) | Q(\n groups__isnull=True))\n",
"role": "user"
},
{
"content":... |
def x(page_range, max_pages):
pages = 0
try:
for r in page_range.split(','):
if '-' in r:
rr = r.split('-')
if len(rr) != 2:
return False
else:
rl = int(rr[0])
rh = int(rr[1])
if not 0 < rl < max_pages and not 0 < rh < max_pages:
return False
if rl > rh:
return False
pages += rh - rl + 1
else:
if not 0 < int(r) <= max_pages:
return False
pages += 1
except ValueError:
return False
return pages
| check_page_range | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page_range, max_pages):\n pages = 0\n try:\n for r in page_range.split(','):\n if '-' in r:\n rr = r.split('-')\n ... |
def x(request):
if not request.user.is_student:
return redirect('index')
return dashboard_view(request, show_welcome=True)
| student_welcome_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if not request.user.is_student:\n return redirect('index')\n return dashboard_view(request, show_welcome=True)\n",
"role": "user"
... |
def x(request, form, obj):
logger.debug(form.data)
teacher_ids = form.data['teachers_requested']
if not isinstance(teacher_ids, list):
teacher_ids = [teacher_ids]
logger.debug(teacher_ids)
teachers = User.objects.filter(id__in=teacher_ids)
logger.debug(teachers)
subject = 'News Post Confirmation Request from {}'.format(request.user.
full_name)
emails = []
for teacher in teachers:
emails.append(teacher.tj_email)
logger.debug(emails)
logger.info('%s: Announcement request to %s, %s', request.user,
teachers, emails)
base_url = request.build_absolute_uri(reverse('index'))
data = {'teachers': teachers, 'user': request.user, 'formdata': form.
data, 'info_link': request.build_absolute_uri(reverse(
'approve_announcement', args=[obj.id])), 'base_url': base_url}
logger.info('%s: Announcement request %s', request.user, data)
email_send('announcements/emails/teacher_approve.txt',
'announcements/emails/teacher_approve.html', data, subject, emails)
| request_announcement_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, form, obj):\n logger.debug(form.data)\n teacher_ids = form.data['teachers_requested']\n if not isinstance(teacher_ids, list):\n teache... |
def x(request, form, obj):
subject = 'News Post Approval Needed ({})'.format(obj.title)
emails = [settings.APPROVAL_EMAIL]
base_url = request.build_absolute_uri(reverse('index'))
data = {'req': obj, 'formdata': form.data, 'info_link': request.
build_absolute_uri(reverse('admin_approve_announcement', args=[obj.
id])), 'base_url': base_url}
email_send('announcements/emails/admin_approve.txt',
'announcements/emails/admin_approve.html', data, subject, emails)
| admin_request_announcement_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, form, obj):\n subject = 'News Post Approval Needed ({})'.format(obj.title)\n emails = [settings.APPROVAL_EMAIL]\n base_url = request.build_ab... |
def x(request, obj, req):
if not settings.PRODUCTION:
logger.debug(
'Not in production. Ignoring email for approved announcement.')
return
subject = 'Announcement Approved: {}'.format(obj.title)
""" Email to teachers who approved. """
teachers = req.teachers_approved.all()
teacher_emails = []
for u in teachers:
em = u.tj_email
if em:
teacher_emails.append(em)
base_url = request.build_absolute_uri(reverse('index'))
url = request.build_absolute_uri(reverse('view_announcement', args=[obj
.id]))
if len(teacher_emails) > 0:
data = {'announcement': obj, 'request': req, 'info_link': url,
'base_url': base_url, 'role': 'approved'}
email_send('announcements/emails/announcement_approved.txt',
'announcements/emails/announcement_approved.html', data,
subject, teacher_emails)
messages.success(request, 'Sent teacher approved email to {} users'
.format(len(teacher_emails)))
""" Email to submitter. """
submitter = req.user
submitter_email = submitter.tj_email
if submitter_email:
submitter_emails = [submitter_email]
data = {'announcement': obj, 'request': req, 'info_link': url,
'base_url': base_url, 'role': 'submitted'}
email_send('announcements/emails/announcement_approved.txt',
'announcements/emails/announcement_approved.html', data,
subject, submitter_emails)
messages.success(request, 'Sent teacher approved email to {} users'
.format(len(submitter_emails)))
| announcement_approved_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, obj, req):\n if not settings.PRODUCTION:\n logger.debug(\n 'Not in production. Ignoring email for approved announcement.')\n ... |
def x(request, obj, send_all=False):
if settings.EMAIL_ANNOUNCEMENTS:
subject = 'Announcement: {}'.format(obj.title)
if send_all:
users = User.objects.all()
else:
users = User.objects.filter(receive_news_emails=True)
send_groups = obj.groups.all()
emails = []
users_send = []
for u in users:
if len(send_groups) == 0:
em = u.emails.first() if u.emails.count() >= 1 else u.tj_email
if em:
emails.append(em)
users_send.append(u)
else:
user_groups = u.groups.all()
if any(i in send_groups for i in user_groups):
em = u.emails.first() if u.emails.count(
) >= 1 else u.tj_email
if em:
emails.append(em)
users_send.append(u)
logger.debug(users_send)
logger.debug(emails)
if not settings.PRODUCTION and len(emails) > 3:
raise exceptions.PermissionDenied(
"You're about to email a lot of people, and you aren't in production!"
)
return
base_url = request.build_absolute_uri(reverse('index'))
url = request.build_absolute_uri(reverse('view_announcement', args=
[obj.id]))
data = {'announcement': obj, 'info_link': url, 'base_url': base_url}
email_send_bcc('announcements/emails/announcement_posted.txt',
'announcements/emails/announcement_posted.html', data, subject,
emails)
messages.success(request, 'Sent email to {} users'.format(len(
users_send)))
else:
logger.debug('Emailing announcements disabled')
| announcement_posted_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, obj, send_all=False):\n if settings.EMAIL_ANNOUNCEMENTS:\n subject = 'Announcement: {}'.format(obj.title)\n if send_all:\n ... |
def x(text_template, html_template, data, subject, emails, headers=None):
text = get_template(text_template)
html = get_template(html_template)
text_content = text.render(data)
html_content = html.render(data)
subject = settings.EMAIL_SUBJECT_PREFIX + subject
headers = {} if headers is None else headers
msg = EmailMultiAlternatives(subject, text_content, settings.EMAIL_FROM,
emails, headers=headers)
msg.attach_alternative(html_content, 'text/html')
logger.debug('Emailing {} to {}'.format(subject, emails))
msg.send()
return msg
| email_send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(text_template, html_template, data, subject, emails, headers=None):\n text = get_template(text_template)\n html = get_template(html_template)\n text_c... |
def x(self, name):
try:
field = self.fields[name]
except KeyError:
raise KeyError("Key %r not found in '%s'" % (name, self.__class__.
__name__))
return BoundField(self, field, name)
| field_ | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n try:\n field = self.fields[name]\n except KeyError:\n raise KeyError(\"Key %r not found in '%s'\" % (name, self.__class__.\n... |
def x(func):
def x(series, *args, **kwargs):
connection = None
try:
connection = series._connection()
return func(series, connection, *args, **kwargs)
finally:
series._return(connection)
return _with
| scoped_connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(func):\n\n def x(series, *args, **kwargs):\n connection = None\n try:\n connection = series._connection()\n return func(... |
def x(self):
try:
return self._pool.get(False)
except Empty:
args = [self._host, self._port, self._keyspace]
kwargs = {'user': None, 'password': None, 'cql_version': self.
_cql_version, 'compression': self._compression,
'consistency_level': self._consistency_level, 'transport': self
._transport}
if self._credentials:
kwargs['user'] = self._credentials['user']
kwargs['password'] = self._credentials['password']
return cql.connect(*args, **kwargs)
| connection | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n return self._pool.get(False)\n except Empty:\n args = [self._host, self._port, self._keyspace]\n kwargs = {'user': N... |
def x(self, name, value, timestamp, intervals, **kwargs):
if self._value_type in QUOTE_TYPES and not QUOTE_MATCH.match(value):
value = "'%s'" % value
for interval, config in self._intervals.items():
timestamps = self._normalize_timestamps(timestamp, intervals, config)
for tstamp in timestamps:
self._insert_data(name, value, tstamp, interval, config, **kwargs)
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, intervals, **kwargs):\n if self._value_type in QUOTE_TYPES and not QUOTE_MATCH.match(value):\n value = \"'%s'\" % value... |
def x(self, connection, name, value, timestamp, interval, config):
cursor = connection.cursor()
try:
stmt = self._insert_stmt(name, value, timestamp, interval, config)
if stmt:
cursor.execute(stmt)
finally:
cursor.close()
| insert_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, name, value, timestamp, interval, config):\n cursor = connection.cursor()\n try:\n stmt = self._insert_stmt(name, value, timesta... |
def x(self, connection, name, interval, config, buckets, **kws):
fetch = kws.get('fetch')
process_row = kws.get('process_row') or self._process_row
rval = OrderedDict()
if fetch:
data = fetch(connection, self._table, name, interval, buckets)
else:
data = self._type_get(name, interval, buckets[0], buckets[-1])
if config['coarse']:
for i_bucket in buckets:
i_key = config['i_calc'].from_bucket(i_bucket)
i_data = data.get(i_bucket)
if i_data:
rval[i_key] = process_row(i_data[None])
else:
rval[i_key] = self._type_no_value()
elif data:
for i_bucket, i_data in data.items():
i_key = config['i_calc'].from_bucket(i_bucket)
rval[i_key] = OrderedDict()
for r_bucket, r_data in i_data.items():
r_key = config['r_calc'].from_bucket(r_bucket)
if r_data:
rval[i_key][r_key] = process_row(r_data)
else:
rval[i_key][r_key] = self._type_no_value()
return rval
| series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, connection, name, interval, config, buckets, **kws):\n fetch = kws.get('fetch')\n process_row = kws.get('process_row') or self._process_row\n rv... |
def x(self, name, value, timestamp, interval, config):
expire, ttl = config['expire'], config['ttl'](timestamp)
if expire and not ttl:
return None
i_time = config['i_calc'].to_bucket(timestamp)
if not config['coarse']:
r_time = config['r_calc'].to_bucket(timestamp)
else:
r_time = -1
stmt = (
"""INSERT INTO %s (name, interval, i_time, r_time, value)
VALUES ('%s', '%s', %s, %s, %s)"""
% (self._table, name, interval, i_time, r_time, value))
expire = config['expire']
if ttl:
stmt += ' USING TTL %s' % ttl
return stmt
| insert_stmt | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, interval, config):\n expire, ttl = config['expire'], config['ttl'](timestamp)\n if expire and not ttl:\n return None... |
def x(self, user):
return Event.objects.filter(approved=True).filter(Q(groups__in=user.
groups.all()) | Q(groups__isnull=True) | Q(user=user))
| visible_to_user | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n return Event.objects.filter(approved=True).filter(Q(groups__in=user.\n groups.all()) | Q(groups__isnull=True) | Q(user=user))\n",
... |
def x(self, user):
ids = user.events_hidden.all().values_list('event__id')
return Event.objects.filter(id__in=ids)
| hidden_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n ids = user.events_hidden.all().values_list('event__id')\n return Event.objects.filter(id__in=ids)\n",
"role": "user"
},
{
"con... |
def x(self):
date = self.time.replace(tzinfo=None)
if date <= datetime.now():
diff = datetime.now() - date
if diff.days >= 14:
return False
else:
diff = date - datetime.now()
if diff.days >= 14:
return False
return True
| show_fuzzy_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n date = self.time.replace(tzinfo=None)\n if date <= datetime.now():\n diff = datetime.now() - date\n if diff.days >= 14:\n ... |
def x(date):
date = date.replace(tzinfo=None)
if date <= datetime.now():
diff = datetime.now() - date
seconds = diff.total_seconds()
minutes = seconds // 60
hours = minutes // 60
if minutes <= 1:
return 'moments ago'
elif minutes < 60:
return '{} minutes ago'.format(int(seconds // 60))
elif hours < 24:
hrs = int(diff.seconds // (60 * 60))
return '{} hour{} ago'.format(hrs, 's' if hrs != 1 else '')
elif diff.days == 1:
return 'yesterday'
elif diff.days < 7:
return '{} days ago'.format(int(seconds // (60 * 60 * 24)))
elif diff.days < 14:
return date.strftime('last %A')
else:
return date.strftime('%A, %B %d, %Y')
else:
diff = date - datetime.now()
seconds = diff.total_seconds()
minutes = seconds // 60
hours = minutes // 60
if minutes <= 1:
return 'moments ago'
elif minutes < 60:
return 'in {} minutes'.format(int(seconds // 60))
elif hours < 24:
hrs = int(diff.seconds // (60 * 60))
return 'in {} hour{}'.format(hrs, 's' if hrs != 1 else '')
elif diff.days == 1:
return 'tomorrow'
elif diff.days < 7:
return 'in {} days'.format(int(seconds // (60 * 60 * 24)))
elif diff.days < 14:
return date.strftime('next %A')
else:
return date.strftime('%A, %B %d, %Y')
| fuzzy_date | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date):\n date = date.replace(tzinfo=None)\n if date <= datetime.now():\n diff = datetime.now() - date\n seconds = diff.total_seconds()\n ... |
def x(page, page_args):
print(page_args)
template_name = page.template if page.template else page.name
template = 'signage/pages/{}.html'.format(template_name)
if page.function:
context_method = getattr(pages, page.function)
else:
context_method = getattr(pages, page.name)
sign, request = page_args
context = context_method(page, sign, request)
return render_to_string(template, context)
| render_page | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(page, page_args):\n print(page_args)\n template_name = page.template if page.template else page.name\n template = 'signage/pages/{}.html'.format(templ... |
def x(request, obj):
logger.debug('Announcement posted')
if obj.notify_post:
logger.debug('Announcement notify on')
announcement_posted_twitter(request, obj)
try:
notify_all = obj.notify_email_all
except AttributeError:
notify_all = False
try:
if notify_all:
announcement_posted_email(request, obj, True)
else:
announcement_posted_email(request, obj)
except Exception as e:
logger.error('Exception when emailing announcement: {}'.format(e))
messages.error(request,
'Exception when emailing announcement: {}'.format(e))
raise e
else:
logger.debug('Announcement notify off')
| announcement_posted_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, obj):\n logger.debug('Announcement posted')\n if obj.notify_post:\n logger.debug('Announcement notify on')\n announcement_posted_t... |
def x(request):
if request.method == 'POST':
form = AnnouncementRequestForm(request.POST)
logger.debug(form)
logger.debug(form.data)
if form.is_valid():
teacher_objs = form.cleaned_data['teachers_requested']
logger.debug('teacher objs:')
logger.debug(teacher_objs)
if len(teacher_objs) > 2:
messages.error(request,
'Please select a maximum of 2 teachers to approve this post.'
)
else:
obj = form.save(commit=True)
obj.user = request.user
obj.content = safe_html(obj.content)
obj.save()
ann = AnnouncementRequest.objects.get(id=obj.id)
logger.debug(teacher_objs)
approve_self = False
for teacher in teacher_objs:
ann.teachers_requested.add(teacher)
if teacher == request.user:
approve_self = True
ann.save()
if approve_self:
ann.teachers_approved.add(teacher)
ann.save()
if settings.SEND_ANNOUNCEMENT_APPROVAL:
admin_request_announcement_email(request, form, ann)
ann.admin_email_sent = True
ann.save()
return redirect('request_announcement_success_self')
else:
if settings.SEND_ANNOUNCEMENT_APPROVAL:
request_announcement_email(request, form, obj)
return redirect('request_announcement_success')
return redirect('index')
else:
messages.error(request, 'Error adding announcement request')
else:
form = AnnouncementRequestForm()
return render(request, 'announcements/request.html', {'form': form,
'action': 'add'})
| request_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'POST':\n form = AnnouncementRequestForm(request.POST)\n logger.debug(form)\n logger.debug(form.data)\... |
def x(request, req_id):
req = get_object_or_404(AnnouncementRequest, id=req_id)
requested_teachers = req.teachers_requested.all()
logger.debug(requested_teachers)
if request.user not in requested_teachers:
messages.error(request,
'You do not have permission to approve this announcement.')
return redirect('index')
if request.method == 'POST':
form = AnnouncementRequestForm(request.POST, instance=req)
if form.is_valid():
obj = form.save(commit=True)
obj.content = safe_html(obj.content)
obj.save()
if 'approve' in request.POST:
obj.teachers_approved.add(request.user)
obj.save()
if not obj.admin_email_sent:
if settings.SEND_ANNOUNCEMENT_APPROVAL:
admin_request_announcement_email(request, form, obj)
obj.admin_email_sent = True
obj.save()
return redirect('approve_announcement_success')
else:
obj.save()
return redirect('approve_announcement_reject')
form = AnnouncementRequestForm(instance=req)
context = {'form': form, 'req': req, 'admin_approve': False}
return render(request, 'announcements/approve.html', context)
| approve_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, req_id):\n req = get_object_or_404(AnnouncementRequest, id=req_id)\n requested_teachers = req.teachers_requested.all()\n logger.debug(request... |
def x(request, req_id):
req = get_object_or_404(AnnouncementRequest, id=req_id)
requested_teachers = req.teachers_requested.all()
logger.debug(requested_teachers)
if request.method == 'POST':
form = AnnouncementRequestForm(request.POST, instance=req)
if form.is_valid():
req = form.save(commit=True)
req.content = safe_html(req.content)
if 'approve' in request.POST:
groups = []
if 'groups' in request.POST:
group_ids = request.POST.getlist('groups')
groups = Group.objects.filter(id__in=group_ids)
logger.debug(groups)
announcement = Announcement.objects.create(title=req.title,
content=req.content, author=req.author, user=req.user,
expiration_date=req.expiration_date)
for g in groups:
announcement.groups.add(g)
announcement.save()
req.posted = announcement
req.posted_by = request.user
req.save()
announcement_approved_hook(request, announcement, req)
announcement_posted_hook(request, announcement)
messages.success(request,
'Successfully approved announcement request. It has been posted.'
)
else:
req.rejected = True
req.rejected_by = request.user
req.save()
messages.success(request,
'You did not approve this request. It will be hidden.')
return redirect('index')
form = AnnouncementRequestForm(instance=req)
all_groups = Group.objects.all()
context = {'form': form, 'req': req, 'admin_approve': True,
'all_groups': all_groups}
return render(request, 'announcements/approve.html', context)
| admin_approve_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, req_id):\n req = get_object_or_404(AnnouncementRequest, id=req_id)\n requested_teachers = req.teachers_requested.all()\n logger.debug(request... |
def x(request):
if request.method == 'POST':
form = AnnouncementForm(request.POST)
logger.debug(form)
if form.is_valid():
obj = form.save()
obj.user = request.user
obj.content = safe_html(obj.content)
obj.save()
announcement_posted_hook(request, obj)
messages.success(request, 'Successfully added announcement.')
return redirect('index')
else:
messages.error(request, 'Error adding announcement')
else:
form = AnnouncementForm()
return render(request, 'announcements/add_modify.html', {'form': form,
'action': 'add'})
| add_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'POST':\n form = AnnouncementForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n ... |
def x(request, id):
announcement = get_object_or_404(Announcement, id=id)
return render(request, 'announcements/view.html', {'announcement':
announcement})
| view_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, id):\n announcement = get_object_or_404(Announcement, id=id)\n return render(request, 'announcements/view.html', {'announcement':\n annou... |
def x(request, id=None):
if request.method == 'POST':
announcement = get_object_or_404(Announcement, id=id)
form = AnnouncementForm(request.POST, instance=announcement)
if form.is_valid():
obj = form.save()
logger.debug(form.cleaned_data)
if 'update_added_date' in form.cleaned_data and form.cleaned_data[
'update_added_date']:
logger.debug('Update added date')
obj.added = timezone.now()
obj.content = safe_html(obj.content)
obj.save()
messages.success(request, 'Successfully modified announcement.')
return redirect('index')
else:
messages.error(request, 'Error adding announcement')
else:
announcement = get_object_or_404(Announcement, id=id)
form = AnnouncementForm(instance=announcement)
context = {'form': form, 'action': 'modify', 'id': id, 'announcement':
announcement}
return render(request, 'announcements/add_modify.html', context)
| modify_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, id=None):\n if request.method == 'POST':\n announcement = get_object_or_404(Announcement, id=id)\n form = AnnouncementForm(request.PO... |
def x(request, id):
if request.method == 'POST':
post_id = None
try:
post_id = request.POST['id']
except AttributeError:
post_id = None
try:
a = Announcement.objects.get(id=post_id)
if request.POST.get('full_delete', False):
a.delete()
messages.success(request, 'Successfully deleted announcement.')
else:
a.expiration_date = datetime.datetime.now()
a.save()
messages.success(request, 'Successfully expired announcement.')
except Announcement.DoesNotExist:
pass
return redirect('index')
else:
announcement = get_object_or_404(Announcement, id=id)
return render(request, 'announcements/delete.html', {'announcement':
announcement})
| delete_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, id):\n if request.method == 'POST':\n post_id = None\n try:\n post_id = request.POST['id']\n except AttributeError:... |
def x(request):
if request.method == 'POST':
announcement_id = request.POST.get('announcement_id')
if announcement_id:
announcement = Announcement.objects.get(id=announcement_id)
announcement.user_map.users_hidden.remove(request.user)
announcement.user_map.save()
return http.HttpResponse('Unhidden')
raise http.Http404
else:
return http.HttpResponseNotAllowed(['POST'],
'HTTP 405: METHOD NOT ALLOWED')
| show_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'POST':\n announcement_id = request.POST.get('announcement_id')\n if announcement_id:\n announceme... |
def x(request):
if request.method == 'POST':
announcement_id = request.POST.get('announcement_id')
if announcement_id:
announcement = Announcement.objects.get(id=announcement_id)
try:
announcement.user_map.users_hidden.add(request.user)
announcement.user_map.save()
except IntegrityError:
logger.warning(
'Duplicate value when hiding announcement {} for {}.'.
format(announcement_id, request.user.username))
return http.HttpResponse('Hidden')
raise http.Http404
else:
return http.HttpResponseNotAllowed(['POST'],
'HTTP 405: METHOD NOT ALLOWED')
| hide_announcement_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if request.method == 'POST':\n announcement_id = request.POST.get('announcement_id')\n if announcement_id:\n announceme... |
def x(self):
form = super(AuthenticateForm, self).is_valid()
for f, error in self.errors.items():
if f != '__all__':
self.fields[f].widget.attrs.update({'class': 'error',
'placeholder': ', '.join(list(error))})
else:
errors = list(error)
if 'This account is inactive.' in errors:
message = 'Intranet access restricted'
else:
message = 'Invalid password'
self.fields['password'].widget.attrs.update({'class': 'error',
'placeholder': message})
return form
| is_valid | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n form = super(AuthenticateForm, self).is_valid()\n for f, error in self.errors.items():\n if f != '__all__':\n self.fields[f].w... |
def x(request, format=None):
views = OrderedDict((('Schedule', {'/schedule': ["Get today's schedule",
perma_reverse(request, 'api_schedule_day_list')],
'/schedule?page_size=<num>': [
'Get the schedule for the next <num> days', '{}?page_size=7'.format
(perma_reverse(request, 'api_schedule_day_list'))],
'/schedule/<date>': [
'Get the schedule for a specific day, in YYYY-MM-DD format',
perma_reverse(request, 'api_schedule_day_detail', kwargs={'date':
'2016-04-04'})]}), ('Announcements', {'/announcements': [
'Get announcement list', perma_reverse(request,
'api_announcements_list_create')], '/announcements/<pk>': [
'Get announcement details', perma_reverse(request,
'api_announcements_detail', kwargs={'pk': 2999})]}), (
'Emergency Announcements', {'/emerg': [
'Get FCPS emergency announcements', perma_reverse(request,
'api_emerg_status')]}), ('Profile', {'/profile': [
'Get current user profile', perma_reverse(request,
'api_user_myprofile_detail')], '/profile/<pk>': [
'Get specific user profile', perma_reverse(request,
'api_user_profile_detail', kwargs={'pk': 489})],
'/profile/<username>': ['Get specific user profile by username',
perma_reverse(request, 'api_user_profile_detail_by_username',
kwargs={'username': '2017ewang'})], '/profile/<pk>/picture': [
"Get a specific user's profile picture", perma_reverse(request,
'api_user_profile_picture_default', kwargs={'pk': 489})],
'/profile/<username>/picture': [
"Get a specific user's profile picture by username", perma_reverse(
request, 'api_user_profile_picture_default_by_username', kwargs={
'username': '2017ewang'})]}), ('Search', {'/search/<query>': [
'Search users', perma_reverse(request, 'api_user_search', kwargs={
'query': 'last:Kim'})]}), ('Blocks', {'/blocks': ['Get block list',
perma_reverse(request, 'api_eighth_block_list')],
'/blocks?start_date=<start_date>': [
'Get a block list starting on the specified date (in YYYY-MM-DD format).'
, '{}?start_date=2015-11-18'.format(perma_reverse(request,
'api_eighth_block_list'))], '/blocks?date=<date>': [
'Get a list of blocks only on the specified date (in YYYY-MM-DD format).'
, '{}?date=2015-11-18'.format(perma_reverse(request,
'api_eighth_block_list'))], '/blocks/<pk>': [
'Get a list of activities on a block', perma_reverse(request,
'api_eighth_block_detail', kwargs={'pk': 3030})]}), ('Activities',
{'/activities': ['Get eighth activity list', perma_reverse(request,
'api_eighth_activity_list')], '/activities/<pk>': [
'Get eighth activity details', perma_reverse(request,
'api_eighth_activity_detail', kwargs={'pk': 115})]}), ('Signups', {
'/signups/user': [
'Get eighth signups for current user, or sign up a user for activity',
perma_reverse(request, 'api_eighth_user_signup_list_myid')],
'/signups/user/<user_id>': ['Get eighth signups for specific user',
perma_reverse(request, 'api_eighth_user_signup_list', kwargs={
'user_id': 8889})], '/signups/user/favorites': [
'Get favorited eighth activities for current user, or toggle whether an activity is favorited'
, perma_reverse(request, 'api_eighth_user_favorites_list_myid')],
'/signups/scheduled_activity/<scheduled_activity_id>': [
'Get eighth signups for a specific scheduled activity',
perma_reverse(request, 'api_eighth_scheduled_activity_signup_list',
kwargs={'scheduled_activity_id': 889})]})))
return Response(views)
| api_root | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, format=None):\n views = OrderedDict((('Schedule', {'/schedule': [\"Get today's schedule\",\n perma_reverse(request, 'api_schedule_day_list')... |
def x(self, config, name, timestamp):
i_bucket = config['i_calc'].to_bucket(timestamp)
r_bucket = config['r_calc'].to_bucket(timestamp)
i_key = '%s%s:%s:%s' % (self._prefix, name, config['interval'], i_bucket)
r_key = '%s:%s' % (i_key, r_bucket)
return i_bucket, r_bucket, i_key, r_key
| calc_keys | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, name, timestamp):\n i_bucket = config['i_calc'].to_bucket(timestamp)\n r_bucket = config['r_calc'].to_bucket(timestamp)\n i_key = '%s%s:... |
def x(self, inserts, intervals, **kwargs):
if 'pipeline' in kwargs:
pipe = kwargs.get('pipeline')
own_pipe = False
else:
pipe = self._client.pipeline(transaction=False)
kwargs['pipeline'] = pipe
own_pipe = True
ttl_batch = set()
for timestamp, names in inserts.iteritems():
for name, values in names.iteritems():
for value in values:
self._insert(name, value, timestamp, intervals, ttl_batch=
ttl_batch, **kwargs)
for ttl_args in ttl_batch:
pipe.expire(*ttl_args)
if own_pipe:
kwargs['pipeline'].execute()
| batch_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inserts, intervals, **kwargs):\n if 'pipeline' in kwargs:\n pipe = kwargs.get('pipeline')\n own_pipe = False\n else:\n pipe = ... |
def x(self, name, value, timestamp, intervals, **kwargs):
if 'pipeline' in kwargs:
pipe = kwargs.get('pipeline')
else:
pipe = self._client.pipeline(transaction=False)
for interval, config in self._intervals.iteritems():
timestamps = self._normalize_timestamps(timestamp, intervals, config)
for tstamp in timestamps:
self._insert_data(name, value, tstamp, interval, config, pipe,
ttl_batch=kwargs.get('ttl_batch'))
if 'pipeline' not in kwargs:
pipe.execute()
| insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, intervals, **kwargs):\n if 'pipeline' in kwargs:\n pipe = kwargs.get('pipeline')\n else:\n pipe = self._clien... |
def x(self, name, value, timestamp, interval, config, pipe, ttl_batch=None):
expire, ttl = config['expire'], config['ttl'](timestamp)
if expire and not ttl:
return
i_bucket, r_bucket, i_key, r_key = self._calc_keys(config, name, timestamp)
if config['coarse']:
self._type_insert(pipe, i_key, value)
else:
pipe.sadd(i_key, r_bucket)
self._type_insert(pipe, r_key, value)
if expire:
ttl_args = i_key, ttl
if ttl_batch is not None:
ttl_batch.add(ttl_args)
else:
pipe.expire(*ttl_args)
if not config['coarse']:
ttl_args = r_key, ttl
if ttl_batch is not None:
ttl_batch.add(ttl_args)
else:
pipe.expire(*ttl_args)
| insert_data | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, value, timestamp, interval, config, pipe, ttl_batch=None):\n expire, ttl = config['expire'], config['ttl'](timestamp)\n if expire and not ttl... |
def x(self, name):
keys = self._client.keys('%s%s:*' % (self._prefix, name))
pipe = self._client.pipeline(transaction=False)
for key in keys:
pipe.delete(key)
pipe.execute()
return len(keys)
| delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n keys = self._client.keys('%s%s:*' % (self._prefix, name))\n pipe = self._client.pipeline(transaction=False)\n for key in keys:\n ... |
def x(self, name, interval, config, timestamp, **kws):
i_bucket, r_bucket, i_key, r_key = self._calc_keys(config, name, timestamp)
fetch = kws.get('fetch') or self._type_get
process_row = kws.get('process_row') or self._process_row
rval = OrderedDict()
if config['coarse']:
data = process_row(fetch(self._client, i_key))
rval[config['i_calc'].from_bucket(i_bucket)] = data
else:
resolution_buckets = sorted(map(int, self._client.smembers(i_key)))
pipe = self._client.pipeline(transaction=False)
for bucket in resolution_buckets:
r_key = '%s:%s' % (i_key, bucket)
fetch(pipe, r_key)
res = pipe.execute()
for idx, data in enumerate(res):
data = process_row(data)
rval[config['r_calc'].from_bucket(resolution_buckets[idx])] = data
return rval
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, interval, config, timestamp, **kws):\n i_bucket, r_bucket, i_key, r_key = self._calc_keys(config, name, timestamp)\n fetch = kws.get('fetch')... |
def x(self, name, interval, config, buckets, **kws):
pipe = self._client.pipeline(transaction=False)
step = config['step']
resolution = config.get('resolution', step)
fetch = kws.get('fetch') or self._type_get
process_row = kws.get('process_row') or self._process_row
rval = OrderedDict()
for interval_bucket in buckets:
i_key = '%s%s:%s:%s' % (self._prefix, name, interval, interval_bucket)
if config['coarse']:
fetch(pipe, i_key)
else:
pipe.smembers(i_key)
res = pipe.execute()
for idx, data in enumerate(res):
interval_bucket = buckets[idx]
interval_key = '%s%s:%s:%s' % (self._prefix, name, interval,
interval_bucket)
if config['coarse']:
data = process_row(data)
rval[config['i_calc'].from_bucket(interval_bucket)] = data
else:
rval[config['i_calc'].from_bucket(interval_bucket)] = OrderedDict()
pipe = self._client.pipeline(transaction=False)
resolution_buckets = sorted(map(int, data))
for bucket in resolution_buckets:
resolution_key = '%s:%s' % (interval_key, bucket)
fetch(pipe, resolution_key)
resolution_res = pipe.execute()
for x, data in enumerate(resolution_res):
i_t = config['i_calc'].from_bucket(interval_bucket)
r_t = config['r_calc'].from_bucket(resolution_buckets[x])
rval[i_t][r_t] = process_row(data)
return rval
| series | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, interval, config, buckets, **kws):\n pipe = self._client.pipeline(transaction=False)\n step = config['step']\n resolution = config.get('re... |
def x(self, handle, key, value):
if value != 0:
if isinstance(value, float):
handle.incrbyfloat(key, value)
else:
handle.incr(key, value)
| type_insert | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, handle, key, value):\n if value != 0:\n if isinstance(value, float):\n handle.incrbyfloat(key, value)\n else:\n ha... |
def x(options, question):
message = ''
for index, value in enumerate(options):
message += '[{}] {}\n'.format(index, value)
message += '\n' + question
def x(n):
if int(n) not in range(len(options)):
raise ValueError('Not a valid option.')
else:
return int(n)
prompt(message, validate=valid, key='answer')
return env.answer
| choose_from_list | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(options, question):\n message = ''\n for index, value in enumerate(options):\n message += '[{}] {}\\n'.format(index, value)\n message += '\\n' ... |
def x(port=8080, debug_toolbar='yes', werkzeug='no', dummy_cache='no',
short_cache='no', template_warnings='no', log_level='DEBUG', insecure='no'
):
if not port or not isinstance(port, int) and not port.isdigit():
abort('You must specify a port.')
yes_or_no = ('debug_toolbar', 'werkzeug', 'dummy_cache', 'short_cache',
'template_warnings', 'insecure')
for s in yes_or_no:
if locals()[s].lower() not in ('yes', 'no'):
abort("Specify 'yes' or 'no' for {} option.".format(s))
_log_levels = 'DEBUG', 'INFO', 'WARNING', 'ERROR', 'CRITICAL'
if log_level not in _log_levels:
abort('Invalid log level.')
with shell_env(SHOW_DEBUG_TOOLBAR=debug_toolbar.upper(), DUMMY_CACHE=
dummy_cache.upper(), SHORT_CACHE=short_cache.upper(),
WARN_INVALID_TEMPLATE_VARS=template_warnings.upper(), LOG_LEVEL=
log_level):
local('./manage.py runserver{} 0.0.0.0:{}{}'.format('_plus' if
werkzeug.lower() == 'yes' else '', port, ' --insecure' if
insecure.lower() == 'yes' else ''))
| runserver | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(port=8080, debug_toolbar='yes', werkzeug='no', dummy_cache='no',\n short_cache='no', template_warnings='no', log_level='DEBUG', insecure='no'\n ):\n i... |
def x(venv=None):
if 'VIRTUAL_ENV' in os.environ:
ve = os.path.basename(os.environ['VIRTUAL_ENV'])
else:
ve = ''
if venv is not None:
ve = venv
else:
ve = prompt(
'Enter the name of the sandbox whose sessions you would like to delete, or "ion" to clear production sessions:'
, default=ve)
c = 'redis-cli -n {0} KEYS {1}:session:* | sed \'s/"^.*")//g\''
keys_command = c.format(REDIS_SESSION_DB, ve)
keys = local(keys_command, capture=True)
count = 0 if keys.strip() == '' else keys.count('\n') + 1
if count == 0:
puts('No sessions to destroy.')
return 0
plural = 's' if count != 1 else ''
if not confirm('Are you sure you want to destroy {} {}session{}?'.
format(count, 'production ' if ve == 'ion' else '', plural)):
return 0
if count > 0:
local('{0}| xargs redis-cli -n {1} DEL'.format(keys_command,
REDIS_SESSION_DB))
puts('Destroyed {} session{}.'.format(count, plural))
| clear_sessions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(venv=None):\n if 'VIRTUAL_ENV' in os.environ:\n ve = os.path.basename(os.environ['VIRTUAL_ENV'])\n else:\n ve = ''\n if venv is not None... |
def x(input=None):
if input is not None:
n = input
else:
n = _choose_from_list(['Production cache', 'Sandbox cache'],
'Which cache would you like to clear?')
if n == 0:
local('redis-cli -n {} FLUSHDB'.format(REDIS_PRODUCTION_CACHE_DB))
else:
local('redis-cli -n {} FLUSHDB'.format(REDIS_SANDBOX_CACHE_DB))
| clear_cache | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(input=None):\n if input is not None:\n n = input\n else:\n n = _choose_from_list(['Production cache', 'Sandbox cache'],\n 'Which... |
def x():
if local('pwd', capture=True) == PRODUCTION_DOCUMENT_ROOT:
abort(
'Refusing to automatically load fixtures into production database!'
)
if not confirm(
'Are you sure you want to load all fixtures? This could have unintended consequences if the database is not empty.'
):
abort('Aborted.')
files = ['fixtures/users/users.json', 'fixtures/eighth/sponsors.json',
'fixtures/eighth/rooms.json', 'fixtures/eighth/blocks.json',
'fixtures/eighth/activities.json',
'fixtures/eighth/scheduled_activities.json',
'fixtures/eighth/signups.json',
'fixtures/announcements/announcements.json']
for f in files:
local('./manage.py loaddata ' + f)
| load_fixtures | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if local('pwd', capture=True) == PRODUCTION_DOCUMENT_ROOT:\n abort(\n 'Refusing to automatically load fixtures into production databa... |
def x():
_require_root()
if not confirm(
'This will apply any available migrations to the database. Has the database been backed up?'
):
abort('Aborted.')
if not confirm('Are you sure you want to deploy?'):
abort('Aborted.')
with lcd(PRODUCTION_DOCUMENT_ROOT):
with shell_env(PRODUCTION='TRUE'):
local('git pull')
with open('requirements.txt', 'r') as req_file:
requirements = req_file.read().strip().split()
try:
pkg_resources.require(requirements)
except pkg_resources.DistributionNotFound:
local('pip install -r requirements.txt')
except Exception:
traceback.format_exc()
local('pip install -r requirements.txt')
else:
puts('Python requirements already satisfied.')
with prefix('source /usr/local/virtualenvs/ion/bin/activate'):
local('./manage.py collectstatic --noinput', shell='/bin/bash')
local('./manage.py migrate', shell='/bin/bash')
restart_production_gunicorn(skip=True)
puts('Deploy complete.')
| deploy | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _require_root()\n if not confirm(\n 'This will apply any available migrations to the database. Has the database been backed up?'\n ):\... |
def x(app=None):
if app is None:
abort('No app name given.')
local('./manage.py migrate {} --fake'.format(app))
local('./manage.py migrate {}'.format(app))
| forcemigrate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(app=None):\n if app is None:\n abort('No app name given.')\n local('./manage.py migrate {} --fake'.format(app))\n local('./manage.py migrate {}... |
def x(self, student_id):
results = User.objects.filter(student_id=student_id)
if len(results) == 1:
return results.first()
return None
| user_with_student_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, student_id):\n results = User.objects.filter(student_id=student_id)\n if len(results) == 1:\n return results.first()\n return None\n",
... |
def x(self, student_id):
if isinstance(student_id, str) and not student_id.isdigit():
return None
results = User.objects.filter(id=student_id)
if len(results) == 1:
return results.first()
return None
| user_with_ion_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, student_id):\n if isinstance(student_id, str) and not student_id.isdigit():\n return None\n results = User.objects.filter(id=student_id)\n ... |
def x(self, given_name=None, sn=None):
results = []
if sn and not given_name:
results = User.objects.filter(last_name=sn)
elif given_name:
query = {'first_name': given_name}
if sn:
query['last_name'] = sn
results = User.objects.filter(**query)
if len(results) == 0:
del query['first_name']
query['nickname'] = given_name
results = User.objects.filter(**query)
if len(results) == 1:
return results.first()
return None
| user_with_name | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, given_name=None, sn=None):\n results = []\n if sn and not given_name:\n results = User.objects.filter(last_name=sn)\n elif given_name:\n ... |
def x(self, month, day):
users = User.objects.filter(properties___birthday__month=month,
properties___birthday__day=day)
results = []
for user in users:
results.append(user)
return results
| users_with_birthday | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, month, day):\n users = User.objects.filter(properties___birthday__month=month,\n properties___birthday__day=day)\n results = []\n for use... |
def x(self):
users = User.objects.filter(user_type='student', graduation_year__gte=
settings.SENIOR_GRADUATION_YEAR)
users = users.exclude(id__in=EXTRA)
return users
| get_students | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n users = User.objects.filter(user_type='student', graduation_year__gte=\n settings.SENIOR_GRADUATION_YEAR)\n users = users.exclude(id__in=... |
def x(self):
users = User.objects.filter(user_type='teacher')
users = users.exclude(id__in=EXTRA)
users = users | User.objects.filter(id__in=[31863, 32327, 32103, 33228])
return users
| get_teachers | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n users = User.objects.filter(user_type='teacher')\n users = users.exclude(id__in=EXTRA)\n users = users | User.objects.filter(id__in=[31863, 3... |
def x(self):
teachers = self.get_teachers()
teachers = [(u.last_name, u.first_name, u.id) for u in teachers]
for t in teachers:
if t is None or t[0] is None or t[1] is None or t[2] is None:
teachers.remove(t)
for t in teachers:
if t[0] is None or len(t[0]) <= 1:
teachers.remove(t)
teachers.sort(key=lambda u: (u[0], u[1]))
id_list = [t[2] for t in teachers]
clauses = ' '.join([('WHEN id=%s THEN %s' % (pk, i)) for i, pk in
enumerate(id_list)])
ordering = 'CASE %s END' % clauses
queryset = User.objects.filter(id__in=id_list).extra(select={'ordering':
ordering}, order_by=('ordering',))
return queryset
| get_teachers_sorted | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n teachers = self.get_teachers()\n teachers = [(u.last_name, u.first_name, u.id) for u in teachers]\n for t in teachers:\n if t is None ... |
def x(self, group):
if isinstance(group, Group):
group = group.name
return self.groups.filter(name=group).exists()
| member_of | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, group):\n if isinstance(group, Group):\n group = group.name\n return self.groups.filter(name=group).exists()\n",
"role": "user"
},
{... |
def x(self):
return '{}, {} '.format(self.last_name, self.first_name) + ('({})'.
format(self.nickname) if self.nickname else '')
| last_first | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '{}, {} '.format(self.last_name, self.first_name) + ('({})'.\n format(self.nickname) if self.nickname else '')\n",
"role": "user"... |
def x(self):
return '{}{} '.format(self.last_name, ', ' + self.first_name if self.
first_name else '') + ('({}) '.format(self.nickname) if self.
nickname else '') + '({})'.format(self.student_id if self.
is_student and self.student_id else self.username)
| last_first_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '{}{} '.format(self.last_name, ', ' + self.first_name if self.\n first_name else '') + ('({}) '.format(self.nickname) if self.\n ... |
def x(self):
return '{}{} '.format(self.last_name, ', ' + self.first_name[:1] + '.' if
self.first_name else '') + ('({}) '.format(self.nickname) if self.
nickname else '')
| last_first_initial | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return '{}{} '.format(self.last_name, ', ' + self.first_name[:1] + '.' if\n self.first_name else '') + ('({}) '.format(self.nickname) if sel... |
def x(self):
for email in self.emails.all():
if email.address.endswith(('@fcps.edu', '@tjhsst.edu')):
return email
if self.is_teacher:
domain = 'fcps.edu'
else:
domain = 'tjhsst.edu'
return '{}@{}'.format(self.username, domain)
| tj_email | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for email in self.emails.all():\n if email.address.endswith(('@fcps.edu', '@tjhsst.edu')):\n return email\n if self.is_teacher... |
def x(self):
preferred = self.preferred_photo
if preferred is not None:
return preferred.binary
if preferred is None:
if self.user_type == 'teacher':
current_grade = 12
else:
current_grade = int(self.grade)
if current_grade > 12:
current_grade = 12
for i in reversed(range(9, current_grade + 1)):
data = None
if self.photos.filter(grade_number=i).exists():
data = self.photos.filter(grade_number=i).first().binary
if data:
return data
| default_photo | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n preferred = self.preferred_photo\n if preferred is not None:\n return preferred.binary\n if preferred is None:\n if self.user_t... |
def x(self):
permissions_dict = {'self': {}, 'parent': {}}
for field in self.properties._meta.get_fields():
split_field = field.name.split('_', 1)
if len(split_field) <= 0 or split_field[0] not in ['self', 'parent']:
continue
permissions_dict[split_field[0]][split_field[1]] = getattr(self.
properties, field.name)
return permissions_dict
| permissions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n permissions_dict = {'self': {}, 'parent': {}}\n for field in self.properties._meta.get_fields():\n split_field = field.name.split('_', 1)... |
def x(self):
try:
request = threadlocals.request()
if request is None:
return False
requesting_user = request.user
if isinstance(requesting_user, AnonymousUser
) or not requesting_user.is_authenticated:
return False
can_view_anyway = requesting_user and (requesting_user.is_teacher or
requesting_user.is_eighthoffice or requesting_user.is_eighth_admin)
except (AttributeError, KeyError) as e:
logger.error('Could not check teacher/eighth override: {}'.format(e))
can_view_anyway = False
return can_view_anyway
| current_user_override | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n request = threadlocals.request()\n if request is None:\n return False\n requesting_user = request.user\n ... |
def x(self):
date = datetime.today().date()
b = self.birthday
if b:
return int((date - b).days / 365)
return None
| age | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n date = datetime.today().date()\n b = self.birthday\n if b:\n return int((date - b).days / 365)\n return None\n",
"role": "user"... |
def x(self):
from ..eighth.models import EighthSponsor
return EighthSponsor.objects.filter(user=self).exists()
| is_eighth_sponsor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..eighth.models import EighthSponsor\n return EighthSponsor.objects.filter(user=self).exists()\n",
"role": "user"
},
{
"content... |
def x(self):
key = '{}:frequent_signups'.format(self.username)
cached = cache.get(key)
if cached:
return cached
freq_signups = self.eighthsignup_set.exclude(
scheduled_activity__activity__administrative=True).exclude(
scheduled_activity__activity__special=True).exclude(
scheduled_activity__activity__restricted=True).exclude(
scheduled_activity__activity__deleted=True).values(
'scheduled_activity__activity').annotate(count=Count(
'scheduled_activity__activity')).filter(count__gte=settings.
SIMILAR_THRESHOLD).order_by('-count')
cache.set(key, freq_signups, timeout=60 * 60 * 24 * 7)
return freq_signups
| frequent_signups | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n key = '{}:frequent_signups'.format(self.username)\n cached = cache.get(key)\n if cached:\n return cached\n freq_signups = self.eigh... |
def x(self):
from ..eighth.models import EighthSponsor
try:
sp = EighthSponsor.objects.get(user=self)
except EighthSponsor.DoesNotExist:
return False
return sp
| get_eighth_sponsor | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..eighth.models import EighthSponsor\n try:\n sp = EighthSponsor.objects.get(user=self)\n except EighthSponsor.DoesNotExist:\n ... |
def x(self):
from ..eighth.models import EighthSignup
return EighthSignup.objects.filter(user=self, was_absent=True,
scheduled_activity__attendance_taken=True).count()
| absence_count | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..eighth.models import EighthSignup\n return EighthSignup.objects.filter(user=self, was_absent=True,\n scheduled_activity__attendanc... |
def x(self):
from ..eighth.models import EighthSignup
return EighthSignup.objects.filter(user=self, was_absent=True,
scheduled_activity__attendance_taken=True)
| absence_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from ..eighth.models import EighthSignup\n return EighthSignup.objects.filter(user=self, was_absent=True,\n scheduled_activity__attendanc... |
def x(self):
from intranet.apps.eighth.models import EighthScheduledActivity
EighthScheduledActivity.objects.filter(eighthsignup_set__user=self).update(
archived_member_count=F('archived_member_count') + 1)
| handle_delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n from intranet.apps.eighth.models import EighthScheduledActivity\n EighthScheduledActivity.objects.filter(eighthsignup_set__user=self).update(\n ... |
def x(self, permission, value, parent=False, admin=False):
try:
if not getattr(self, 'parent_{}'.format(permission)
) and not parent and not admin:
return False
level = 'parent' if parent else 'self'
setattr(self, '{}_{}'.format(level, permission), value)
if parent and not value:
setattr(self, 'self_{}'.format(permission), False)
self.save()
return True
except Exception as e:
logger.error('Error occurred setting permission {} to {}: {}'.
format(permission, value, e))
return False
| set_permission | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission, value, parent=False, admin=False):\n try:\n if not getattr(self, 'parent_{}'.format(permission)\n ) and not parent and n... |
def x(self):
try:
request = threadlocals.request()
if request and request.user and request.user.is_authenticated:
requesting_user_id = request.user.id
return str(requesting_user_id) == str(self.user.id)
except (AttributeError, KeyError) as e:
logger.error('Could not check request sender: {}'.format(e))
return False
return False
| is_http_request_sender | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n request = threadlocals.request()\n if request and request.user and request.user.is_authenticated:\n requesting_user... |
def x(self, permission):
try:
parent = getattr(self, 'parent_{}'.format(permission))
student = getattr(self, 'self_{}'.format(permission))
return parent and student or (self.is_http_request_sender() or self
._current_user_override())
except Exception:
logger.error('Could not retrieve permissions for {}'.format(permission)
)
| attribute_is_visible | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission):\n try:\n parent = getattr(self, 'parent_{}'.format(permission))\n student = getattr(self, 'self_{}'.format(permission))\n ... |
def x(self, permission):
try:
parent = getattr(self, 'parent_{}'.format(permission))
student = getattr(self, 'self_{}'.format(permission))
return parent and student
except Exception:
logger.error('Could not retrieve permissions for {}'.format(permission)
)
| attribute_is_public | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, permission):\n try:\n parent = getattr(self, 'parent_{}'.format(permission))\n student = getattr(self, 'self_{}'.format(permission))\n ... |
def x(self):
return 'freshmen' if self._number and self._number == 9 else '{}s'.format(
self._name) if self._name else ''
| name_plural | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return 'freshmen' if self._number and self._number == 9 else '{}s'.format(\n self._name) if self._name else ''\n",
"role": "user"
},
... |
def x(group):
def x(user):
return user.is_authenticated and user.has_admin_permission(group)
return user_passes_test(in_admin_group)
| admin_required | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(group):\n\n def x(user):\n return user.is_authenticated and user.has_admin_permission(group)\n return user_passes_test(in_admin_group)\n",
"ro... |
def x(user):
num_phones = len(user.phones.all() or [])
num_emails = len(user.emails.all() or [])
num_websites = len(user.websites.all() or [])
personal_info = {}
for i in range(num_phones):
personal_info['phone_{}'.format(i)] = user.phones.all()[i]
for i in range(num_emails):
personal_info['email_{}'.format(i)] = user.emails.all()[i]
for i in range(num_websites):
personal_info['website_{}'.format(i)] = user.websites.all()[i]
num_fields = {'phones': num_phones, 'emails': num_emails, 'websites':
num_websites}
return personal_info, num_fields
| get_personal_info | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n num_phones = len(user.phones.all() or [])\n num_emails = len(user.emails.all() or [])\n num_websites = len(user.websites.all() or [])\n pe... |
def x(user):
preferred_pic = {'preferred_photo': 'AUTO'}
if user.preferred_photo:
preferred_pic['preferred_photo'] = user.preferred_photo.grade_number
return preferred_pic
| get_preferred_pic | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n preferred_pic = {'preferred_photo': 'AUTO'}\n if user.preferred_photo:\n preferred_pic['preferred_photo'] = user.preferred_photo.grade_nu... |
def x(user):
privacy_options = {}
for ptype in user.permissions:
for field in user.permissions[ptype]:
if ptype == 'self':
privacy_options['{}-{}'.format(field, ptype)
] = user.permissions[ptype][field]
else:
privacy_options[field] = user.permissions[ptype][field]
return privacy_options
| get_privacy_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n privacy_options = {}\n for ptype in user.permissions:\n for field in user.permissions[ptype]:\n if ptype == 'self':\n ... |
def x(user):
notification_options = {}
notification_options['receive_news_emails'] = user.receive_news_emails
notification_options['receive_eighth_emails'] = user.receive_eighth_emails
try:
notification_options['primary_email'] = user.primary_email
except Email.DoesNotExist:
user.primary_email = None
user.save()
notification_options['primary_email'] = None
return notification_options
| get_notification_options | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n notification_options = {}\n notification_options['receive_news_emails'] = user.receive_news_emails\n notification_options['receive_eighth_ema... |
def x(request):
user = request.user
if request.method == 'POST':
logger.debug(dict(request.POST))
phone_formset, email_formset, website_formset, errors = (
save_personal_info(request, user))
if user.is_student:
preferred_pic_form = save_preferred_pic(request, user)
bus_route_form = save_bus_route(request, user)
else:
preferred_pic_form = None
bus_route_form = None
privacy_options_form = save_privacy_options(request, user)
notification_options_form = save_notification_options(request, user)
for error in errors:
messages.error(request, error)
try:
save_gcm_options(request, user)
except AttributeError:
pass
return redirect('preferences')
else:
phone_formset = PhoneFormset(instance=user, prefix='pf')
email_formset = EmailFormset(instance=user, prefix='ef')
website_formset = WebsiteFormset(instance=user, prefix='wf')
if user.is_student:
preferred_pic = get_preferred_pic(user)
bus_route = get_bus_route(user)
logger.debug(preferred_pic)
preferred_pic_form = PreferredPictureForm(user, initial=
preferred_pic)
bus_route_form = BusRouteForm(user, initial=bus_route)
else:
bus_route_form = None
preferred_pic = None
preferred_pic_form = None
privacy_options = get_privacy_options(user)
logger.debug(privacy_options)
privacy_options_form = PrivacyOptionsForm(user, initial=privacy_options
)
notification_options = get_notification_options(user)
logger.debug(notification_options)
notification_options_form = NotificationOptionsForm(user, initial=
notification_options)
context = {'phone_formset': phone_formset, 'email_formset':
email_formset, 'website_formset': website_formset,
'preferred_pic_form': preferred_pic_form, 'privacy_options_form':
privacy_options_form, 'notification_options_form':
notification_options_form, 'bus_route_form': bus_route_form if
settings.ENABLE_BUS_APP else None}
return render(request, 'preferences/preferences.html', context)
| preferences_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n user = request.user\n if request.method == 'POST':\n logger.debug(dict(request.POST))\n phone_formset, email_formset, website_f... |
def x(request):
if 'user' in request.GET:
user = User.objects.user_with_ion_id(request.GET.get('user'))
elif 'student_id' in request.GET:
user = User.objects.user_with_student_id(request.GET.get('student_id'))
else:
user = request.user
if not user:
messages.error(request, 'Invalid user.')
user = request.user
if user.is_eighthoffice:
user = None
if user:
if request.method == 'POST':
privacy_options_form = save_privacy_options(request, user)
else:
privacy_options = get_privacy_options(user)
privacy_options_form = PrivacyOptionsForm(user, initial=
privacy_options)
context = {'privacy_options_form': privacy_options_form,
'profile_user': user}
else:
context = {'profile_user': user}
return render(request, 'preferences/privacy_options.html', context)
| privacy_options_view | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n if 'user' in request.GET:\n user = User.objects.user_with_ion_id(request.GET.get('user'))\n elif 'student_id' in request.GET:\n ... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.