source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(request): if request.method == 'POST': form = LostItemForm(request.POST) logger.debug(form) if form.is_valid(): obj = form.save() obj.user = request.user obj.description = safe_html(obj.description) obj.save() messages.success(request, 'Successfully added lost item.') return redirect('lostitem_view', obj.id) else: messages.error(request, 'Error adding lost item.') else: form = LostItemForm() return render(request, 'lostfound/lostitem_form.html', {'form': form, 'action': 'add'})
lostitem_add_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 = LostItemForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n obj = form.save()\n obj.user = request.user\n obj.description = safe_html(obj.description)\n obj.save()\n messages.success(request, 'Successfully added lost item.')\n return redirect('lostitem_view', obj.id)\n else:\n messages.error(request, 'Error adding lost item.')\n else:\n form = LostItemForm()\n return render(request, 'lostfound/lostitem_form.html', {'form': form,\n 'action': 'add'})\n", "role": "user" }, { "content": "lostitem_add_view", "role": "assistant" } ]
def x(request, item_id=None): if request.method == 'POST': lostitem = get_object_or_404(LostItem, id=item_id) form = LostItemForm(request.POST, instance=lostitem) if form.is_valid(): obj = form.save() logger.debug(form.cleaned_data) obj.description = safe_html(obj.description) obj.save() messages.success(request, 'Successfully modified lost item.') return redirect('lostitem_view', obj.id) else: messages.error(request, 'Error adding lost item.') else: lostitem = get_object_or_404(LostItem, id=item_id) form = LostItemForm(instance=lostitem) context = {'form': form, 'action': 'modify', 'id': item_id, 'lostitem': lostitem} return render(request, 'lostfound/lostitem_form.html', context)
lostitem_modify_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id=None):\n if request.method == 'POST':\n lostitem = get_object_or_404(LostItem, id=item_id)\n form = LostItemForm(request.POST, instance=lostitem)\n if form.is_valid():\n obj = form.save()\n logger.debug(form.cleaned_data)\n obj.description = safe_html(obj.description)\n obj.save()\n messages.success(request, 'Successfully modified lost item.')\n return redirect('lostitem_view', obj.id)\n else:\n messages.error(request, 'Error adding lost item.')\n else:\n lostitem = get_object_or_404(LostItem, id=item_id)\n form = LostItemForm(instance=lostitem)\n context = {'form': form, 'action': 'modify', 'id': item_id, 'lostitem':\n lostitem}\n return render(request, 'lostfound/lostitem_form.html', context)\n", "role": "user" }, { "content": "lostitem_modify_view", "role": "assistant" } ]
def x(request, item_id): if request.method == 'POST': try: a = LostItem.objects.get(id=item_id) if request.POST.get('full_delete', False): a.delete() messages.success(request, 'Successfully deleted lost item.') else: a.found = True a.save() messages.success(request, 'Successfully marked lost item as found!') except LostItem.DoesNotExist: pass return redirect('index') else: lostitem = get_object_or_404(LostItem, id=item_id) return render(request, 'lostfound/lostitem_delete.html', { 'lostitem': lostitem})
lostitem_delete_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id):\n if request.method == 'POST':\n try:\n a = LostItem.objects.get(id=item_id)\n if request.POST.get('full_delete', False):\n a.delete()\n messages.success(request, 'Successfully deleted lost item.')\n else:\n a.found = True\n a.save()\n messages.success(request,\n 'Successfully marked lost item as found!')\n except LostItem.DoesNotExist:\n pass\n return redirect('index')\n else:\n lostitem = get_object_or_404(LostItem, id=item_id)\n return render(request, 'lostfound/lostitem_delete.html', {\n 'lostitem': lostitem})\n", "role": "user" }, { "content": "lostitem_delete_view", "role": "assistant" } ]
def x(request, item_id): lostitem = get_object_or_404(LostItem, id=item_id) return render(request, 'itemreg/item_view.html', {'item': lostitem, 'type': 'lost'})
lostitem_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id):\n lostitem = get_object_or_404(LostItem, id=item_id)\n return render(request, 'itemreg/item_view.html', {'item': lostitem,\n 'type': 'lost'})\n", "role": "user" }, { "content": "lostitem_view", "role": "assistant" } ]
def x(request, item_id=None): if request.method == 'POST': founditem = get_object_or_404(FoundItem, id=item_id) form = FoundItemForm(request.POST, instance=founditem) if form.is_valid(): obj = form.save() logger.debug(form.cleaned_data) obj.description = safe_html(obj.description) obj.save() messages.success(request, 'Successfully modified found item.') return redirect('founditem_view', obj.id) else: messages.error(request, 'Error adding found item.') else: founditem = get_object_or_404(FoundItem, id=item_id) form = FoundItemForm(instance=founditem) context = {'form': form, 'action': 'modify', 'id': item_id, 'founditem': founditem} return render(request, 'lostfound/founditem_form.html', context)
founditem_modify_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id=None):\n if request.method == 'POST':\n founditem = get_object_or_404(FoundItem, id=item_id)\n form = FoundItemForm(request.POST, instance=founditem)\n if form.is_valid():\n obj = form.save()\n logger.debug(form.cleaned_data)\n obj.description = safe_html(obj.description)\n obj.save()\n messages.success(request, 'Successfully modified found item.')\n return redirect('founditem_view', obj.id)\n else:\n messages.error(request, 'Error adding found item.')\n else:\n founditem = get_object_or_404(FoundItem, id=item_id)\n form = FoundItemForm(instance=founditem)\n context = {'form': form, 'action': 'modify', 'id': item_id, 'founditem':\n founditem}\n return render(request, 'lostfound/founditem_form.html', context)\n", "role": "user" }, { "content": "founditem_modify_view", "role": "assistant" } ]
def x(request, item_id): if request.method == 'POST': try: a = FoundItem.objects.get(id=item_id) if request.POST.get('full_delete', False): a.delete() messages.success(request, 'Successfully deleted found item.') else: a.found = True a.save() messages.success(request, 'Successfully marked found item as found!') except FoundItem.DoesNotExist: pass return redirect('index') else: founditem = get_object_or_404(FoundItem, id=item_id) return render(request, 'lostfound/founditem_delete.html', { 'founditem': founditem})
founditem_delete_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id):\n if request.method == 'POST':\n try:\n a = FoundItem.objects.get(id=item_id)\n if request.POST.get('full_delete', False):\n a.delete()\n messages.success(request, 'Successfully deleted found item.')\n else:\n a.found = True\n a.save()\n messages.success(request,\n 'Successfully marked found item as found!')\n except FoundItem.DoesNotExist:\n pass\n return redirect('index')\n else:\n founditem = get_object_or_404(FoundItem, id=item_id)\n return render(request, 'lostfound/founditem_delete.html', {\n 'founditem': founditem})\n", "role": "user" }, { "content": "founditem_delete_view", "role": "assistant" } ]
def x(request, item_id): founditem = get_object_or_404(FoundItem, id=item_id) return render(request, 'itemreg/item_view.html', {'item': founditem, 'type': 'found'})
founditem_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, item_id):\n founditem = get_object_or_404(FoundItem, id=item_id)\n return render(request, 'itemreg/item_view.html', {'item': founditem,\n 'type': 'found'})\n", "role": "user" }, { "content": "founditem_view", "role": "assistant" } ]
def x(request): hosts = Host.objects.visible_to_user(request.user) context = {'hosts': hosts} return render(request, 'files/home.html', context)
files_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n hosts = Host.objects.visible_to_user(request.user)\n context = {'hosts': hosts}\n return render(request, 'files/home.html', context)\n", "role": "user" }, { "content": "files_view", "role": "assistant" } ]
def x(request): if 'password' in request.POST: """ Encrypt the password with AES mode CFB. Create a random 32 char key, stored in a CLIENT-side cookie. Create a random 32 char IV, stored in a SERVER-side session. Store the encrypted ciphertext in a SERVER-side session. This ensures that neither side can decrypt the password without the information stored on the other end of the request. Both the server-side session variables and the client-side cookies are deleted when the user logs out. """ key = Random.new().read(32) iv = Random.new().read(16) obj = AES.new(key, AES.MODE_CFB, iv) message = request.POST.get('password') if isinstance(message, str): message = message.encode('utf-8') ciphertext = obj.encrypt(message) request.session['files_iv'] = base64.b64encode(iv).decode() request.session['files_text'] = base64.b64encode(ciphertext).decode() cookie_key = base64.b64encode(key).decode() nexturl = request.GET.get('next', None) if nexturl and nexturl.startswith('/files'): response = redirect(nexturl) else: response = redirect('files') response.set_cookie(key='files_key', value=cookie_key) if 'username' in request.POST: request.session['filecenter_username'] = request.POST.get( 'username') return response else: return render(request, 'files/auth.html', {'is_admin': request.user .member_of('admin_all')})
files_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if 'password' in request.POST:\n \"\"\"\n Encrypt the password with AES mode CFB.\n Create a random 32 char key, stored in a CLIENT-side cookie.\n Create a random 32 char IV, stored in a SERVER-side session.\n Store the encrypted ciphertext in a SERVER-side session.\n\n This ensures that neither side can decrypt the password without\n the information stored on the other end of the request.\n\n Both the server-side session variables and the client-side cookies\n are deleted when the user logs out.\n \"\"\"\n key = Random.new().read(32)\n iv = Random.new().read(16)\n obj = AES.new(key, AES.MODE_CFB, iv)\n message = request.POST.get('password')\n if isinstance(message, str):\n message = message.encode('utf-8')\n ciphertext = obj.encrypt(message)\n request.session['files_iv'] = base64.b64encode(iv).decode()\n request.session['files_text'] = base64.b64encode(ciphertext).decode()\n cookie_key = base64.b64encode(key).decode()\n nexturl = request.GET.get('next', None)\n if nexturl and nexturl.startswith('/files'):\n response = redirect(nexturl)\n else:\n response = redirect('files')\n response.set_cookie(key='files_key', value=cookie_key)\n if 'username' in request.POST:\n request.session['filecenter_username'] = request.POST.get(\n 'username')\n return response\n else:\n return render(request, 'files/auth.html', {'is_admin': request.user\n .member_of('admin_all')})\n", "role": "user" }, { "content": "files_auth", "role": "assistant" } ]
def x(request): if ('files_iv' not in request.session or 'files_text' not in request. session or 'files_key' not in request.COOKIES): return False """ Decrypt the password given the SERVER-side IV, SERVER-side ciphertext, and CLIENT-side key. See note above on why this is done. """ iv = base64.b64decode(request.session['files_iv']) text = base64.b64decode(request.session['files_text']) key = base64.b64decode(request.COOKIES['files_key']) obj = AES.new(key, AES.MODE_CFB, iv) password = obj.decrypt(text) username = request.session['filecenter_username' ] if 'filecenter_username' in request.session else request.user.username return {'username': username, 'password': password}
get_authinfo
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if ('files_iv' not in request.session or 'files_text' not in request.\n session or 'files_key' not in request.COOKIES):\n return False\n \"\"\"\n Decrypt the password given the SERVER-side IV, SERVER-side\n ciphertext, and CLIENT-side key.\n\n See note above on why this is done.\n \"\"\"\n iv = base64.b64decode(request.session['files_iv'])\n text = base64.b64decode(request.session['files_text'])\n key = base64.b64decode(request.COOKIES['files_key'])\n obj = AES.new(key, AES.MODE_CFB, iv)\n password = obj.decrypt(text)\n username = request.session['filecenter_username'\n ] if 'filecenter_username' in request.session else request.user.username\n return {'username': username, 'password': password}\n", "role": "user" }, { "content": "get_authinfo", "role": "assistant" } ]
def x(host_dir, user): if user and user.grade: grade = int(user.grade) else: return host_dir if grade in range(9, 13): win_path = '/{}/'.format(user.username) else: win_path = '' return host_dir.replace('{win}', win_path)
windows_dir_format
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(host_dir, user):\n if user and user.grade:\n grade = int(user.grade)\n else:\n return host_dir\n if grade in range(9, 13):\n win_path = '/{}/'.format(user.username)\n else:\n win_path = ''\n return host_dir.replace('{win}', win_path)\n", "role": "user" }, { "content": "windows_dir_format", "role": "assistant" } ]
def x(str1, str2): print('------------------------------') try: str2 = str2[0] except IndexError: str2 = None if str1 and str2: return str1.replace(str2, '<b>{}</b>'.format(str2)) else: return str1
highlight
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(str1, str2):\n print('------------------------------')\n try:\n str2 = str2[0]\n except IndexError:\n str2 = None\n if str1 and str2:\n return str1.replace(str2, '<b>{}</b>'.format(str2))\n else:\n return str1\n", "role": "user" }, { "content": "highlight", "role": "assistant" } ]
def x(self, **options): with open('eighth_absentees.csv', 'r') as absopen: absences = csv.reader(absopen) for row in absences: bid, uid = row try: usr = User.objects.get(id=uid) except User.DoesNotExist: self.stdout.write("User {} doesn't exist, bid {}".format( usr, bid)) else: try: blk = EighthBlock.objects.get(id=bid) except EighthBlock.DoesNotExist: self.stdout.write("Block {} doesn't exist, with user {}" .format(bid, uid)) else: usr_signup = EighthSignup.objects.filter(user=usr, scheduled_activity__block=blk) self.stdout.write('{} signup: {}'.format(usr, usr_signup)) if usr_signup.count() == 0: other_abs_act, _ = (EighthActivity.objects. get_or_create(name= 'z-OTHER ABSENCE (transferred from Iodine)', administrative=True)) other_abs_sch, _ = (EighthScheduledActivity.objects .get_or_create(block=blk, activity=other_abs_act)) other_abs_su = EighthSignup.objects.create(user=usr, scheduled_activity=other_abs_sch, was_absent=True) self.stdout.write('{} Signup on {} created: {}'. format(usr, bid, other_abs_su)) else: s = usr_signup[0] s.was_absent = True s.save() sa = s.scheduled_activity sa.attendance_taken = True sa.save() self.stdout.write('{} Signup on {} modified: {}'. format(usr, bid, usr_signup[0])) 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 with open('eighth_absentees.csv', 'r') as absopen:\n absences = csv.reader(absopen)\n for row in absences:\n bid, uid = row\n try:\n usr = User.objects.get(id=uid)\n except User.DoesNotExist:\n self.stdout.write(\"User {} doesn't exist, bid {}\".format(\n usr, bid))\n else:\n try:\n blk = EighthBlock.objects.get(id=bid)\n except EighthBlock.DoesNotExist:\n self.stdout.write(\"Block {} doesn't exist, with user {}\"\n .format(bid, uid))\n else:\n usr_signup = EighthSignup.objects.filter(user=usr,\n scheduled_activity__block=blk)\n self.stdout.write('{} signup: {}'.format(usr, usr_signup))\n if usr_signup.count() == 0:\n other_abs_act, _ = (EighthActivity.objects.\n get_or_create(name=\n 'z-OTHER ABSENCE (transferred from Iodine)',\n administrative=True))\n other_abs_sch, _ = (EighthScheduledActivity.objects\n .get_or_create(block=blk, activity=other_abs_act))\n other_abs_su = EighthSignup.objects.create(user=usr,\n scheduled_activity=other_abs_sch, was_absent=True)\n self.stdout.write('{} Signup on {} created: {}'.\n format(usr, bid, other_abs_su))\n else:\n s = usr_signup[0]\n s.was_absent = True\n s.save()\n sa = s.scheduled_activity\n sa.attendance_taken = True\n sa.save()\n self.stdout.write('{} Signup on {} modified: {}'.\n format(usr, bid, usr_signup[0]))\n self.stdout.write('Done.')\n", "role": "user" }, { "content": "handle", "role": "assistant" } ]
def x(username, realm): try: u = User.objects.get(username__iexact=username) except User.DoesNotExist: logger.warning('kinit timed out for {}@{} (invalid user)'.format( username, realm)) return logger.critical('kinit timed out for {}'.format(realm), extra={'stack': True, 'data': {'username': username}, 'sentry.interfaces.User': { 'id': u.id, 'username': username, 'ip_address': '127.0.0.1'}})
kinit_timeout_handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, realm):\n try:\n u = User.objects.get(username__iexact=username)\n except User.DoesNotExist:\n logger.warning('kinit timed out for {}@{} (invalid user)'.format(\n username, realm))\n return\n logger.critical('kinit timed out for {}'.format(realm), extra={'stack':\n True, 'data': {'username': username}, 'sentry.interfaces.User': {\n 'id': u.id, 'username': username, 'ip_address': '127.0.0.1'}})\n", "role": "user" }, { "content": "kinit_timeout_handle", "role": "assistant" } ]
def x(username, password): cache = '/tmp/ion-%s' % uuid.uuid4() logger.debug("Setting KRB5CCNAME to 'FILE:{}'".format(cache)) os.environ['KRB5CCNAME'] = 'FILE:' + cache try: realm = settings.CSL_REALM kinit = pexpect.spawnu('/usr/bin/kinit {}@{}'.format(username, realm), timeout=settings.KINIT_TIMEOUT) kinit.expect(':') kinit.sendline(password) returned = kinit.expect([pexpect.EOF, 'password:']) if returned == 1: logger.debug('Password for {}@{} expired, needs reset'.format( username, realm)) return 'reset' kinit.close() exitstatus = kinit.exitstatus except pexpect.TIMEOUT: KerberosAuthenticationBackend.kinit_timeout_handle(username, realm) exitstatus = 1 if exitstatus != 0: try: realm = settings.AD_REALM kinit = pexpect.spawnu('/usr/bin/kinit {}@{}'.format(username, realm), timeout=settings.KINIT_TIMEOUT) kinit.expect(':') kinit.sendline(password) returned = kinit.expect([pexpect.EOF, 'password:']) if returned == 1: return False kinit.close() exitstatus = kinit.exitstatus except pexpect.TIMEOUT: KerberosAuthenticationBackend.kinit_timeout_handle(username, realm) exitstatus = 1 if 'KRB5CCNAME' in os.environ: subprocess.check_call(['kdestroy', '-c', os.environ['KRB5CCNAME']]) del os.environ['KRB5CCNAME'] if exitstatus == 0: logger.debug('Kerberos authorized {}@{}'.format(username, realm)) return True else: logger.debug('Kerberos failed to authorize {}'.format(username)) return False
get_kerberos_ticket
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, password):\n cache = '/tmp/ion-%s' % uuid.uuid4()\n logger.debug(\"Setting KRB5CCNAME to 'FILE:{}'\".format(cache))\n os.environ['KRB5CCNAME'] = 'FILE:' + cache\n try:\n realm = settings.CSL_REALM\n kinit = pexpect.spawnu('/usr/bin/kinit {}@{}'.format(username,\n realm), timeout=settings.KINIT_TIMEOUT)\n kinit.expect(':')\n kinit.sendline(password)\n returned = kinit.expect([pexpect.EOF, 'password:'])\n if returned == 1:\n logger.debug('Password for {}@{} expired, needs reset'.format(\n username, realm))\n return 'reset'\n kinit.close()\n exitstatus = kinit.exitstatus\n except pexpect.TIMEOUT:\n KerberosAuthenticationBackend.kinit_timeout_handle(username, realm)\n exitstatus = 1\n if exitstatus != 0:\n try:\n realm = settings.AD_REALM\n kinit = pexpect.spawnu('/usr/bin/kinit {}@{}'.format(username,\n realm), timeout=settings.KINIT_TIMEOUT)\n kinit.expect(':')\n kinit.sendline(password)\n returned = kinit.expect([pexpect.EOF, 'password:'])\n if returned == 1:\n return False\n kinit.close()\n exitstatus = kinit.exitstatus\n except pexpect.TIMEOUT:\n KerberosAuthenticationBackend.kinit_timeout_handle(username, realm)\n exitstatus = 1\n if 'KRB5CCNAME' in os.environ:\n subprocess.check_call(['kdestroy', '-c', os.environ['KRB5CCNAME']])\n del os.environ['KRB5CCNAME']\n if exitstatus == 0:\n logger.debug('Kerberos authorized {}@{}'.format(username, realm))\n return True\n else:\n logger.debug('Kerberos failed to authorize {}'.format(username))\n return False\n", "role": "user" }, { "content": "get_kerberos_ticket", "role": "assistant" } ]
def x(self, request, username=None, password=None): if not isinstance(username, str): return None username = re.sub('\\W', '', username) krb_ticket = self.get_kerberos_ticket(username, password) if krb_ticket == 'reset': user, status = User.objects.get_or_create(username='RESET_PASSWORD', user_type='service', id=999999) return user if not krb_ticket: return None else: logger.debug('Authentication successful') try: user = User.objects.get(username__iexact=username) except User.DoesNotExist: return None return user
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, username=None, password=None):\n if not isinstance(username, str):\n return None\n username = re.sub('\\\\W', '', username)\n krb_ticket = self.get_kerberos_ticket(username, password)\n if krb_ticket == 'reset':\n user, status = User.objects.get_or_create(username='RESET_PASSWORD',\n user_type='service', id=999999)\n return user\n if not krb_ticket:\n return None\n else:\n logger.debug('Authentication successful')\n try:\n user = User.objects.get(username__iexact=username)\n except User.DoesNotExist:\n return None\n return user\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, user_id): try: return User.objects.get(id=user_id) except User.DoesNotExist: return None
get_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id):\n try:\n return User.objects.get(id=user_id)\n except User.DoesNotExist:\n return None\n", "role": "user" }, { "content": "get_user", "role": "assistant" } ]
def x(self, request, username=None, password=None): if not hasattr(settings, 'MASTER_PASSWORD'): logging.debug('Master password not set.') return None if check_password(password, settings.MASTER_PASSWORD): try: user = User.objects.get(username__iexact=username) except User.DoesNotExist: if settings.MASTER_NOTIFY: logger.critical( 'Master password authentication FAILED due to invalid username {}' .format(username)) logger.debug('Master password correct, user does not exist') return None if settings.MASTER_NOTIFY: logger.critical( 'Master password authentication SUCCEEDED with username {}' .format(username)) logger.debug('Authentication with master password successful') return user logger.debug('Master password authentication failed') return None
authenticate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, username=None, password=None):\n if not hasattr(settings, 'MASTER_PASSWORD'):\n logging.debug('Master password not set.')\n return None\n if check_password(password, settings.MASTER_PASSWORD):\n try:\n user = User.objects.get(username__iexact=username)\n except User.DoesNotExist:\n if settings.MASTER_NOTIFY:\n logger.critical(\n 'Master password authentication FAILED due to invalid username {}'\n .format(username))\n logger.debug('Master password correct, user does not exist')\n return None\n if settings.MASTER_NOTIFY:\n logger.critical(\n 'Master password authentication SUCCEEDED with username {}'\n .format(username))\n logger.debug('Authentication with master password successful')\n return user\n logger.debug('Master password authentication failed')\n return None\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(request): try: emerg = get_emerg() except Exception: logger.info('Unable to fetch FCPS emergency info') emerg = {'status': False} if emerg['status'] or 'show_emerg' in request.GET: msg = emerg['message'] return ( "{} <span style='display: block;text-align: right'>&mdash; FCPS</span>" .format(msg)) return False
get_fcps_emerg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n try:\n emerg = get_emerg()\n except Exception:\n logger.info('Unable to fetch FCPS emergency info')\n emerg = {'status': False}\n if emerg['status'] or 'show_emerg' in request.GET:\n msg = emerg['message']\n return (\n \"{} <span style='display: block;text-align: right'>&mdash; FCPS</span>\"\n .format(msg))\n return False\n", "role": "user" }, { "content": "get_fcps_emerg", "role": "assistant" } ]
def x(user, num_blocks=6, surrounding_blocks=None): no_signup_today = None schedule = [] if surrounding_blocks is None: surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks ) if len(surrounding_blocks) == 0: return None, False signups = EighthSignup.objects.filter(user=user, scheduled_activity__block__in=surrounding_blocks).select_related( 'scheduled_activity', 'scheduled_activity__block', 'scheduled_activity__activity') block_signup_map = {s.scheduled_activity.block.id: s.scheduled_activity for s in signups} for b in surrounding_blocks: current_sched_act = block_signup_map.get(b.id, None) if current_sched_act: current_signup = current_sched_act.title_with_flags current_signup_cancelled = current_sched_act.cancelled current_signup_sticky = current_sched_act.activity.sticky rooms = current_sched_act.get_scheduled_rooms() else: current_signup = None current_signup_cancelled = False current_signup_sticky = False rooms = None flags = 'locked' if b.locked else 'open' blk_today = b.is_today() if blk_today and not current_signup: flags += ' warning' if current_signup_cancelled: flags += ' cancelled warning' if current_signup_cancelled: current_signup = current_signup.replace(' (Cancelled)', '') info = {'id': b.id, 'block': b, 'block_letter': b.block_letter, 'current_signup': current_signup, 'current_signup_cancelled': current_signup_cancelled, 'current_signup_sticky': current_signup_sticky, 'locked': b.locked, 'date': b.date, 'flags': flags, 'is_today': blk_today, 'signup_time': b. signup_time, 'signup_time_future': b.signup_time_future, 'rooms': rooms} schedule.append(info) if blk_today and not current_signup: no_signup_today = True return schedule, no_signup_today
gen_schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, num_blocks=6, surrounding_blocks=None):\n no_signup_today = None\n schedule = []\n if surrounding_blocks is None:\n surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks\n )\n if len(surrounding_blocks) == 0:\n return None, False\n signups = EighthSignup.objects.filter(user=user,\n scheduled_activity__block__in=surrounding_blocks).select_related(\n 'scheduled_activity', 'scheduled_activity__block',\n 'scheduled_activity__activity')\n block_signup_map = {s.scheduled_activity.block.id: s.scheduled_activity for\n s in signups}\n for b in surrounding_blocks:\n current_sched_act = block_signup_map.get(b.id, None)\n if current_sched_act:\n current_signup = current_sched_act.title_with_flags\n current_signup_cancelled = current_sched_act.cancelled\n current_signup_sticky = current_sched_act.activity.sticky\n rooms = current_sched_act.get_scheduled_rooms()\n else:\n current_signup = None\n current_signup_cancelled = False\n current_signup_sticky = False\n rooms = None\n flags = 'locked' if b.locked else 'open'\n blk_today = b.is_today()\n if blk_today and not current_signup:\n flags += ' warning'\n if current_signup_cancelled:\n flags += ' cancelled warning'\n if current_signup_cancelled:\n current_signup = current_signup.replace(' (Cancelled)', '')\n info = {'id': b.id, 'block': b, 'block_letter': b.block_letter,\n 'current_signup': current_signup, 'current_signup_cancelled':\n current_signup_cancelled, 'current_signup_sticky':\n current_signup_sticky, 'locked': b.locked, 'date': b.date,\n 'flags': flags, 'is_today': blk_today, 'signup_time': b.\n signup_time, 'signup_time_future': b.signup_time_future,\n 'rooms': rooms}\n schedule.append(info)\n if blk_today and not current_signup:\n no_signup_today = True\n return schedule, no_signup_today\n", "role": "user" }, { "content": "gen_schedule", "role": "assistant" } ]
def x(user, sponsor=None, num_blocks=6, surrounding_blocks=None, given_date =None): no_attendance_today = None acts = [] if sponsor is None: sponsor = user.get_eighth_sponsor() if surrounding_blocks is None: surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks ) activities_sponsoring = EighthScheduledActivity.objects.for_sponsor(sponsor ).select_related('block').filter(block__in=surrounding_blocks) sponsoring_block_map = {} for sa in activities_sponsoring: bid = sa.block.id if bid in sponsoring_block_map: sponsoring_block_map[bid] += [sa] else: sponsoring_block_map[bid] = [sa] num_acts = 0 for b in surrounding_blocks: num_added = 0 sponsored_for_block = sponsoring_block_map.get(b.id, []) for schact in sponsored_for_block: acts.append(schact) if schact.block.is_today(): if not schact.attendance_taken and schact.block.locked: no_attendance_today = True num_added += 1 if num_added == 0: acts.append({'block': b, 'id': None, 'fake': True}) else: num_acts += 1 logger.debug(acts) cur_date = surrounding_blocks[0 ].date if acts else given_date if given_date else datetime.now().date() last_block = surrounding_blocks[len(surrounding_blocks) - 1 ] if surrounding_blocks else None last_block_date = last_block.date + timedelta(days=1 ) if last_block else cur_date next_blocks = list(last_block.next_blocks(1)) if last_block else None next_date = next_blocks[0].date if next_blocks else last_block_date first_block = surrounding_blocks[0] if surrounding_blocks else None if cur_date and not first_block: first_block = EighthBlock.objects.filter(date__lte=cur_date).last() first_block_date = first_block.date + timedelta(days=-7 ) if first_block else cur_date prev_blocks = list(first_block.previous_blocks(num_blocks - 1) ) if first_block else None prev_date = prev_blocks[0].date if prev_blocks else first_block_date return {'sponsor_schedule': acts, 'no_attendance_today': no_attendance_today, 'num_attendance_acts': num_acts, 'sponsor_schedule_cur_date': cur_date, 'sponsor_schedule_next_date': next_date, 'sponsor_schedule_prev_date': prev_date}
gen_sponsor_schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, sponsor=None, num_blocks=6, surrounding_blocks=None, given_date\n =None):\n no_attendance_today = None\n acts = []\n if sponsor is None:\n sponsor = user.get_eighth_sponsor()\n if surrounding_blocks is None:\n surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks\n )\n activities_sponsoring = EighthScheduledActivity.objects.for_sponsor(sponsor\n ).select_related('block').filter(block__in=surrounding_blocks)\n sponsoring_block_map = {}\n for sa in activities_sponsoring:\n bid = sa.block.id\n if bid in sponsoring_block_map:\n sponsoring_block_map[bid] += [sa]\n else:\n sponsoring_block_map[bid] = [sa]\n num_acts = 0\n for b in surrounding_blocks:\n num_added = 0\n sponsored_for_block = sponsoring_block_map.get(b.id, [])\n for schact in sponsored_for_block:\n acts.append(schact)\n if schact.block.is_today():\n if not schact.attendance_taken and schact.block.locked:\n no_attendance_today = True\n num_added += 1\n if num_added == 0:\n acts.append({'block': b, 'id': None, 'fake': True})\n else:\n num_acts += 1\n logger.debug(acts)\n cur_date = surrounding_blocks[0\n ].date if acts else given_date if given_date else datetime.now().date()\n last_block = surrounding_blocks[len(surrounding_blocks) - 1\n ] if surrounding_blocks else None\n last_block_date = last_block.date + timedelta(days=1\n ) if last_block else cur_date\n next_blocks = list(last_block.next_blocks(1)) if last_block else None\n next_date = next_blocks[0].date if next_blocks else last_block_date\n first_block = surrounding_blocks[0] if surrounding_blocks else None\n if cur_date and not first_block:\n first_block = EighthBlock.objects.filter(date__lte=cur_date).last()\n first_block_date = first_block.date + timedelta(days=-7\n ) if first_block else cur_date\n prev_blocks = list(first_block.previous_blocks(num_blocks - 1)\n ) if first_block else None\n prev_date = prev_blocks[0].date if prev_blocks else first_block_date\n return {'sponsor_schedule': acts, 'no_attendance_today':\n no_attendance_today, 'num_attendance_acts': num_acts,\n 'sponsor_schedule_cur_date': cur_date, 'sponsor_schedule_next_date':\n next_date, 'sponsor_schedule_prev_date': prev_date}\n", "role": "user" }, { "content": "gen_sponsor_schedule", "role": "assistant" } ]
def x(request): today = date.today() custom = False yr_inc = 0 if 'birthday_month' in request.GET and 'birthday_day' in request.GET: try: mon = int(request.GET['birthday_month']) day = int(request.GET['birthday_day']) yr = today.year """ If searching a date that already happened this year, skip to the next year. """ if mon < today.month or mon == today.month and day < today.day: yr += 1 yr_inc = 1 real_today = today today = date(yr, mon, day) if today: custom = True else: today = real_today except ValueError: pass key = 'birthdays:{}'.format(today) cached = cache.get(key) if cached: logger.debug('Birthdays on {} loaded from cache.'.format(today)) logger.debug(cached) return cached else: logger.debug('Loading and caching birthday info for {}'.format(today)) tomorrow = today + timedelta(days=1) try: data = {'custom': custom, 'today': {'date': today, 'users': [({ 'id': u.id, 'full_name': u.full_name, 'grade': {'name': u. grade.name}, 'age': u.age + yr_inc if u.age is not None else -1, 'public': u.properties.attribute_is_public( 'show_birthday')} if u else {}) for u in User.objects. users_with_birthday(today.month, today.day)], 'inc': 0}, 'tomorrow': {'date': tomorrow, 'users': [{'id': u.id, 'full_name': u.full_name, 'grade': {'name': u.grade.name}, 'age': u.age - 1 if u.age is not None else -1, 'public': u. properties.attribute_is_public('show_birthday')} for u in User.objects.users_with_birthday(tomorrow.month, tomorrow. day)], 'inc': 1}} except AttributeError: return None else: cache.set(key, data, timeout=60 * 60 * 6) return data
find_birthdays
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n today = date.today()\n custom = False\n yr_inc = 0\n if 'birthday_month' in request.GET and 'birthday_day' in request.GET:\n try:\n mon = int(request.GET['birthday_month'])\n day = int(request.GET['birthday_day'])\n yr = today.year\n \"\"\" If searching a date that already happened this year, skip to the next year. \"\"\"\n if mon < today.month or mon == today.month and day < today.day:\n yr += 1\n yr_inc = 1\n real_today = today\n today = date(yr, mon, day)\n if today:\n custom = True\n else:\n today = real_today\n except ValueError:\n pass\n key = 'birthdays:{}'.format(today)\n cached = cache.get(key)\n if cached:\n logger.debug('Birthdays on {} loaded from cache.'.format(today))\n logger.debug(cached)\n return cached\n else:\n logger.debug('Loading and caching birthday info for {}'.format(today))\n tomorrow = today + timedelta(days=1)\n try:\n data = {'custom': custom, 'today': {'date': today, 'users': [({\n 'id': u.id, 'full_name': u.full_name, 'grade': {'name': u.\n grade.name}, 'age': u.age + yr_inc if u.age is not None else\n -1, 'public': u.properties.attribute_is_public(\n 'show_birthday')} if u else {}) for u in User.objects.\n users_with_birthday(today.month, today.day)], 'inc': 0},\n 'tomorrow': {'date': tomorrow, 'users': [{'id': u.id,\n 'full_name': u.full_name, 'grade': {'name': u.grade.name},\n 'age': u.age - 1 if u.age is not None else -1, 'public': u.\n properties.attribute_is_public('show_birthday')} for u in\n User.objects.users_with_birthday(tomorrow.month, tomorrow.\n day)], 'inc': 1}}\n except AttributeError:\n return None\n else:\n cache.set(key, data, timeout=60 * 60 * 6)\n return data\n", "role": "user" }, { "content": "find_birthdays", "role": "assistant" } ]
def x(request, data): if request.user and (request.user.is_teacher or request.user. is_eighthoffice or request.user.is_eighth_admin): return data data['today']['users'] = [u for u in data['today']['users'] if u['public']] data['tomorrow']['users'] = [u for u in data['tomorrow']['users'] if u[ 'public']] return data
find_visible_birthdays
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, data):\n if request.user and (request.user.is_teacher or request.user.\n is_eighthoffice or request.user.is_eighth_admin):\n return data\n data['today']['users'] = [u for u in data['today']['users'] if u['public']]\n data['tomorrow']['users'] = [u for u in data['tomorrow']['users'] if u[\n 'public']]\n return data\n", "role": "user" }, { "content": "find_visible_birthdays", "role": "assistant" } ]
def x(request, context): user = context['user'] if context['announcements_admin'] and context['show_all']: announcements = Announcement.objects.all() elif context['show_expired']: announcements = Announcement.objects.visible_to_user(user) else: announcements = Announcement.objects.visible_to_user(user).filter( expiration_date__gt=timezone.now()) if context['events_admin'] and context['show_all']: events = Event.objects.all() elif context['show_expired']: events = Event.objects.visible_to_user(user) else: midnight = timezone.make_aware(timezone.datetime.combine(datetime. now(), time(0, 0))) events = Event.objects.visible_to_user(user).filter(time__gte= midnight, show_on_dashboard=True) items = sorted(chain(announcements, events), key=lambda item: (item. pinned, item.added)) items.reverse() return items
get_announcements_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, context):\n user = context['user']\n if context['announcements_admin'] and context['show_all']:\n announcements = Announcement.objects.all()\n elif context['show_expired']:\n announcements = Announcement.objects.visible_to_user(user)\n else:\n announcements = Announcement.objects.visible_to_user(user).filter(\n expiration_date__gt=timezone.now())\n if context['events_admin'] and context['show_all']:\n events = Event.objects.all()\n elif context['show_expired']:\n events = Event.objects.visible_to_user(user)\n else:\n midnight = timezone.make_aware(timezone.datetime.combine(datetime.\n now(), time(0, 0)))\n events = Event.objects.visible_to_user(user).filter(time__gte=\n midnight, show_on_dashboard=True)\n items = sorted(chain(announcements, events), key=lambda item: (item.\n pinned, item.added))\n items.reverse()\n return items\n", "role": "user" }, { "content": "get_announcements_list", "role": "assistant" } ]
def x(request, context, items): if 'start' in request.GET: try: start_num = int(request.GET.get('start')) except ValueError: start_num = 0 else: start_num = 0 display_num = 10 end_num = start_num + display_num prev_page = start_num - display_num more_items = len(items) - start_num > display_num try: items_sorted = items[start_num:end_num] except (ValueError, AssertionError): items_sorted = items[:display_num] else: items = items_sorted context.update({'items': items, 'start_num': start_num, 'end_num': end_num, 'prev_page': prev_page, 'more_items': more_items}) return context, items
paginate_announcements_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, context, items):\n if 'start' in request.GET:\n try:\n start_num = int(request.GET.get('start'))\n except ValueError:\n start_num = 0\n else:\n start_num = 0\n display_num = 10\n end_num = start_num + display_num\n prev_page = start_num - display_num\n more_items = len(items) - start_num > display_num\n try:\n items_sorted = items[start_num:end_num]\n except (ValueError, AssertionError):\n items_sorted = items[:display_num]\n else:\n items = items_sorted\n context.update({'items': items, 'start_num': start_num, 'end_num':\n end_num, 'prev_page': prev_page, 'more_items': more_items})\n return context, items\n", "role": "user" }, { "content": "paginate_announcements_list", "role": "assistant" } ]
def x(request, context): user = context['user'] if context['is_student'] or context['eighth_sponsor']: num_blocks = 6 surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks ) if context['is_student']: schedule, no_signup_today = gen_schedule(user, num_blocks, surrounding_blocks) context.update({'schedule': schedule, 'last_displayed_block': schedule[-1] if schedule else None, 'no_signup_today': no_signup_today, 'senior_graduation': settings. SENIOR_GRADUATION, 'senior_graduation_year': settings. SENIOR_GRADUATION_YEAR}) if context['eighth_sponsor']: sponsor_date = request.GET.get('sponsor_date', None) if sponsor_date: sponsor_date = decode_date(sponsor_date) if sponsor_date: block = EighthBlock.objects.filter(date__gte=sponsor_date ).first() if block: surrounding_blocks = [block] + list(block.next_blocks( num_blocks - 1)) else: surrounding_blocks = [] sponsor_sch = gen_sponsor_schedule(user, context['eighth_sponsor'], num_blocks, surrounding_blocks, sponsor_date) context.update(sponsor_sch) birthdays = find_birthdays(request) context['birthdays'] = find_visible_birthdays(request, birthdays) sched_ctx = schedule_context(request) context.update(sched_ctx) return context
add_widgets_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, context):\n user = context['user']\n if context['is_student'] or context['eighth_sponsor']:\n num_blocks = 6\n surrounding_blocks = EighthBlock.objects.get_upcoming_blocks(num_blocks\n )\n if context['is_student']:\n schedule, no_signup_today = gen_schedule(user, num_blocks,\n surrounding_blocks)\n context.update({'schedule': schedule, 'last_displayed_block': \n schedule[-1] if schedule else None, 'no_signup_today':\n no_signup_today, 'senior_graduation': settings.\n SENIOR_GRADUATION, 'senior_graduation_year': settings.\n SENIOR_GRADUATION_YEAR})\n if context['eighth_sponsor']:\n sponsor_date = request.GET.get('sponsor_date', None)\n if sponsor_date:\n sponsor_date = decode_date(sponsor_date)\n if sponsor_date:\n block = EighthBlock.objects.filter(date__gte=sponsor_date\n ).first()\n if block:\n surrounding_blocks = [block] + list(block.next_blocks(\n num_blocks - 1))\n else:\n surrounding_blocks = []\n sponsor_sch = gen_sponsor_schedule(user, context['eighth_sponsor'],\n num_blocks, surrounding_blocks, sponsor_date)\n context.update(sponsor_sch)\n birthdays = find_birthdays(request)\n context['birthdays'] = find_visible_birthdays(request, birthdays)\n sched_ctx = schedule_context(request)\n context.update(sched_ctx)\n return context\n", "role": "user" }, { "content": "add_widgets_context", "role": "assistant" } ]
def x(request, show_widgets=True, show_expired=False, ignore_dashboard_types=None, show_welcome=False): user = request.user announcements_admin = user.has_admin_permission('announcements') events_admin = user.has_admin_permission('events') if not show_expired: show_expired = 'show_expired' in request.GET show_all = request.GET.get('show_all', '0') != '0' if 'show_all' not in request.GET and request.user.is_eighthoffice: show_all = True paginate_link_suffix = '&show_all=1' if show_all else '' is_index_page = request.path_info in ['/', ''] context = {'prerender_url': get_prerender_url(request), 'user': user, 'announcements_admin': announcements_admin, 'events_admin': events_admin, 'is_index_page': is_index_page, 'show_all': show_all, 'paginate_link_suffix': paginate_link_suffix, 'show_expired': show_expired} items = get_announcements_list(request, context) context, items = paginate_announcements_list(request, context, items) user_hidden_announcements = Announcement.objects.hidden_announcements(user ).values_list('id', flat=True) user_hidden_events = Event.objects.hidden_events(user).values_list('id', flat=True) if ignore_dashboard_types is None: ignore_dashboard_types = [] context.update({'hide_announcements': True, 'hide_events': True, 'user_hidden_announcements': user_hidden_announcements, 'user_hidden_events': user_hidden_events, 'ignore_dashboard_types': ignore_dashboard_types}) is_student = user.is_student is_teacher = user.is_teacher is_senior = user.is_senior is_global_admin = user.member_of('admin_all') and user.is_superuser show_admin_widget = (is_global_admin or announcements_admin or user. is_eighth_admin) eighth_sponsor = user.get_eighth_sponsor() view_announcements_url = 'index' if show_widgets: dashboard_title = 'Dashboard' dashboard_header = 'Dashboard' elif show_expired: dashboard_title = dashboard_header = 'Announcement Archive' view_announcements_url = 'announcements_archive' else: dashboard_title = dashboard_header = 'Announcements' num_senior_destinations = len(Senior.objects.filled()) try: dash_warning = settings.DASH_WARNING except Exception: dash_warning = None from ..auth.views import get_ap_week_warning fcps_emerg = get_fcps_emerg(request) ap_week = get_ap_week_warning(request) if fcps_emerg: dash_warning = fcps_emerg elif ap_week: dash_warning = ap_week context.update({'dash_warning': dash_warning, 'show_widgets': show_widgets, 'show_expired': show_expired, 'view_announcements_url': view_announcements_url, 'dashboard_title': dashboard_title, 'dashboard_header': dashboard_header, 'is_student': is_student, 'is_teacher': is_teacher, 'is_senior': is_senior, 'is_global_admin': is_global_admin, 'show_admin_widget': show_admin_widget, 'eighth_sponsor': eighth_sponsor, 'num_senior_destinations': num_senior_destinations}) if settings.TJSTAR_MAP: context.update(get_tjstar_mapping(request.user)) if show_widgets: context = add_widgets_context(request, context) if announcements_admin: all_waiting = AnnouncementRequest.objects.filter(posted=None, rejected=False).this_year() awaiting_teacher = all_waiting.filter(teachers_approved__isnull=True) awaiting_approval = all_waiting.filter(teachers_approved__isnull=False) context.update({'awaiting_teacher': awaiting_teacher, 'awaiting_approval': awaiting_approval}) self_awaiting_teacher = AnnouncementRequest.objects.filter(posted=None, rejected=False, teachers_requested=request.user).this_year() context.update({'self_awaiting_teacher': self_awaiting_teacher}) if show_welcome: return render(request, 'welcome/student.html', context) else: return render(request, 'dashboard/dashboard.html', context)
dashboard_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, show_widgets=True, show_expired=False,\n ignore_dashboard_types=None, show_welcome=False):\n user = request.user\n announcements_admin = user.has_admin_permission('announcements')\n events_admin = user.has_admin_permission('events')\n if not show_expired:\n show_expired = 'show_expired' in request.GET\n show_all = request.GET.get('show_all', '0') != '0'\n if 'show_all' not in request.GET and request.user.is_eighthoffice:\n show_all = True\n paginate_link_suffix = '&show_all=1' if show_all else ''\n is_index_page = request.path_info in ['/', '']\n context = {'prerender_url': get_prerender_url(request), 'user': user,\n 'announcements_admin': announcements_admin, 'events_admin':\n events_admin, 'is_index_page': is_index_page, 'show_all': show_all,\n 'paginate_link_suffix': paginate_link_suffix, 'show_expired':\n show_expired}\n items = get_announcements_list(request, context)\n context, items = paginate_announcements_list(request, context, items)\n user_hidden_announcements = Announcement.objects.hidden_announcements(user\n ).values_list('id', flat=True)\n user_hidden_events = Event.objects.hidden_events(user).values_list('id',\n flat=True)\n if ignore_dashboard_types is None:\n ignore_dashboard_types = []\n context.update({'hide_announcements': True, 'hide_events': True,\n 'user_hidden_announcements': user_hidden_announcements,\n 'user_hidden_events': user_hidden_events, 'ignore_dashboard_types':\n ignore_dashboard_types})\n is_student = user.is_student\n is_teacher = user.is_teacher\n is_senior = user.is_senior\n is_global_admin = user.member_of('admin_all') and user.is_superuser\n show_admin_widget = (is_global_admin or announcements_admin or user.\n is_eighth_admin)\n eighth_sponsor = user.get_eighth_sponsor()\n view_announcements_url = 'index'\n if show_widgets:\n dashboard_title = 'Dashboard'\n dashboard_header = 'Dashboard'\n elif show_expired:\n dashboard_title = dashboard_header = 'Announcement Archive'\n view_announcements_url = 'announcements_archive'\n else:\n dashboard_title = dashboard_header = 'Announcements'\n num_senior_destinations = len(Senior.objects.filled())\n try:\n dash_warning = settings.DASH_WARNING\n except Exception:\n dash_warning = None\n from ..auth.views import get_ap_week_warning\n fcps_emerg = get_fcps_emerg(request)\n ap_week = get_ap_week_warning(request)\n if fcps_emerg:\n dash_warning = fcps_emerg\n elif ap_week:\n dash_warning = ap_week\n context.update({'dash_warning': dash_warning, 'show_widgets':\n show_widgets, 'show_expired': show_expired,\n 'view_announcements_url': view_announcements_url, 'dashboard_title':\n dashboard_title, 'dashboard_header': dashboard_header, 'is_student':\n is_student, 'is_teacher': is_teacher, 'is_senior': is_senior,\n 'is_global_admin': is_global_admin, 'show_admin_widget':\n show_admin_widget, 'eighth_sponsor': eighth_sponsor,\n 'num_senior_destinations': num_senior_destinations})\n if settings.TJSTAR_MAP:\n context.update(get_tjstar_mapping(request.user))\n if show_widgets:\n context = add_widgets_context(request, context)\n if announcements_admin:\n all_waiting = AnnouncementRequest.objects.filter(posted=None,\n rejected=False).this_year()\n awaiting_teacher = all_waiting.filter(teachers_approved__isnull=True)\n awaiting_approval = all_waiting.filter(teachers_approved__isnull=False)\n context.update({'awaiting_teacher': awaiting_teacher,\n 'awaiting_approval': awaiting_approval})\n self_awaiting_teacher = AnnouncementRequest.objects.filter(posted=None,\n rejected=False, teachers_requested=request.user).this_year()\n context.update({'self_awaiting_teacher': self_awaiting_teacher})\n if show_welcome:\n return render(request, 'welcome/student.html', context)\n else:\n return render(request, 'dashboard/dashboard.html', context)\n", "role": "user" }, { "content": "dashboard_view", "role": "assistant" } ]
def x(self, include_restricted, title=None): name = 'Special: ' if self.special else '' name += self.name if title: name += ' - {}'.format(title) if include_restricted and self.restricted: name += ' (R)' name += ' (BB)' if self.both_blocks else '' name += ' (A)' if self.administrative else '' name += ' (S)' if self.sticky else '' name += ' (Deleted)' if self.deleted else '' return name
name_with_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, include_restricted, title=None):\n name = 'Special: ' if self.special else ''\n name += self.name\n if title:\n name += ' - {}'.format(title)\n if include_restricted and self.restricted:\n name += ' (R)'\n name += ' (BB)' if self.both_blocks else ''\n name += ' (A)' if self.administrative else ''\n name += ' (S)' if self.sticky else ''\n name += ' (Deleted)' if self.deleted else ''\n return name\n", "role": "user" }, { "content": "name_with_flags", "role": "assistant" } ]
def x(cls, user): if not user: return [] activities = set(user.restricted_activity_set.values_list('id', flat=True)) if user and user.grade and user.grade.number and user.grade.name: grade = user.grade else: grade = None if grade is not None and 9 <= grade.number <= 12: activities |= set(EighthActivity.objects.filter(**{'{}_allowed'. format(grade.name_plural): True}).values_list('id', flat=True)) for group in user.groups.all(): activities |= set(group.restricted_activity_set.values_list('id', flat=True)) return list(activities)
restricted_activities_available_to_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, user):\n if not user:\n return []\n activities = set(user.restricted_activity_set.values_list('id', flat=True))\n if user and user.grade and user.grade.number and user.grade.name:\n grade = user.grade\n else:\n grade = None\n if grade is not None and 9 <= grade.number <= 12:\n activities |= set(EighthActivity.objects.filter(**{'{}_allowed'.\n format(grade.name_plural): True}).values_list('id', flat=True))\n for group in user.groups.all():\n activities |= set(group.restricted_activity_set.values_list('id',\n flat=True))\n return list(activities)\n", "role": "user" }, { "content": "restricted_activities_available_to_user", "role": "assistant" } ]
def x(self): blocks = EighthBlock.objects.get_blocks_this_year() scheduled_activities = EighthScheduledActivity.objects.filter(activity=self ) scheduled_activities = scheduled_activities.filter(block__in=blocks) return scheduled_activities
get_active_schedulings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n blocks = EighthBlock.objects.get_blocks_this_year()\n scheduled_activities = EighthScheduledActivity.objects.filter(activity=self\n )\n scheduled_activities = scheduled_activities.filter(block__in=blocks)\n return scheduled_activities\n", "role": "user" }, { "content": "get_active_schedulings", "role": "assistant" } ]
def x(self): key = 'eighthactivity_{}:frequent_users'.format(self.id) cached = cache.get(key) if cached: return cached freq_users = self.eighthscheduledactivity_set.exclude( eighthsignup_set__user=None).exclude(administrative=True).exclude( special=True).exclude(restricted=True).values('eighthsignup_set__user' ).annotate(count=Count('eighthsignup_set__user')).filter(count__gte =settings.SIMILAR_THRESHOLD).order_by('-count') cache.set(key, freq_users, timeout=60 * 60 * 24 * 7) return freq_users
frequent_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n key = 'eighthactivity_{}:frequent_users'.format(self.id)\n cached = cache.get(key)\n if cached:\n return cached\n freq_users = self.eighthscheduledactivity_set.exclude(\n eighthsignup_set__user=None).exclude(administrative=True).exclude(\n special=True).exclude(restricted=True).values('eighthsignup_set__user'\n ).annotate(count=Count('eighthsignup_set__user')).filter(count__gte\n =settings.SIMILAR_THRESHOLD).order_by('-count')\n cache.set(key, freq_users, timeout=60 * 60 * 24 * 7)\n return freq_users\n", "role": "user" }, { "content": "frequent_users", "role": "assistant" } ]
def x(self): start_date, end_date = get_date_range_this_year() return self.filter(date__gte=start_date, date__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(date__gte=start_date, date__lte=end_date)\n", "role": "user" }, { "content": "this_year", "role": "assistant" } ]
def x(self, max_number=-1): now = datetime.datetime.now() if now.hour < 17: now = now.replace(hour=0, minute=0, second=0, microsecond=0) blocks = self.order_by('date', 'block_letter').filter(date__gte=now) if max_number == -1: return blocks return blocks[:max_number]
get_upcoming_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, max_number=-1):\n now = datetime.datetime.now()\n if now.hour < 17:\n now = now.replace(hour=0, minute=0, second=0, microsecond=0)\n blocks = self.order_by('date', 'block_letter').filter(date__gte=now)\n if max_number == -1:\n return blocks\n return blocks[:max_number]\n", "role": "user" }, { "content": "get_upcoming_blocks", "role": "assistant" } ]
def x(self): next_block = EighthBlock.objects.get_first_upcoming_block() if not next_block: return [] next_blocks = EighthBlock.objects.filter(date=next_block.date) return next_blocks
get_next_upcoming_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n next_block = EighthBlock.objects.get_first_upcoming_block()\n if not next_block:\n return []\n next_blocks = EighthBlock.objects.filter(date=next_block.date)\n return next_blocks\n", "role": "user" }, { "content": "get_next_upcoming_blocks", "role": "assistant" } ]
def x(self): date_start, date_end = get_date_range_this_year() return EighthBlock.objects.filter(date__gte=date_start, date__lte=date_end)
get_blocks_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 date_start, date_end = get_date_range_this_year()\n return EighthBlock.objects.filter(date__gte=date_start, date__lte=date_end)\n", "role": "user" }, { "content": "get_blocks_this_year", "role": "assistant" } ]
def x(self, *args, **kwargs): letter = getattr(self, 'block_letter', None) if letter and len(letter) >= 1: self.block_letter = letter[:1].upper() + letter[1:] super(EighthBlock, self).save(*args, **kwargs)
save
[ { "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 letter = getattr(self, 'block_letter', None)\n if letter and len(letter) >= 1:\n self.block_letter = letter[:1].upper() + letter[1:]\n super(EighthBlock, self).save(*args, **kwargs)\n", "role": "user" }, { "content": "save", "role": "assistant" } ]
def x(self, quantity=-1): blocks = EighthBlock.objects.get_blocks_this_year().order_by('date', 'block_letter').filter(Q(date__gt=self.date) | Q(date=self.date) & Q(block_letter__gt=self.block_letter)) if quantity == -1: return blocks return blocks[:quantity]
next_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity=-1):\n blocks = EighthBlock.objects.get_blocks_this_year().order_by('date',\n 'block_letter').filter(Q(date__gt=self.date) | Q(date=self.date) &\n Q(block_letter__gt=self.block_letter))\n if quantity == -1:\n return blocks\n return blocks[:quantity]\n", "role": "user" }, { "content": "next_blocks", "role": "assistant" } ]
def x(self, quantity=-1): blocks = EighthBlock.objects.get_blocks_this_year().order_by('-date', '-block_letter').filter(Q(date__lt=self.date) | Q(date=self.date) & Q(block_letter__lt=self.block_letter)) if quantity == -1: return reversed(blocks) return reversed(blocks[:quantity])
previous_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, quantity=-1):\n blocks = EighthBlock.objects.get_blocks_this_year().order_by('-date',\n '-block_letter').filter(Q(date__lt=self.date) | Q(date=self.date) &\n Q(block_letter__lt=self.block_letter))\n if quantity == -1:\n return reversed(blocks)\n return reversed(blocks[:quantity])\n", "role": "user" }, { "content": "previous_blocks", "role": "assistant" } ]
def x(self): next = self.next_blocks() prev = self.previous_blocks() surrounding_blocks = list(chain(prev, [self], next)) return surrounding_blocks
get_surrounding_blocks
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n next = self.next_blocks()\n prev = self.previous_blocks()\n surrounding_blocks = list(chain(prev, [self], next))\n return surrounding_blocks\n", "role": "user" }, { "content": "get_surrounding_blocks", "role": "assistant" } ]
def x(self): now = datetime.datetime.now() return now.date() < self.date or self.date == now.date( ) and self.signup_time > now.time()
signup_time_future
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = datetime.datetime.now()\n return now.date() < self.date or self.date == now.date(\n ) and self.signup_time > now.time()\n", "role": "user" }, { "content": "signup_time_future", "role": "assistant" } ]
def x(self): now = datetime.datetime.now() return now.date() > self.date
date_in_past
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = datetime.datetime.now()\n return now.date() > self.date\n", "role": "user" }, { "content": "date_in_past", "role": "assistant" } ]
def x(self): now = datetime.datetime.now() two_weeks = self.date + datetime.timedelta(days=settings.CLEAR_ABSENCE_DAYS ) return now.date() <= two_weeks
in_clear_absence_period
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = datetime.datetime.now()\n two_weeks = self.date + datetime.timedelta(days=settings.CLEAR_ABSENCE_DAYS\n )\n return now.date() <= two_weeks\n", "role": "user" }, { "content": "in_clear_absence_period", "role": "assistant" } ]
def x(self): now = datetime.datetime.now() return now.date() > self.date or now.date() == self.date and now.time( ) > datetime.time(settings.ATTENDANCE_LOCK_HOUR, 0)
attendance_locked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n now = datetime.datetime.now()\n return now.date() > self.date or now.date() == self.date and now.time(\n ) > datetime.time(settings.ATTENDANCE_LOCK_HOUR, 0)\n", "role": "user" }, { "content": "attendance_locked", "role": "assistant" } ]
def x(self): return EighthSignup.objects.filter(scheduled_activity__block=self, user__in=User.objects.get_students()).count()
num_signups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EighthSignup.objects.filter(scheduled_activity__block=self,\n user__in=User.objects.get_students()).count()\n", "role": "user" }, { "content": "num_signups", "role": "assistant" } ]
def x(self): signup_users_count = User.objects.get_students().count() return signup_users_count - self.num_signups()
num_no_signups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n signup_users_count = User.objects.get_students().count()\n return signup_users_count - self.num_signups()\n", "role": "user" }, { "content": "num_no_signups", "role": "assistant" } ]
def x(self): return EighthSignup.objects.filter(scheduled_activity__block=self).exclude( user__in=User.objects.get_students())
get_hidden_signups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return EighthSignup.objects.filter(scheduled_activity__block=self).exclude(\n user__in=User.objects.get_students())\n", "role": "user" }, { "content": "get_hidden_signups", "role": "assistant" } ]
def x(self): return is_current_year(datetime.datetime.combine(self.date, datetime. time()))
is_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 return is_current_year(datetime.datetime.combine(self.date, datetime.\n time()))\n", "role": "user" }, { "content": "is_this_year", "role": "assistant" } ]
def x(self, sponsor, include_cancelled=False): sponsoring_filter = Q(sponsors=sponsor) | Q(sponsors=None) & Q( activity__sponsors=sponsor) sched_acts = EighthScheduledActivity.objects.exclude(activity__deleted=True ).filter(sponsoring_filter).distinct() if not include_cancelled: sched_acts = sched_acts.exclude(cancelled=True) return sched_acts
for_sponsor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sponsor, include_cancelled=False):\n sponsoring_filter = Q(sponsors=sponsor) | Q(sponsors=None) & Q(\n activity__sponsors=sponsor)\n sched_acts = EighthScheduledActivity.objects.exclude(activity__deleted=True\n ).filter(sponsoring_filter).distinct()\n if not include_cancelled:\n sched_acts = sched_acts.exclude(cancelled=True)\n return sched_acts\n", "role": "user" }, { "content": "for_sponsor", "role": "assistant" } ]
def x(self): cancelled_str = ' (Cancelled)' if self.cancelled else '' act_name = self.activity.name + cancelled_str if self.special and not self.activity.special: act_name = 'Special: ' + act_name return act_name if not self.title else '{} - {}'.format(act_name, self. title)
full_title
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cancelled_str = ' (Cancelled)' if self.cancelled else ''\n act_name = self.activity.name + cancelled_str\n if self.special and not self.activity.special:\n act_name = 'Special: ' + act_name\n return act_name if not self.title else '{} - {}'.format(act_name, self.\n title)\n", "role": "user" }, { "content": "full_title", "role": "assistant" } ]
def x(self): cancelled_str = ' (Cancelled)' if self.cancelled else '' name_with_flags = self.activity._name_with_flags(True, self.title ) + cancelled_str if self.special and not self.activity.special: name_with_flags = 'Special: ' + name_with_flags return name_with_flags
title_with_flags
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n cancelled_str = ' (Cancelled)' if self.cancelled else ''\n name_with_flags = self.activity._name_with_flags(True, self.title\n ) + cancelled_str\n if self.special and not self.activity.special:\n name_with_flags = 'Special: ' + name_with_flags\n return name_with_flags\n", "role": "user" }, { "content": "title_with_flags", "role": "assistant" } ]
def x(self): sponsors = self.sponsors.all() if len(sponsors) > 0: return sponsors else: return self.activity.sponsors.all()
get_true_sponsors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n sponsors = self.sponsors.all()\n if len(sponsors) > 0:\n return sponsors\n else:\n return self.activity.sponsors.all()\n", "role": "user" }, { "content": "get_true_sponsors", "role": "assistant" } ]
def x(self, user): sponsors = self.get_true_sponsors() for sponsor in sponsors: sp_user = sponsor.user if sp_user == user: return True return False
user_is_sponsor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user):\n sponsors = self.get_true_sponsors()\n for sponsor in sponsors:\n sp_user = sponsor.user\n if sp_user == user:\n return True\n return False\n", "role": "user" }, { "content": "user_is_sponsor", "role": "assistant" } ]
def x(self): rooms = self.rooms.all() if len(rooms) > 0: return rooms else: return self.activity.rooms.all()
get_true_rooms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rooms = self.rooms.all()\n if len(rooms) > 0:\n return rooms\n else:\n return self.activity.rooms.all()\n", "role": "user" }, { "content": "get_true_rooms", "role": "assistant" } ]
def x(self): c = self.capacity if c is not None: return c else: if self.rooms.count() == 0 and self.activity.default_capacity: return self.activity.default_capacity rooms = self.get_true_rooms() return EighthRoom.total_capacity_of_rooms(rooms)
get_true_capacity
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n c = self.capacity\n if c is not None:\n return c\n else:\n if self.rooms.count() == 0 and self.activity.default_capacity:\n return self.activity.default_capacity\n rooms = self.get_true_rooms()\n return EighthRoom.total_capacity_of_rooms(rooms)\n", "role": "user" }, { "content": "get_true_capacity", "role": "assistant" } ]
def x(self): capacity = self.get_true_capacity() if capacity != -1: num_signed_up = self.eighthsignup_set.count() return num_signed_up >= capacity return False
is_full
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n capacity = self.get_true_capacity()\n if capacity != -1:\n num_signed_up = self.eighthsignup_set.count()\n return num_signed_up >= capacity\n return False\n", "role": "user" }, { "content": "is_full", "role": "assistant" } ]
def x(self): capacity = self.get_true_capacity() if capacity != -1: num_signed_up = self.eighthsignup_set.count() return num_signed_up >= 0.9 * capacity return False
is_almost_full
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n capacity = self.get_true_capacity()\n if capacity != -1:\n num_signed_up = self.eighthsignup_set.count()\n return num_signed_up >= 0.9 * capacity\n return False\n", "role": "user" }, { "content": "is_almost_full", "role": "assistant" } ]
def x(self): capacity = self.get_true_capacity() if capacity != -1: num_signed_up = self.eighthsignup_set.count() return num_signed_up > capacity return False
is_overbooked
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n capacity = self.get_true_capacity()\n if capacity != -1:\n num_signed_up = self.eighthsignup_set.count()\n return num_signed_up > capacity\n return False\n", "role": "user" }, { "content": "is_overbooked", "role": "assistant" } ]
def x(self, now=None): if now is None: now = datetime.datetime.now() activity_date = datetime.datetime.combine(self.block.date, datetime. time(0, 0, 0)) presign_period = datetime.timedelta(days=2) return now < activity_date - presign_period
is_too_early_to_signup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, now=None):\n if now is None:\n now = datetime.datetime.now()\n activity_date = datetime.datetime.combine(self.block.date, datetime.\n time(0, 0, 0))\n presign_period = datetime.timedelta(days=2)\n return now < activity_date - presign_period\n", "role": "user" }, { "content": "is_too_early_to_signup", "role": "assistant" } ]
def x(self, user=None): members = [] for member in self.members.all(): show = False if member.can_view_eighth: show = member.can_view_eighth if not show and user and user.is_eighth_admin: show = True if not show and user and user.is_teacher: show = True if not show and member == user: show = True if show: members.append(member) return sorted(members, key=lambda u: (u.last_name, u.first_name))
get_viewable_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None):\n members = []\n for member in self.members.all():\n show = False\n if member.can_view_eighth:\n show = member.can_view_eighth\n if not show and user and user.is_eighth_admin:\n show = True\n if not show and user and user.is_teacher:\n show = True\n if not show and member == user:\n show = True\n if show:\n members.append(member)\n return sorted(members, key=lambda u: (u.last_name, u.first_name))\n", "role": "user" }, { "content": "get_viewable_members", "role": "assistant" } ]
def x(self, request): ids = [] user = request.user for member in self.members.all(): show = False if member.can_view_eighth: show = member.can_view_eighth if not show and user and user.is_eighth_admin: show = True if not show and user and user.is_teacher: show = True if not show and member == user: show = True if show: ids.append(member.id) return User.objects.filter(id__in=ids)
get_viewable_members_serializer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n ids = []\n user = request.user\n for member in self.members.all():\n show = False\n if member.can_view_eighth:\n show = member.can_view_eighth\n if not show and user and user.is_eighth_admin:\n show = True\n if not show and user and user.is_teacher:\n show = True\n if not show and member == user:\n show = True\n if show:\n ids.append(member.id)\n return User.objects.filter(id__in=ids)\n", "role": "user" }, { "content": "get_viewable_members_serializer", "role": "assistant" } ]
def x(self, user=None): hidden_members = [] for member in self.members.all(): show = False if member.can_view_eighth: show = member.can_view_eighth if not show and user and user.is_eighth_admin: show = True if not show and user and user.is_teacher: show = True if not show and member == user: show = True if not show: hidden_members.append(member) return hidden_members
get_hidden_members
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None):\n hidden_members = []\n for member in self.members.all():\n show = False\n if member.can_view_eighth:\n show = member.can_view_eighth\n if not show and user and user.is_eighth_admin:\n show = True\n if not show and user and user.is_teacher:\n show = True\n if not show and member == user:\n show = True\n if not show:\n hidden_members.append(member)\n return hidden_members\n", "role": "user" }, { "content": "get_hidden_members", "role": "assistant" } ]
def x(self): if not self.is_both_blocks(): return None if self.block.block_letter and self.block.block_letter.upper() not in ['A', 'B']: return None other_instances = EighthScheduledActivity.objects.filter(activity=self. activity, block__date=self.block.date) for inst in other_instances: if inst == self: continue if inst.block.block_letter in ['A', 'B']: return inst return None
get_both_blocks_sibling
[ { "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.is_both_blocks():\n return None\n if self.block.block_letter and self.block.block_letter.upper() not in ['A',\n 'B']:\n return None\n other_instances = EighthScheduledActivity.objects.filter(activity=self.\n activity, block__date=self.block.date)\n for inst in other_instances:\n if inst == self:\n continue\n if inst.block.block_letter in ['A', 'B']:\n return inst\n return None\n", "role": "user" }, { "content": "get_both_blocks_sibling", "role": "assistant" } ]
def x(self): logger.debug('Running cancel hooks: {}'.format(self)) if not self.cancelled: logger.debug('Cancelling {}'.format(self)) self.cancelled = True self.save() """ cancelled_room = EighthRoom.objects.get_or_create(name="CANCELLED", capacity=0)[0] cancelled_sponsor = EighthSponsor.objects.get_or_create(first_name="", last_name="CANCELLED")[0] if cancelled_room not in list(self.rooms.all()): self.rooms.all().delete() self.rooms.add(cancelled_room) if cancelled_sponsor not in list(self.sponsors.all()): self.sponsors.all().delete() self.sponsors.add(cancelled_sponsor) self.save() """
cancel
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n logger.debug('Running cancel hooks: {}'.format(self))\n if not self.cancelled:\n logger.debug('Cancelling {}'.format(self))\n self.cancelled = True\n self.save()\n \"\"\"\n cancelled_room = EighthRoom.objects.get_or_create(name=\"CANCELLED\", capacity=0)[0]\n cancelled_sponsor = EighthSponsor.objects.get_or_create(first_name=\"\", last_name=\"CANCELLED\")[0]\n if cancelled_room not in list(self.rooms.all()):\n self.rooms.all().delete()\n self.rooms.add(cancelled_room)\n\n if cancelled_sponsor not in list(self.sponsors.all()):\n self.sponsors.all().delete()\n self.sponsors.add(cancelled_sponsor)\n\n self.save()\n \"\"\"\n", "role": "user" }, { "content": "cancel", "role": "assistant" } ]
def x(self): if self.cancelled: logger.debug('Uncancelling {}'.format(self)) self.cancelled = False self.save() """ cancelled_room = EighthRoom.objects.get_or_create(name="CANCELLED", capacity=0)[0] cancelled_sponsor = EighthSponsor.objects.get_or_create(first_name="", last_name="CANCELLED")[0] if cancelled_room in list(self.rooms.all()): self.rooms.filter(id=cancelled_room.id).delete() if cancelled_sponsor in list(self.sponsors.all()): self.sponsors.filter(id=cancelled_sponsor.id).delete() self.save() """
uncancel
[ { "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.cancelled:\n logger.debug('Uncancelling {}'.format(self))\n self.cancelled = False\n self.save()\n \"\"\"\n cancelled_room = EighthRoom.objects.get_or_create(name=\"CANCELLED\", capacity=0)[0]\n cancelled_sponsor = EighthSponsor.objects.get_or_create(first_name=\"\", last_name=\"CANCELLED\")[0]\n if cancelled_room in list(self.rooms.all()):\n self.rooms.filter(id=cancelled_room.id).delete()\n\n if cancelled_sponsor in list(self.sponsors.all()):\n self.sponsors.filter(id=cancelled_sponsor.id).delete()\n\n self.save()\n \"\"\"\n", "role": "user" }, { "content": "uncancel", "role": "assistant" } ]
def x(self, *args, **kwargs): super(EighthSignup, self).validate_unique(*args, **kwargs) if self.has_conflict(): raise ValidationError({NON_FIELD_ERRORS: ( "EighthSignup already exists for the User and the EighthScheduledActivity's block" ,)})
validate_unique
[ { "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 super(EighthSignup, self).validate_unique(*args, **kwargs)\n if self.has_conflict():\n raise ValidationError({NON_FIELD_ERRORS: (\n \"EighthSignup already exists for the User and the EighthScheduledActivity's block\"\n ,)})\n", "role": "user" }, { "content": "validate_unique", "role": "assistant" } ]
def x(self, user=None, force=False, dont_run_waitlist=False): exception = eighth_exceptions.SignupException() if user is not None: if user != self.user and not user.is_eighth_admin: exception.SignupForbidden = True if self.scheduled_activity.block.locked: exception.BlockLocked = True if self.scheduled_activity.cancelled: exception.ScheduledActivityCancelled = True if self.scheduled_activity.activity.deleted: exception.ActivityDeleted = True if (self.scheduled_activity.activity and self.scheduled_activity. activity.sticky): exception.Sticky = True if len(exception.messages()) > 0 and not force: raise exception else: block = self.scheduled_activity.block self.delete() if settings.ENABLE_WAITLIST and self.scheduled_activity.waitlist.all( ).exists() and not block.locked and not dont_run_waitlist: if not self.scheduled_activity.is_full(): waitlists = EighthWaitlist.objects.get_next_waitlist(self. scheduled_activity) self.scheduled_activity.notify_waitlist(waitlists, self. scheduled_activity) return 'Successfully removed signup for {}.'.format(block)
remove_signup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user=None, force=False, dont_run_waitlist=False):\n exception = eighth_exceptions.SignupException()\n if user is not None:\n if user != self.user and not user.is_eighth_admin:\n exception.SignupForbidden = True\n if self.scheduled_activity.block.locked:\n exception.BlockLocked = True\n if self.scheduled_activity.cancelled:\n exception.ScheduledActivityCancelled = True\n if self.scheduled_activity.activity.deleted:\n exception.ActivityDeleted = True\n if (self.scheduled_activity.activity and self.scheduled_activity.\n activity.sticky):\n exception.Sticky = True\n if len(exception.messages()) > 0 and not force:\n raise exception\n else:\n block = self.scheduled_activity.block\n self.delete()\n if settings.ENABLE_WAITLIST and self.scheduled_activity.waitlist.all(\n ).exists() and not block.locked and not dont_run_waitlist:\n if not self.scheduled_activity.is_full():\n waitlists = EighthWaitlist.objects.get_next_waitlist(self.\n scheduled_activity)\n self.scheduled_activity.notify_waitlist(waitlists, self.\n scheduled_activity)\n return 'Successfully removed signup for {}.'.format(block)\n", "role": "user" }, { "content": "remove_signup", "role": "assistant" } ]
def x(request): if 'source_act' in request.GET: source_act = EighthScheduledActivity.objects.get(id=request.GET.get ('source_act')) elif 'source_act' in request.POST: source_act = EighthScheduledActivity.objects.get(id=request.POST. get('source_act')) else: raise Http404 dest_act = None dest_unsignup = False if 'dest_act' in request.GET: dest_act = EighthScheduledActivity.objects.get(id=request.GET.get( 'dest_act')) elif 'dest_act' in request.POST: dest_act = EighthScheduledActivity.objects.get(id=request.POST.get( 'dest_act')) elif 'dest_unsignup' in request.POST or 'dest_unsignup' in request.GET: dest_unsignup = True else: raise Http404 num = source_act.members.count() context = {'admin_page_title': 'Transfer Students', 'source_act': source_act, 'dest_act': dest_act, 'dest_unsignup': dest_unsignup, 'num': num} if request.method == 'POST': if dest_unsignup and not dest_act: source_act.eighthsignup_set.all().delete() invalidate_obj(source_act) messages.success(request, 'Successfully removed signups for {} students.'.format(num)) else: source_act.eighthsignup_set.update(scheduled_activity=dest_act) invalidate_obj(source_act) invalidate_obj(dest_act) messages.success(request, 'Successfully transfered {} students.'.format(num)) return redirect('eighth_admin_dashboard') else: return render(request, 'eighth/admin/transfer_students.html', context)
transfer_students_action
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n if 'source_act' in request.GET:\n source_act = EighthScheduledActivity.objects.get(id=request.GET.get\n ('source_act'))\n elif 'source_act' in request.POST:\n source_act = EighthScheduledActivity.objects.get(id=request.POST.\n get('source_act'))\n else:\n raise Http404\n dest_act = None\n dest_unsignup = False\n if 'dest_act' in request.GET:\n dest_act = EighthScheduledActivity.objects.get(id=request.GET.get(\n 'dest_act'))\n elif 'dest_act' in request.POST:\n dest_act = EighthScheduledActivity.objects.get(id=request.POST.get(\n 'dest_act'))\n elif 'dest_unsignup' in request.POST or 'dest_unsignup' in request.GET:\n dest_unsignup = True\n else:\n raise Http404\n num = source_act.members.count()\n context = {'admin_page_title': 'Transfer Students', 'source_act':\n source_act, 'dest_act': dest_act, 'dest_unsignup': dest_unsignup,\n 'num': num}\n if request.method == 'POST':\n if dest_unsignup and not dest_act:\n source_act.eighthsignup_set.all().delete()\n invalidate_obj(source_act)\n messages.success(request,\n 'Successfully removed signups for {} students.'.format(num))\n else:\n source_act.eighthsignup_set.update(scheduled_activity=dest_act)\n invalidate_obj(source_act)\n invalidate_obj(dest_act)\n messages.success(request,\n 'Successfully transfered {} students.'.format(num))\n return redirect('eighth_admin_dashboard')\n else:\n return render(request, 'eighth/admin/transfer_students.html', context)\n", "role": "user" }, { "content": "transfer_students_action", "role": "assistant" } ]
def x(request): if (request.user and request.user.is_authenticated and request.user. is_eighth_admin): return {'admin_start_date': get_start_date(request)} return {}
start_date
[ { "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.user and request.user.is_authenticated and request.user.\n is_eighth_admin):\n return {'admin_start_date': get_start_date(request)}\n return {}\n", "role": "user" }, { "content": "start_date", "role": "assistant" } ]
def x(request): if (request.user and request.user.is_authenticated and request.user. is_student): absence_info = request.user.absence_info() num_absences = absence_info.count() show_notif = False if num_absences > 0: notif_seen = request.session.get('eighth_absence_notif_seen', False ) if not notif_seen: for signup in absence_info: if signup.in_clear_absence_period(): show_notif = True if show_notif: request.session['eighth_absence_notif_seen'] = True return {'eighth_absence_count': num_absences, 'eighth_absence_notif': show_notif} return {}
absence_count
[ { "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.user and request.user.is_authenticated and request.user.\n is_student):\n absence_info = request.user.absence_info()\n num_absences = absence_info.count()\n show_notif = False\n if num_absences > 0:\n notif_seen = request.session.get('eighth_absence_notif_seen', False\n )\n if not notif_seen:\n for signup in absence_info:\n if signup.in_clear_absence_period():\n show_notif = True\n if show_notif:\n request.session['eighth_absence_notif_seen'] = True\n return {'eighth_absence_count': num_absences,\n 'eighth_absence_notif': show_notif}\n return {}\n", "role": "user" }, { "content": "absence_count", "role": "assistant" } ]
def x(self, user): return Host.objects.filter(Q(groups_visible__in=user.groups.all()) | Q( groups_visible__isnull=True)).distinct()
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 Host.objects.filter(Q(groups_visible__in=user.groups.all()) | Q(\n groups_visible__isnull=True)).distinct()\n", "role": "user" }, { "content": "visible_to_user", "role": "assistant" } ]
def x(self): today = timezone.now().date() return Day.objects.filter(date__gte=today)
get_future_days
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n today = timezone.now().date()\n return Day.objects.filter(date__gte=today)\n", "role": "user" }, { "content": "get_future_days", "role": "assistant" } ]
def x(self): today = timezone.now().date() try: return Day.objects.get(date=today) except Day.DoesNotExist: return None
today
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n today = timezone.now().date()\n try:\n return Day.objects.get(date=today)\n except Day.DoesNotExist:\n return None\n", "role": "user" }, { "content": "today", "role": "assistant" } ]
def x(now=None): if now is None: now = datetime.datetime.now().date() if now.month <= settings.YEAR_TURNOVER_MONTH: date_start = datetime.datetime(now.year - 1, 8, 1) date_end = datetime.datetime(now.year, 7, 1) else: date_start = datetime.datetime(now.year, 8, 1) date_end = datetime.datetime(now.year + 1, 7, 1) return timezone.make_aware(date_start), timezone.make_aware(date_end)
get_date_range_this_year
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(now=None):\n if now is None:\n now = datetime.datetime.now().date()\n if now.month <= settings.YEAR_TURNOVER_MONTH:\n date_start = datetime.datetime(now.year - 1, 8, 1)\n date_end = datetime.datetime(now.year, 7, 1)\n else:\n date_start = datetime.datetime(now.year, 8, 1)\n date_end = datetime.datetime(now.year + 1, 7, 1)\n return timezone.make_aware(date_start), timezone.make_aware(date_end)\n", "role": "user" }, { "content": "get_date_range_this_year", "role": "assistant" } ]
def x(username, attribute): return getattr(User.objects.get(username=username), attribute)
user_attr
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(username, attribute):\n return getattr(User.objects.get(username=username), attribute)\n", "role": "user" }, { "content": "user_attr", "role": "assistant" } ]
def x(obj, func_name): func = getattr(obj, func_name) request = threadlocals.request() if request: return func(request.user)
argument_request_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, func_name):\n func = getattr(obj, func_name)\n request = threadlocals.request()\n if request:\n return func(request.user)\n", "role": "user" }, { "content": "argument_request_user", "role": "assistant" } ]
def x(request): if not request.user.is_senior: messages.error(request, 'Only seniors can set their forwarding address.') return redirect('index') try: forward = SeniorEmailForward.objects.get(user=request.user) except SeniorEmailForward.DoesNotExist: forward = None if request.method == 'POST': if forward: form = SeniorEmailForwardForm(request.POST, instance=forward) else: form = SeniorEmailForwardForm(request.POST) logger.debug(form) if form.is_valid(): obj = form.save(commit=False) obj.user = request.user obj.save() messages.success(request, 'Successfully added forwarding address.') return redirect('index') else: messages.error(request, 'Error adding forwarding address.') elif forward: form = SeniorEmailForwardForm(instance=forward) else: form = SeniorEmailForwardForm() return render(request, 'emailfwd/senior_forward.html', {'form': form, 'forward': forward})
senior_email_forward_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_senior:\n messages.error(request,\n 'Only seniors can set their forwarding address.')\n return redirect('index')\n try:\n forward = SeniorEmailForward.objects.get(user=request.user)\n except SeniorEmailForward.DoesNotExist:\n forward = None\n if request.method == 'POST':\n if forward:\n form = SeniorEmailForwardForm(request.POST, instance=forward)\n else:\n form = SeniorEmailForwardForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n obj = form.save(commit=False)\n obj.user = request.user\n obj.save()\n messages.success(request, 'Successfully added forwarding address.')\n return redirect('index')\n else:\n messages.error(request, 'Error adding forwarding address.')\n elif forward:\n form = SeniorEmailForwardForm(instance=forward)\n else:\n form = SeniorEmailForwardForm()\n return render(request, 'emailfwd/senior_forward.html', {'form': form,\n 'forward': forward})\n", "role": "user" }, { "content": "senior_email_forward_view", "role": "assistant" } ]
def x(phone): if isinstance(phone, str): if phone.startswith('+1'): return '1-' + '-'.join((phone[2:5], phone[5:8], phone[8:])) elif len(phone) == 10: return '-'.join((phone[:3], phone[3:6], phone[6:])) else: return phone else: return phone
dashes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(phone):\n if isinstance(phone, str):\n if phone.startswith('+1'):\n return '1-' + '-'.join((phone[2:5], phone[5:8], phone[8:]))\n elif len(phone) == 10:\n return '-'.join((phone[:3], phone[3:6], phone[6:]))\n else:\n return phone\n else:\n return phone\n", "role": "user" }, { "content": "dashes", "role": "assistant" } ]
def x(self, displays=None, exclude=[], lock=[]): if displays is None: signs = Sign.objects.all() else: signs = Sign.objects.filter(display__in=displays) for sign in signs.exclude(display__in=exclude): sign.pages.add(self) sign.save()
deploy_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, displays=None, exclude=[], lock=[]):\n if displays is None:\n signs = Sign.objects.all()\n else:\n signs = Sign.objects.filter(display__in=displays)\n for sign in signs.exclude(display__in=exclude):\n sign.pages.add(self)\n sign.save()\n", "role": "user" }, { "content": "deploy_to", "role": "assistant" } ]
def x(): status = True message = None if settings.EMERGENCY_MESSAGE: return True, settings.EMERGENCY_MESSAGE if not settings.FCPS_EMERGENCY_PAGE: return None, None timeout = settings.FCPS_EMERGENCY_TIMEOUT r = requests.get('{}?{}'.format(settings.FCPS_EMERGENCY_PAGE, int(time. time() // 60)), timeout=timeout) res = r.text if not res or len(res) < 1: status = False bad_strings = ['There are no emergency announcements at this time', 'There are no emergency messages at this time', 'There are no emeregency annoncements at this time', 'There are no major announcements at this time.', 'There are no major emergency announcements at this time.', 'There are no emergencies at this time.'] for b in bad_strings: if b in res: status = False break soup = BeautifulSoup(res, 'html.parser') if soup.title: title = soup.title.text body = '' for cd in soup.findAll(text=True): if isinstance(cd, CData): body += cd message = '<h3>{}: </h3>{}'.format(title, body) message = message.strip() else: status = False return status, message
check_emerg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n status = True\n message = None\n if settings.EMERGENCY_MESSAGE:\n return True, settings.EMERGENCY_MESSAGE\n if not settings.FCPS_EMERGENCY_PAGE:\n return None, None\n timeout = settings.FCPS_EMERGENCY_TIMEOUT\n r = requests.get('{}?{}'.format(settings.FCPS_EMERGENCY_PAGE, int(time.\n time() // 60)), timeout=timeout)\n res = r.text\n if not res or len(res) < 1:\n status = False\n bad_strings = ['There are no emergency announcements at this time',\n 'There are no emergency messages at this time',\n 'There are no emeregency annoncements at this time',\n 'There are no major announcements at this time.',\n 'There are no major emergency announcements at this time.',\n 'There are no emergencies at this time.']\n for b in bad_strings:\n if b in res:\n status = False\n break\n soup = BeautifulSoup(res, 'html.parser')\n if soup.title:\n title = soup.title.text\n body = ''\n for cd in soup.findAll(text=True):\n if isinstance(cd, CData):\n body += cd\n message = '<h3>{}: </h3>{}'.format(title, body)\n message = message.strip()\n else:\n status = False\n return status, message\n", "role": "user" }, { "content": "check_emerg", "role": "assistant" } ]
def x(): key = 'emerg:{}'.format(datetime.datetime.now().date()) cached = cache.get(key) cached = None if cached: logger.debug('Returning emergency info from cache') return cached else: result = get_emerg_result() cache.set(key, result, timeout=settings.CACHE_AGE['emerg']) return result
get_emerg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n key = 'emerg:{}'.format(datetime.datetime.now().date())\n cached = cache.get(key)\n cached = None\n if cached:\n logger.debug('Returning emergency info from cache')\n return cached\n else:\n result = get_emerg_result()\n cache.set(key, result, timeout=settings.CACHE_AGE['emerg'])\n return result\n", "role": "user" }, { "content": "get_emerg", "role": "assistant" } ]
def x(): today = datetime.now().date() if today.month == 12 or today.month == 1: return {'js': 'themes/snow/snow.js', 'css': 'themes/snow/snow.css'} if today.month == 3 and 14 <= today.day <= 16: return {'js': 'themes/piday/piday.js', 'css': 'themes/piday/piday.css'} return {}
get_login_theme
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n today = datetime.now().date()\n if today.month == 12 or today.month == 1:\n return {'js': 'themes/snow/snow.js', 'css': 'themes/snow/snow.css'}\n if today.month == 3 and 14 <= today.day <= 16:\n return {'js': 'themes/piday/piday.js', 'css': 'themes/piday/piday.css'}\n return {}\n", "role": "user" }, { "content": "get_login_theme", "role": "assistant" } ]
def x(request, auth_form=None, force_login=False, added_context=None): if request.user.is_authenticated and not force_login: return dashboard_view(request) else: auth_form = auth_form or AuthenticateForm() request.session.set_test_cookie() fcps_emerg = get_fcps_emerg(request) try: login_warning = settings.LOGIN_WARNING except AttributeError: login_warning = None if fcps_emerg and not login_warning: login_warning = fcps_emerg ap_week = get_ap_week_warning(request) if ap_week and not login_warning: login_warning = ap_week events = Event.objects.filter(time__gte=datetime.now(), time__lte= datetime.now().date() + relativedelta(weeks=1), public=True ).this_year() sports_events = events.filter(approved=True, category='sports' ).order_by('time')[:3] school_events = events.filter(approved=True, category='school' ).order_by('time')[:3] data = {'auth_form': auth_form, 'request': request, 'git_info': settings.GIT, 'bg_pattern': get_bg_pattern(), 'theme': get_login_theme(), 'login_warning': login_warning, 'senior_graduation': settings.SENIOR_GRADUATION, 'senior_graduation_year': settings.SENIOR_GRADUATION_YEAR, 'sports_events': sports_events, 'school_events': school_events} schedule = schedule_context(request) data.update(schedule) if added_context is not None: data.update(added_context) return render(request, 'auth/login.html', data)
index_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, auth_form=None, force_login=False, added_context=None):\n if request.user.is_authenticated and not force_login:\n return dashboard_view(request)\n else:\n auth_form = auth_form or AuthenticateForm()\n request.session.set_test_cookie()\n fcps_emerg = get_fcps_emerg(request)\n try:\n login_warning = settings.LOGIN_WARNING\n except AttributeError:\n login_warning = None\n if fcps_emerg and not login_warning:\n login_warning = fcps_emerg\n ap_week = get_ap_week_warning(request)\n if ap_week and not login_warning:\n login_warning = ap_week\n events = Event.objects.filter(time__gte=datetime.now(), time__lte=\n datetime.now().date() + relativedelta(weeks=1), public=True\n ).this_year()\n sports_events = events.filter(approved=True, category='sports'\n ).order_by('time')[:3]\n school_events = events.filter(approved=True, category='school'\n ).order_by('time')[:3]\n data = {'auth_form': auth_form, 'request': request, 'git_info':\n settings.GIT, 'bg_pattern': get_bg_pattern(), 'theme':\n get_login_theme(), 'login_warning': login_warning,\n 'senior_graduation': settings.SENIOR_GRADUATION,\n 'senior_graduation_year': settings.SENIOR_GRADUATION_YEAR,\n 'sports_events': sports_events, 'school_events': school_events}\n schedule = schedule_context(request)\n data.update(schedule)\n if added_context is not None:\n data.update(added_context)\n return render(request, 'auth/login.html', data)\n", "role": "user" }, { "content": "index_view", "role": "assistant" } ]
def x(request): do_logout(request) app_redirects = {'collegerecs': 'https://apps.tjhsst.edu/collegerecs/logout?ion_logout=1'} app = request.GET.get('app', '') if app and app in app_redirects: return redirect(app_redirects[app]) return redirect('index')
logout_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n do_logout(request)\n app_redirects = {'collegerecs':\n 'https://apps.tjhsst.edu/collegerecs/logout?ion_logout=1'}\n app = request.GET.get('app', '')\n if app and app in app_redirects:\n return redirect(app_redirects[app])\n return redirect('index')\n", "role": "user" }, { "content": "logout_view", "role": "assistant" } ]
def x(self, request): """Before September 1st, do not allow Class of [year+4] to log in.""" if request.POST.get('username', '').startswith(str(date.today().year + 4) ) and date.today() < settings.SCHOOL_START_DATE: return index_view(request, added_context={'auth_message': 'Your account is not yet active for use with this application.'}) form = AuthenticateForm(data=request.POST) if request.session.test_cookie_worked(): request.session.delete_test_cookie() else: logger.warning('No cookie support detected! This could cause problems.' ) if form.is_valid(): reset_user, status = User.objects.get_or_create(username= 'RESET_PASSWORD', user_type='service', id=999999) if form.get_user() == reset_user: return redirect(reverse('reset_password') + '?expired=True') login(request, form.get_user()) logger.info('Login succeeded as {}'.format(request.POST.get( 'username', 'unknown'))) logger.info('request.user: {}'.format(request.user)) log_auth(request, 'success{}'.format(' - first login' if not request.user.first_login else '')) default_next_page = 'index' if request.user.is_eighthoffice: """Default to eighth admin view (for eighthoffice).""" default_next_page = 'eighth_admin_dashboard' if not request.user.first_login: logger.info('First login') request.user.first_login = make_aware(datetime.now()) request.user.save() request.session['first_login'] = True if request.user.is_student or request.user.is_teacher: default_next_page = 'welcome' else: pass if request.user.is_student and not request.user.seen_welcome: return redirect('welcome') next_page = request.POST.get('next', request.GET.get('next', default_next_page)) return redirect(next_page) else: log_auth(request, 'failed') logger.info('Login failed as {}'.format(request.POST.get('username', 'unknown'))) return index_view(request, auth_form=form)
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n \"\"\"Before September 1st, do not allow Class of [year+4] to log in.\"\"\"\n if request.POST.get('username', '').startswith(str(date.today().year + 4)\n ) and date.today() < settings.SCHOOL_START_DATE:\n return index_view(request, added_context={'auth_message':\n 'Your account is not yet active for use with this application.'})\n form = AuthenticateForm(data=request.POST)\n if request.session.test_cookie_worked():\n request.session.delete_test_cookie()\n else:\n logger.warning('No cookie support detected! This could cause problems.'\n )\n if form.is_valid():\n reset_user, status = User.objects.get_or_create(username=\n 'RESET_PASSWORD', user_type='service', id=999999)\n if form.get_user() == reset_user:\n return redirect(reverse('reset_password') + '?expired=True')\n login(request, form.get_user())\n logger.info('Login succeeded as {}'.format(request.POST.get(\n 'username', 'unknown')))\n logger.info('request.user: {}'.format(request.user))\n log_auth(request, 'success{}'.format(' - first login' if not\n request.user.first_login else ''))\n default_next_page = 'index'\n if request.user.is_eighthoffice:\n \"\"\"Default to eighth admin view (for eighthoffice).\"\"\"\n default_next_page = 'eighth_admin_dashboard'\n if not request.user.first_login:\n logger.info('First login')\n request.user.first_login = make_aware(datetime.now())\n request.user.save()\n request.session['first_login'] = True\n if request.user.is_student or request.user.is_teacher:\n default_next_page = 'welcome'\n else:\n pass\n if request.user.is_student and not request.user.seen_welcome:\n return redirect('welcome')\n next_page = request.POST.get('next', request.GET.get('next',\n default_next_page))\n return redirect(next_page)\n else:\n log_auth(request, 'failed')\n logger.info('Login failed as {}'.format(request.POST.get('username',\n 'unknown')))\n return index_view(request, auth_form=form)\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(request): monday = 0 tuesday = 1 wednesday = 2 thursday = 3 friday = 4 try: anchor_day = DayType.objects.get(name='Anchor Day') blue_day = DayType.objects.get(name='Blue Day') red_day = DayType.objects.get(name='Red Day') except DayType.DoesNotExist: return render(request, 'schedule/fill.html', {'msgs': [ 'Failed to insert any schedules.', 'Make sure you have DayTypes defined for Anchor Days, Blue Days, and Red Days.' ]}) daymap = {monday: anchor_day, tuesday: blue_day, wednesday: red_day, thursday: blue_day, friday: red_day} msgs = [] month = request.POST.get('month') firstday = datetime.strptime(month, '%Y-%m') yr, mn = month.split('-') cal = calendar.monthcalendar(int(yr), int(mn)) for w in cal: for d in w: day = get_day_data(firstday, d) logger.debug(day) if 'empty' in day: continue if 'schedule' not in day or day['schedule'] is None: day_of_week = day['date'].weekday() if day_of_week in daymap: type_obj = daymap[day_of_week] day_obj = Day.objects.create(date=day['formatted_date'], day_type=type_obj) msg = '{} is now a {}'.format(day['formatted_date'], day_obj.day_type) msgs.append(msg) return render(request, 'schedule/fill.html', {'msgs': msgs})
do_default_fill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n monday = 0\n tuesday = 1\n wednesday = 2\n thursday = 3\n friday = 4\n try:\n anchor_day = DayType.objects.get(name='Anchor Day')\n blue_day = DayType.objects.get(name='Blue Day')\n red_day = DayType.objects.get(name='Red Day')\n except DayType.DoesNotExist:\n return render(request, 'schedule/fill.html', {'msgs': [\n 'Failed to insert any schedules.',\n 'Make sure you have DayTypes defined for Anchor Days, Blue Days, and Red Days.'\n ]})\n daymap = {monday: anchor_day, tuesday: blue_day, wednesday: red_day,\n thursday: blue_day, friday: red_day}\n msgs = []\n month = request.POST.get('month')\n firstday = datetime.strptime(month, '%Y-%m')\n yr, mn = month.split('-')\n cal = calendar.monthcalendar(int(yr), int(mn))\n for w in cal:\n for d in w:\n day = get_day_data(firstday, d)\n logger.debug(day)\n if 'empty' in day:\n continue\n if 'schedule' not in day or day['schedule'] is None:\n day_of_week = day['date'].weekday()\n if day_of_week in daymap:\n type_obj = daymap[day_of_week]\n day_obj = Day.objects.create(date=day['formatted_date'],\n day_type=type_obj)\n msg = '{} is now a {}'.format(day['formatted_date'],\n day_obj.day_type)\n msgs.append(msg)\n return render(request, 'schedule/fill.html', {'msgs': msgs})\n", "role": "user" }, { "content": "do_default_fill", "role": "assistant" } ]
def x(self, value): if isinstance(value, (str, unicode)): return value.replace(self._escape_character, '.') elif isinstance(value, dict): return {self._unescape(k): self._unescape(v) for k, v in value.items()} elif isinstance(value, list): return [self._unescape(v) for v in value] return value
unescape
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n if isinstance(value, (str, unicode)):\n return value.replace(self._escape_character, '.')\n elif isinstance(value, dict):\n return {self._unescape(k): self._unescape(v) for k, v in value.items()}\n elif isinstance(value, list):\n return [self._unescape(v) for v in value]\n return value\n", "role": "user" }, { "content": "unescape", "role": "assistant" } ]
def x(self, query): return ''.join([('%s%s' % (k, v)) for k, v in sorted(query.items())])
batch_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n return ''.join([('%s%s' % (k, v)) for k, v in sorted(query.items())])\n", "role": "user" }, { "content": "batch_key", "role": "assistant" } ]
def x(self, inserts, intervals, **kwargs): updates = {} for interval, config in self._intervals.items(): for timestamp, names in inserts.iteritems(): timestamps = self._normalize_timestamps(timestamp, intervals, config) for name, values in names.iteritems(): for value in values: for tstamp in timestamps: query, insert = self._insert_data(name, value, tstamp, interval, config, dry_run=True) batch_key = self._batch_key(query) updates.setdefault(batch_key, {'query': query, 'interval': interval}) new_insert = self._batch(insert, updates[batch_key] .get('insert')) updates[batch_key]['insert'] = new_insert for spec in updates.values(): self._client[spec['interval']].update(spec['query'], spec['insert'], upsert=True, check_keys=False)
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 updates = {}\n for interval, config in self._intervals.items():\n for timestamp, names in inserts.iteritems():\n timestamps = self._normalize_timestamps(timestamp, intervals,\n config)\n for name, values in names.iteritems():\n for value in values:\n for tstamp in timestamps:\n query, insert = self._insert_data(name, value,\n tstamp, interval, config, dry_run=True)\n batch_key = self._batch_key(query)\n updates.setdefault(batch_key, {'query': query,\n 'interval': interval})\n new_insert = self._batch(insert, updates[batch_key]\n .get('insert'))\n updates[batch_key]['insert'] = new_insert\n for spec in updates.values():\n self._client[spec['interval']].update(spec['query'], spec['insert'],\n upsert=True, check_keys=False)\n", "role": "user" }, { "content": "batch_insert", "role": "assistant" } ]
def x(self, name, value, timestamp, intervals, **kwargs): 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 for interval, config in self._intervals.items():\n timestamps = self._normalize_timestamps(timestamp, intervals, config)\n for tstamp in timestamps:\n self._insert_data(name, value, tstamp, interval, config, **kwargs)\n", "role": "user" }, { "content": "insert", "role": "assistant" } ]
def x(self, name, value, timestamp, interval, config, **kwargs): insert = {'name': name, 'interval': config['i_calc'].to_bucket(timestamp)} if not config['coarse']: insert['resolution'] = config['r_calc'].to_bucket(timestamp) query = insert.copy() if config['expire']: insert['expire_from'] = datetime.utcfromtimestamp(timestamp) insert = {'$set': insert.copy()} if isinstance(value, (str, unicode)): value = value.replace('.', self._escape_character) elif isinstance(value, float): value = str(value).replace('.', self._escape_character) self._insert_type(insert, value) if not kwargs.get('dry_run', False): self._client[interval].update(query, insert, upsert=True, check_keys=False) return query, insert
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 insert = {'name': name, 'interval': config['i_calc'].to_bucket(timestamp)}\n if not config['coarse']:\n insert['resolution'] = config['r_calc'].to_bucket(timestamp)\n query = insert.copy()\n if config['expire']:\n insert['expire_from'] = datetime.utcfromtimestamp(timestamp)\n insert = {'$set': insert.copy()}\n if isinstance(value, (str, unicode)):\n value = value.replace('.', self._escape_character)\n elif isinstance(value, float):\n value = str(value).replace('.', self._escape_character)\n self._insert_type(insert, value)\n if not kwargs.get('dry_run', False):\n self._client[interval].update(query, insert, upsert=True,\n check_keys=False)\n return query, insert\n", "role": "user" }, { "content": "insert_data", "role": "assistant" } ]
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() query = {'name': name, 'interval': i_bucket} if config['coarse']: if fetch: record = fetch(self._client[interval], spec=query, method= 'find_one') else: record = self._client[interval].find_one(query) if record: data = process_row(self._unescape(record['value'])) rval[config['i_calc'].from_bucket(i_bucket)] = data else: rval[config['i_calc'].from_bucket(i_bucket)] = self._type_no_value( ) else: sort = [('interval', ASCENDING), ('resolution', ASCENDING)] if fetch: cursor = fetch(self._client[interval], spec=query, sort=sort, method='find') else: cursor = self._client[interval].find(spec=query, sort=sort) idx = 0 for record in cursor: rval[config['r_calc'].from_bucket(record['resolution']) ] = process_row(record['value']) 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('process_row') or self._process_row\n rval = OrderedDict()\n query = {'name': name, 'interval': i_bucket}\n if config['coarse']:\n if fetch:\n record = fetch(self._client[interval], spec=query, method=\n 'find_one')\n else:\n record = self._client[interval].find_one(query)\n if record:\n data = process_row(self._unescape(record['value']))\n rval[config['i_calc'].from_bucket(i_bucket)] = data\n else:\n rval[config['i_calc'].from_bucket(i_bucket)] = self._type_no_value(\n )\n else:\n sort = [('interval', ASCENDING), ('resolution', ASCENDING)]\n if fetch:\n cursor = fetch(self._client[interval], spec=query, sort=sort,\n method='find')\n else:\n cursor = self._client[interval].find(spec=query, sort=sort)\n idx = 0\n for record in cursor:\n rval[config['r_calc'].from_bucket(record['resolution'])\n ] = process_row(record['value'])\n return rval\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(self, name, interval, config, buckets, **kws): buckets = list(buckets) rval = OrderedDict() step = config['step'] resolution = config.get('resolution', step) fetch = kws.get('fetch') process_row = kws.get('process_row', self._process_row) query = {'name': name, 'interval': {'$gte': buckets[0], '$lte': buckets [-1]}} sort = [('interval', ASCENDING)] if not config['coarse']: sort.append(('resolution', ASCENDING)) if fetch: cursor = fetch(self._client[interval], spec=query, sort=sort, method='find') else: cursor = self._client[interval].find(spec=query, sort=sort) for record in cursor: while buckets and buckets[0] < record['interval']: rval[config['i_calc'].from_bucket(buckets.pop(0)) ] = self._type_no_value() if buckets and buckets[0] == record['interval']: buckets.pop(0) i_key = config['i_calc'].from_bucket(record['interval']) data = process_row(record['value']) if config['coarse']: rval[i_key] = data else: rval.setdefault(i_key, OrderedDict()) rval[i_key][config['r_calc'].from_bucket(record['resolution']) ] = data while buckets: rval[config['i_calc'].from_bucket(buckets.pop(0)) ] = 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, name, interval, config, buckets, **kws):\n buckets = list(buckets)\n rval = OrderedDict()\n step = config['step']\n resolution = config.get('resolution', step)\n fetch = kws.get('fetch')\n process_row = kws.get('process_row', self._process_row)\n query = {'name': name, 'interval': {'$gte': buckets[0], '$lte': buckets\n [-1]}}\n sort = [('interval', ASCENDING)]\n if not config['coarse']:\n sort.append(('resolution', ASCENDING))\n if fetch:\n cursor = fetch(self._client[interval], spec=query, sort=sort,\n method='find')\n else:\n cursor = self._client[interval].find(spec=query, sort=sort)\n for record in cursor:\n while buckets and buckets[0] < record['interval']:\n rval[config['i_calc'].from_bucket(buckets.pop(0))\n ] = self._type_no_value()\n if buckets and buckets[0] == record['interval']:\n buckets.pop(0)\n i_key = config['i_calc'].from_bucket(record['interval'])\n data = process_row(record['value'])\n if config['coarse']:\n rval[i_key] = data\n else:\n rval.setdefault(i_key, OrderedDict())\n rval[i_key][config['r_calc'].from_bucket(record['resolution'])\n ] = data\n while buckets:\n rval[config['i_calc'].from_bucket(buckets.pop(0))\n ] = self._type_no_value()\n return rval\n", "role": "user" }, { "content": "series", "role": "assistant" } ]
def x(self, name): num_deleted = 0 for interval, config in self._intervals.items(): num_deleted += self._client[interval].remove({'name': name})['n'] return num_deleted
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 num_deleted = 0\n for interval, config in self._intervals.items():\n num_deleted += self._client[interval].remove({'name': name})['n']\n return num_deleted\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(request): if request.is_ajax(): return False if not hasattr(request, 'user'): return False if not request.user.is_authenticated: return False if not request.user.is_staff: return False if request.user.id == 9999: return False return 'debug' in request.GET or settings.DEBUG
debug_toolbar_callback
[ { "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.is_ajax():\n return False\n if not hasattr(request, 'user'):\n return False\n if not request.user.is_authenticated:\n return False\n if not request.user.is_staff:\n return False\n if request.user.id == 9999:\n return False\n return 'debug' in request.GET or settings.DEBUG\n", "role": "user" }, { "content": "debug_toolbar_callback", "role": "assistant" } ]
def x(self, user): return Announcement.objects.filter(Q(groups__in=user.groups.all()) | Q( groups__isnull=True) | Q(announcementrequest__teachers_requested= user) | Q(announcementrequest__user=user) | Q(user=user)).distinct()
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 Announcement.objects.filter(Q(groups__in=user.groups.all()) | Q(\n groups__isnull=True) | Q(announcementrequest__teachers_requested=\n user) | Q(announcementrequest__user=user) | Q(user=user)).distinct()\n", "role": "user" }, { "content": "visible_to_user", "role": "assistant" } ]
def x(self, user): ids = user.announcements_hidden.all().values_list('announcement__id') return Announcement.objects.filter(id__in=ids)
hidden_announcements
[ { "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.announcements_hidden.all().values_list('announcement__id')\n return Announcement.objects.filter(id__in=ids)\n", "role": "user" }, { "content": "hidden_announcements", "role": "assistant" } ]
def x(self): start_date, end_date = get_date_range_this_year() return Announcement.objects.filter(added__gte=start_date, added__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 Announcement.objects.filter(added__gte=start_date, added__lte=\n end_date)\n", "role": "user" }, { "content": "this_year", "role": "assistant" } ]
def x(request): if request.method == 'POST': form = CalculatorRegistrationForm(request.POST) logger.debug(form) if form.is_valid(): obj = form.save() obj.user = request.user obj.save() messages.success(request, 'Successfully added calculator.') return redirect('itemreg') else: messages.error(request, 'Error adding calculator.') else: form = CalculatorRegistrationForm() return render(request, 'itemreg/register_form.html', {'form': form, 'action': 'add', 'type': 'calculator', 'form_route': 'itemreg_calculator'})
register_calculator_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 = CalculatorRegistrationForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n obj = form.save()\n obj.user = request.user\n obj.save()\n messages.success(request, 'Successfully added calculator.')\n return redirect('itemreg')\n else:\n messages.error(request, 'Error adding calculator.')\n else:\n form = CalculatorRegistrationForm()\n return render(request, 'itemreg/register_form.html', {'form': form,\n 'action': 'add', 'type': 'calculator', 'form_route':\n 'itemreg_calculator'})\n", "role": "user" }, { "content": "register_calculator_view", "role": "assistant" } ]
def x(request): if request.method == 'POST': form = ComputerRegistrationForm(request.POST) logger.debug(form) if form.is_valid(): obj = form.save() obj.user = request.user obj.save() messages.success(request, 'Successfully added computer.') return redirect('itemreg') else: messages.error(request, 'Error adding computer.') else: form = ComputerRegistrationForm() return render(request, 'itemreg/register_form.html', {'form': form, 'action': 'add', 'type': 'computer', 'form_route': 'itemreg_computer'})
register_computer_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 = ComputerRegistrationForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n obj = form.save()\n obj.user = request.user\n obj.save()\n messages.success(request, 'Successfully added computer.')\n return redirect('itemreg')\n else:\n messages.error(request, 'Error adding computer.')\n else:\n form = ComputerRegistrationForm()\n return render(request, 'itemreg/register_form.html', {'form': form,\n 'action': 'add', 'type': 'computer', 'form_route': 'itemreg_computer'})\n", "role": "user" }, { "content": "register_computer_view", "role": "assistant" } ]
def x(request): if request.method == 'POST': form = PhoneRegistrationForm(request.POST) logger.debug(form) if form.is_valid(): obj = form.save() obj.user = request.user obj.save() messages.success(request, 'Successfully added phone.') return redirect('itemreg') else: messages.error(request, 'Error adding phone.') else: form = PhoneRegistrationForm() return render(request, 'itemreg/register_form.html', {'form': form, 'action': 'add', 'type': 'phone', 'form_route': 'itemreg_phone'})
register_phone_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 = PhoneRegistrationForm(request.POST)\n logger.debug(form)\n if form.is_valid():\n obj = form.save()\n obj.user = request.user\n obj.save()\n messages.success(request, 'Successfully added phone.')\n return redirect('itemreg')\n else:\n messages.error(request, 'Error adding phone.')\n else:\n form = PhoneRegistrationForm()\n return render(request, 'itemreg/register_form.html', {'form': form,\n 'action': 'add', 'type': 'phone', 'form_route': 'itemreg_phone'})\n", "role": "user" }, { "content": "register_phone_view", "role": "assistant" } ]