source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(ndarr): with contextlib.closing(BytesIO()) as bytesio: _internal_write(bytesio, ndarr) return bytesio.getvalue()
convert_to_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(ndarr):\n with contextlib.closing(BytesIO()) as bytesio:\n _internal_write(bytesio, ndarr)\n return bytesio.getvalue()\n", "role": "user" }, { "content": "convert_to_string", "role": "assistant" } ]
def x(out_stream, arr): if arr.size == 0: raise FormatError('Cannot encode empty array.') try: type_byte, struct_lib_type = _DATA_TYPES_NUMPY[str(arr.dtype)] except KeyError: raise FormatError('numpy ndarray type not supported by IDX format.') if arr.ndim > _MAX_IDX_DIMENSIONS: raise FormatError( 'IDX format cannot encode array with dimensions > 255') if max(arr.shape) > _MAX_AXIS_LENGTH: raise FormatError('IDX format cannot encode array with more than ' + str(_MAX_AXIS_LENGTH) + ' elements along any axis') out_stream.write(struct.pack('BBBB', 0, 0, type_byte, arr.ndim)) out_stream.write(struct.pack('>' + 'I' * arr.ndim, *arr.shape)) if sys.version_info < (2, 7) and str(arr.dtype) == 'uint8': arr_as_list = [int(i) for i in arr.reshape(-1)] out_stream.write(struct.pack('>' + struct_lib_type * arr.size, * arr_as_list)) else: out_stream.write(struct.pack('>' + struct_lib_type * arr.size, *arr .reshape(-1)))
internal_write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(out_stream, arr):\n if arr.size == 0:\n raise FormatError('Cannot encode empty array.')\n try:\n type_byte, struct_lib_type = _DATA_TYPES_NUMPY[str(arr.dtype)]\n except KeyError:\n raise FormatError('numpy ndarray type not supported by IDX format.')\n if arr.ndim > _MAX_IDX_DIMENSIONS:\n raise FormatError(\n 'IDX format cannot encode array with dimensions > 255')\n if max(arr.shape) > _MAX_AXIS_LENGTH:\n raise FormatError('IDX format cannot encode array with more than ' +\n str(_MAX_AXIS_LENGTH) + ' elements along any axis')\n out_stream.write(struct.pack('BBBB', 0, 0, type_byte, arr.ndim))\n out_stream.write(struct.pack('>' + 'I' * arr.ndim, *arr.shape))\n if sys.version_info < (2, 7) and str(arr.dtype) == 'uint8':\n arr_as_list = [int(i) for i in arr.reshape(-1)]\n out_stream.write(struct.pack('>' + struct_lib_type * arr.size, *\n arr_as_list))\n else:\n out_stream.write(struct.pack('>' + struct_lib_type * arr.size, *arr\n .reshape(-1)))\n", "role": "user" }, { "content": "internal_write", "role": "assistant" } ]
def x(self): client_credential_base = '%s:%s' % (self.client_id, self.client_secret) try: client_credentials = base64.b64encode(bytes(client_credential_base, 'utf-8')) except: client_credentials = base64.b64encode(client_credential_base) client_credentials = client_credentials.decode('utf-8') headers = {'Authorization': 'Basic ' + client_credentials, 'Content-type': 'application/x-www-form-urlencoded'} post_parameters = {'grant_type': 'client_credentials', 'scope': 'user_profile user_territory'} json_object = self.http._post_data(KKBOXOAuth.OAUTH_TOKEN_URL, post_parameters, headers) self.access_token = KKBOXAccessToken(**json_object) return self.access_token
fetch_access_token_by_client_credentials
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n client_credential_base = '%s:%s' % (self.client_id, self.client_secret)\n try:\n client_credentials = base64.b64encode(bytes(client_credential_base,\n 'utf-8'))\n except:\n client_credentials = base64.b64encode(client_credential_base)\n client_credentials = client_credentials.decode('utf-8')\n headers = {'Authorization': 'Basic ' + client_credentials,\n 'Content-type': 'application/x-www-form-urlencoded'}\n post_parameters = {'grant_type': 'client_credentials', 'scope':\n 'user_profile user_territory'}\n json_object = self.http._post_data(KKBOXOAuth.OAUTH_TOKEN_URL,\n post_parameters, headers)\n self.access_token = KKBOXAccessToken(**json_object)\n return self.access_token\n", "role": "user" }, { "content": "fetch_access_token_by_client_credentials", "role": "assistant" } ]
def x(cls, os): if os in cls.templates: return cls.templates[os] uuid_regexp = ( '^[0-9a-z]{8}-[0-9a-z]{4}-[0-9a-z]{4}-[0-9a-z]{4}-[0-9a-z]{12}$') if re.search(uuid_regexp, os): return os raise Exception( "Invalid OS -- valid options are: 'CentOS 6.5', 'CentOS 7.0', 'Debian 7.8', 'Debian 8.0' ,'Ubuntu 12.04', 'Ubuntu 14.04', 'Ubuntu 16.04', 'Windows 2008', 'Windows 2012'" )
get_OS_UUID
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, os):\n if os in cls.templates:\n return cls.templates[os]\n uuid_regexp = (\n '^[0-9a-z]{8}-[0-9a-z]{4}-[0-9a-z]{4}-[0-9a-z]{4}-[0-9a-z]{12}$')\n if re.search(uuid_regexp, os):\n return os\n raise Exception(\n \"Invalid OS -- valid options are: 'CentOS 6.5', 'CentOS 7.0', 'Debian 7.8', 'Debian 8.0' ,'Ubuntu 12.04', 'Ubuntu 14.04', 'Ubuntu 16.04', 'Windows 2008', 'Windows 2012'\"\n )\n", "role": "user" }, { "content": "get_OS_UUID", "role": "assistant" } ]
def x(self, requests, resp_generator, *args, **kwargs): result_futures = [self.executor_pool.submit(resp_generator, req, *args, **kwargs) for req in requests] resp = [res_future.result() for res_future in result_futures] return resp
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requests, resp_generator, *args, **kwargs):\n result_futures = [self.executor_pool.submit(resp_generator, req, *args,\n **kwargs) for req in requests]\n resp = [res_future.result() for res_future in result_futures]\n return resp\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(self, requests, resp_generator, *args, **kwargs): return [resp_generator(request) for request in requests]
execute
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, requests, resp_generator, *args, **kwargs):\n return [resp_generator(request) for request in requests]\n", "role": "user" }, { "content": "execute", "role": "assistant" } ]
def x(args): loglevel = logging.WARNING if args.verbose: loglevel = logging.INFO if args.debug: loglevel = logging.DEBUG console = logging.StreamHandler() logging.getLogger('').setLevel(loglevel) console.setFormatter(logging.Formatter(LOG_FORMAT)) logging.getLogger('').addHandler(console)
setup_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n loglevel = logging.WARNING\n if args.verbose:\n loglevel = logging.INFO\n if args.debug:\n loglevel = logging.DEBUG\n console = logging.StreamHandler()\n logging.getLogger('').setLevel(loglevel)\n console.setFormatter(logging.Formatter(LOG_FORMAT))\n logging.getLogger('').addHandler(console)\n", "role": "user" }, { "content": "setup_logging", "role": "assistant" } ]
def x(self, address): res = self.get_request('/ip_address/' + address) return IPAddress(cloud_manager=self, **res['ip_address'])
get_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address):\n res = self.get_request('/ip_address/' + address)\n return IPAddress(cloud_manager=self, **res['ip_address'])\n", "role": "user" }, { "content": "get_ip", "role": "assistant" } ]
def x(self): res = self.get_request('/ip_address') IPs = IPAddress._create_ip_address_objs(res['ip_addresses'], cloud_manager=self) return IPs
get_ips
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n res = self.get_request('/ip_address')\n IPs = IPAddress._create_ip_address_objs(res['ip_addresses'],\n cloud_manager=self)\n return IPs\n", "role": "user" }, { "content": "get_ips", "role": "assistant" } ]
def x(self, server, family='IPv4'): body = {'ip_address': {'server': str(server), 'family': family}} res = self.request('POST', '/ip_address', body) return IPAddress(cloud_manager=self, **res['ip_address'])
attach_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, server, family='IPv4'):\n body = {'ip_address': {'server': str(server), 'family': family}}\n res = self.request('POST', '/ip_address', body)\n return IPAddress(cloud_manager=self, **res['ip_address'])\n", "role": "user" }, { "content": "attach_ip", "role": "assistant" } ]
def x(self, ip_addr, ptr_record): body = {'ip_address': {'ptr_record': ptr_record}} res = self.request('PUT', '/ip_address/' + str(ip_addr), body) return IPAddress(cloud_manager=self, **res['ip_address'])
modify_ip
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ip_addr, ptr_record):\n body = {'ip_address': {'ptr_record': ptr_record}}\n res = self.request('PUT', '/ip_address/' + str(ip_addr), body)\n return IPAddress(cloud_manager=self, **res['ip_address'])\n", "role": "user" }, { "content": "modify_ip", "role": "assistant" } ]
def x(self, user, name, description=None): uri = self.client.remote + '/users/{0}/feeds'.format(user) data = {'feed': {'name': name, 'description': description}} resp = self.client.post(uri, data) return resp
new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user, name, description=None):\n uri = self.client.remote + '/users/{0}/feeds'.format(user)\n data = {'feed': {'name': name, 'description': description}}\n resp = self.client.post(uri, data)\n return resp\n", "role": "user" }, { "content": "new", "role": "assistant" } ]
def x(self, user, name): uri = self.client.remote + '/users/{}/feeds/{}'.format(user, name) resp = self.client.session.delete(uri) return resp.status_code
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user, name):\n uri = self.client.remote + '/users/{}/feeds/{}'.format(user, name)\n resp = self.client.session.delete(uri)\n return resp.status_code\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(self, user): uri = self.client.remote + '/users/{0}/feeds'.format(user) return self.client.get(uri)
index
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user):\n uri = self.client.remote + '/users/{0}/feeds'.format(user)\n return self.client.get(uri)\n", "role": "user" }, { "content": "index", "role": "assistant" } ]
def x(self, user, name, limit=None, lasttime=None): uri = self.client.remote + '/users/{0}/feeds/{1}'.format(user, name) return self.client.get(uri, params={'limit': limit, 'lasttime': lasttime})
show
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user, name, limit=None, lasttime=None):\n uri = self.client.remote + '/users/{0}/feeds/{1}'.format(user, name)\n return self.client.get(uri, params={'limit': limit, 'lasttime': lasttime})\n", "role": "user" }, { "content": "show", "role": "assistant" } ]
def x(request): DEBUG = getattr(settings, 'DEBUG', False) VERSION = getattr(settings, 'VERSION', _( 'WARNING: No version set to this code, add VERSION contant to your configuration' )) return {'DEBUG': DEBUG, 'VERSION': VERSION, 'CODENERIX_VERSION': __version__}
codenerix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n DEBUG = getattr(settings, 'DEBUG', False)\n VERSION = getattr(settings, 'VERSION', _(\n 'WARNING: No version set to this code, add VERSION contant to your configuration'\n ))\n return {'DEBUG': DEBUG, 'VERSION': VERSION, 'CODENERIX_VERSION':\n __version__}\n", "role": "user" }, { "content": "codenerix", "role": "assistant" } ]
def x(self, obj): try: build_path = self.get_build_path(obj) self.request = self.create_request(build_path) self.request.user = AnonymousUser() self.set_kwargs(obj) self.build_file(build_path, self.get_content()) except Http404: self.unbuild_object(obj)
build_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n try:\n build_path = self.get_build_path(obj)\n self.request = self.create_request(build_path)\n self.request.user = AnonymousUser()\n self.set_kwargs(obj)\n self.build_file(build_path, self.get_content())\n except Http404:\n self.unbuild_object(obj)\n", "role": "user" }, { "content": "build_object", "role": "assistant" } ]
def x(schedule_day, slot, seen_items): row = ScheduleRow(schedule_day, slot) skip = {} expanding = {} all_items = list(slot.scheduleitem_set.select_related('talk', 'page', 'venue').all()) for item in all_items: if item in seen_items: seen_items[item]['rowspan'] += 1 skip[item.venue] = seen_items[item] continue scheditem = {'item': item, 'rowspan': 1, 'colspan': 1} row.items[item.venue] = scheditem seen_items[item] = scheditem if item.expand: expanding[item.venue] = [] empty = [] expanding_right = None skipping = 0 skip_item = None for venue in schedule_day.venues: if venue in skip: skipping = 1 skip_item = skip[venue] continue if venue in expanding: item = row.items[venue] for empty_venue in empty: row.items.pop(empty_venue) item['colspan'] += 1 empty = [] expanding_right = item elif venue in row.items: empty = [] expanding_right = None elif expanding_right: expanding_right['colspan'] += 1 elif skipping > 0 and skipping < skip_item['colspan']: skipping += 1 else: skipping = 0 empty.append(venue) row.items[venue] = {'item': None, 'rowspan': 1, 'colspan': 1} return row
make_schedule_row
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(schedule_day, slot, seen_items):\n row = ScheduleRow(schedule_day, slot)\n skip = {}\n expanding = {}\n all_items = list(slot.scheduleitem_set.select_related('talk', 'page',\n 'venue').all())\n for item in all_items:\n if item in seen_items:\n seen_items[item]['rowspan'] += 1\n skip[item.venue] = seen_items[item]\n continue\n scheditem = {'item': item, 'rowspan': 1, 'colspan': 1}\n row.items[item.venue] = scheditem\n seen_items[item] = scheditem\n if item.expand:\n expanding[item.venue] = []\n empty = []\n expanding_right = None\n skipping = 0\n skip_item = None\n for venue in schedule_day.venues:\n if venue in skip:\n skipping = 1\n skip_item = skip[venue]\n continue\n if venue in expanding:\n item = row.items[venue]\n for empty_venue in empty:\n row.items.pop(empty_venue)\n item['colspan'] += 1\n empty = []\n expanding_right = item\n elif venue in row.items:\n empty = []\n expanding_right = None\n elif expanding_right:\n expanding_right['colspan'] += 1\n elif skipping > 0 and skipping < skip_item['colspan']:\n skipping += 1\n else:\n skipping = 0\n empty.append(venue)\n row.items[venue] = {'item': None, 'rowspan': 1, 'colspan': 1}\n return row\n", "role": "user" }, { "content": "make_schedule_row", "role": "assistant" } ]
def x(today=None): schedule_days = {} seen_items = {} for slot in Slot.objects.all().order_by('end_time', 'start_time', 'day'): day = slot.get_day() if today and day != today: continue schedule_day = schedule_days.get(day) if schedule_day is None: schedule_day = schedule_days[day] = ScheduleDay(day) row = make_schedule_row(schedule_day, slot, seen_items) schedule_day.rows.append(row) return sorted(schedule_days.values(), key=lambda x: x.day.date)
generate_schedule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(today=None):\n schedule_days = {}\n seen_items = {}\n for slot in Slot.objects.all().order_by('end_time', 'start_time', 'day'):\n day = slot.get_day()\n if today and day != today:\n continue\n schedule_day = schedule_days.get(day)\n if schedule_day is None:\n schedule_day = schedule_days[day] = ScheduleDay(day)\n row = make_schedule_row(schedule_day, slot, seen_items)\n schedule_day.rows.append(row)\n return sorted(schedule_days.values(), key=lambda x: x.day.date)\n", "role": "user" }, { "content": "generate_schedule", "role": "assistant" } ]
def x(self, **kwargs): context = super(ScheduleXmlView, self).get_context_data(**kwargs) if self.request.GET.get('render_description', None) == '1': context['render_description'] = True else: context['render_description'] = False return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = super(ScheduleXmlView, self).get_context_data(**kwargs)\n if self.request.GET.get('render_description', None) == '1':\n context['render_description'] = True\n else:\n context['render_description'] = False\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, request): calendar = Calendar() site = get_current_site(request) calendar.add('prodid', '-//%s Schedule//%s//' % (site.name, site.domain)) calendar.add('version', '2.0') for item in ScheduleItem.objects.all(): sched_event = Event() sched_event.add('dtstamp', item.last_updated) sched_event.add('summary', item.get_title()) sched_event.add('location', item.venue.name) sched_event.add('dtstart', item.get_start_datetime()) sched_event.add('duration', datetime.timedelta(minutes=item. get_duration_minutes())) sched_event.add('class', 'PUBLIC') sched_event.add('uid', '%s@%s' % (item.pk, site.domain)) calendar.add_component(sched_event) response = HttpResponse(calendar.to_ical(), content_type='text/calendar') response['Content-Disposition'] = 'attachment; filename=schedule.ics' return response
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n calendar = Calendar()\n site = get_current_site(request)\n calendar.add('prodid', '-//%s Schedule//%s//' % (site.name, site.domain))\n calendar.add('version', '2.0')\n for item in ScheduleItem.objects.all():\n sched_event = Event()\n sched_event.add('dtstamp', item.last_updated)\n sched_event.add('summary', item.get_title())\n sched_event.add('location', item.venue.name)\n sched_event.add('dtstart', item.get_start_datetime())\n sched_event.add('duration', datetime.timedelta(minutes=item.\n get_duration_minutes()))\n sched_event.add('class', 'PUBLIC')\n sched_event.add('uid', '%s@%s' % (item.pk, site.domain))\n calendar.add_component(sched_event)\n response = HttpResponse(calendar.to_ical(), content_type='text/calendar')\n response['Content-Disposition'] = 'attachment; filename=schedule.ics'\n return response\n", "role": "user" }, { "content": "get", "role": "assistant" } ]
def x(request, url): page = None if url: for slug in url.split('/'): if not slug: continue try: page = Page.objects.get(slug=slug, parent=page) except Page.DoesNotExist: raise Http404 else: try: page = Page.objects.get(slug='index', parent=None) except Page.DoesNotExist: return TemplateView.as_view(template_name='wafer/index.html')( request) if 'edit' in request.GET: if not request.user.has_perm('pages.change_page'): raise PermissionDenied return EditPage.as_view()(request, pk=page.id) if 'compare' in request.GET: if not request.user.has_perm('pages.change_page'): raise PermissionDenied return ComparePage.as_view()(request, pk=page.id) return ShowPage.as_view()(request, pk=page.id)
slug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request, url):\n page = None\n if url:\n for slug in url.split('/'):\n if not slug:\n continue\n try:\n page = Page.objects.get(slug=slug, parent=page)\n except Page.DoesNotExist:\n raise Http404\n else:\n try:\n page = Page.objects.get(slug='index', parent=None)\n except Page.DoesNotExist:\n return TemplateView.as_view(template_name='wafer/index.html')(\n request)\n if 'edit' in request.GET:\n if not request.user.has_perm('pages.change_page'):\n raise PermissionDenied\n return EditPage.as_view()(request, pk=page.id)\n if 'compare' in request.GET:\n if not request.user.has_perm('pages.change_page'):\n raise PermissionDenied\n return ComparePage.as_view()(request, pk=page.id)\n return ShowPage.as_view()(request, pk=page.id)\n", "role": "user" }, { "content": "slug", "role": "assistant" } ]
def x(self, obj): if not obj.exclude_from_static: super(ShowPage, self).build_object(obj)
build_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n if not obj.exclude_from_static:\n super(ShowPage, self).build_object(obj)\n", "role": "user" }, { "content": "build_object", "role": "assistant" } ]
def x(self, obj): try: super(TalkView, self).build_object(obj) except PermissionDenied: self.unbuild_object(obj)
build_object
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, obj):\n try:\n super(TalkView, self).build_object(obj)\n except PermissionDenied:\n self.unbuild_object(obj)\n", "role": "user" }, { "content": "build_object", "role": "assistant" } ]
def x(self, *args, **kwargs): object_ = super(TalkView, self).get_object(*args, **kwargs) if not object_.can_view(self.request.user): raise PermissionDenied return object_
get_object
[ { "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 object_ = super(TalkView, self).get_object(*args, **kwargs)\n if not object_.can_view(self.request.user):\n raise PermissionDenied\n return object_\n", "role": "user" }, { "content": "get_object", "role": "assistant" } ]
def x(self, *args, **kwargs): if self.request.path != self.object.get_absolute_url(): return HttpResponseRedirect(self.object.get_absolute_url()) return super(TalkView, self).render_to_response(*args, **kwargs)
render_to_response
[ { "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 if self.request.path != self.object.get_absolute_url():\n return HttpResponseRedirect(self.object.get_absolute_url())\n return super(TalkView, self).render_to_response(*args, **kwargs)\n", "role": "user" }, { "content": "render_to_response", "role": "assistant" } ]
def x(self, request, *args, **kwargs): talk = self.get_object() talk.status = WITHDRAWN talk.save() revisions.set_user(self.request.user) revisions.set_comment('Talk Withdrawn') return HttpResponseRedirect(self.success_url)
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, *args, **kwargs):\n talk = self.get_object()\n talk.status = WITHDRAWN\n talk.save()\n revisions.set_user(self.request.user)\n revisions.set_comment('Talk Withdrawn')\n return HttpResponseRedirect(self.success_url)\n", "role": "user" }, { "content": "delete", "role": "assistant" } ]
def x(*fields): def x(f): @functools.wraps(f) def x(*args, **kw): result = f(*args, **kw) return result.order_by(*fields) return wrapper return decorator
order_results_by
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*fields):\n\n def x(f):\n\n @functools.wraps(f)\n def x(*args, **kw):\n result = f(*args, **kw)\n return result.order_by(*fields)\n return wrapper\n return decorator\n", "role": "user" }, { "content": "order_results_by", "role": "assistant" } ]
def x(cache_key, timeout): def x(f): cache_name = settings.WAFER_CACHE @functools.wraps(f) def x(*args, **kw): cache = caches[cache_name] result = cache.get(cache_key) if result is None: result = f(*args, **kw) cache.set(cache_key, result, timeout) return result def x(): cache = caches[cache_name] cache.delete(cache_key) wrapper.invalidate = invalidate return wrapper return decorator
cache_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cache_key, timeout):\n\n def x(f):\n cache_name = settings.WAFER_CACHE\n\n @functools.wraps(f)\n def x(*args, **kw):\n cache = caches[cache_name]\n result = cache.get(cache_key)\n if result is None:\n result = f(*args, **kw)\n cache.set(cache_key, result, timeout)\n return result\n\n def x():\n cache = caches[cache_name]\n cache.delete(cache_key)\n wrapper.invalidate = invalidate\n return wrapper\n return decorator\n", "role": "user" }, { "content": "cache_result", "role": "assistant" } ]
def x(self): paths = [(os.path.join(self.build_prefix, 'index.html'), {})] self.request = None queryset = self.get_queryset() paginator = self.get_paginator(queryset, self.get_paginate_by(queryset)) for page in paginator.page_range: paths.append((os.path.join(self.build_prefix, 'page', '%d' % page, 'index.html'), {'page': page})) for build_path, kwargs in paths: self.request = self.create_request(build_path) self.request.user = AnonymousUser() self.kwargs = kwargs self.prep_directory(build_path) target_path = os.path.join(settings.BUILD_DIR, build_path) self.build_file(target_path, self.get_content())
build_queryset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n paths = [(os.path.join(self.build_prefix, 'index.html'), {})]\n self.request = None\n queryset = self.get_queryset()\n paginator = self.get_paginator(queryset, self.get_paginate_by(queryset))\n for page in paginator.page_range:\n paths.append((os.path.join(self.build_prefix, 'page', '%d' % page,\n 'index.html'), {'page': page}))\n for build_path, kwargs in paths:\n self.request = self.create_request(build_path)\n self.request.user = AnonymousUser()\n self.kwargs = kwargs\n self.prep_directory(build_path)\n target_path = os.path.join(settings.BUILD_DIR, build_path)\n self.build_file(target_path, self.get_content())\n", "role": "user" }, { "content": "build_queryset", "role": "assistant" } ]
def x(request): site = get_current_site(request) context = {'WAFER_CONFERENCE_NAME': site.name, 'WAFER_CONFERENCE_DOMAIN': site.domain} return context
site_info
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n site = get_current_site(request)\n context = {'WAFER_CONFERENCE_NAME': site.name,\n 'WAFER_CONFERENCE_DOMAIN': site.domain}\n return context\n", "role": "user" }, { "content": "site_info", "role": "assistant" } ]
def x(request): if request.GET.get('wafer_hide_navigation') == '1': nav_class = 'wafer-invisible' else: nav_class = 'wafer-visible' context = {'WAFER_NAVIGATION_VISIBILITY': nav_class} return context
navigation_info
[ { "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.GET.get('wafer_hide_navigation') == '1':\n nav_class = 'wafer-invisible'\n else:\n nav_class = 'wafer-visible'\n context = {'WAFER_NAVIGATION_VISIBILITY': nav_class}\n return context\n", "role": "user" }, { "content": "navigation_info", "role": "assistant" } ]
def x(request): context = {} for setting in ('WAFER_SSO', 'WAFER_HIDE_LOGIN', 'WAFER_REGISTRATION_OPEN', 'WAFER_REGISTRATION_MODE', 'WAFER_TALKS_OPEN', 'WAFER_VIDEO_LICENSE'): context[setting] = getattr(settings, setting, None) return context
registration_settings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(request):\n context = {}\n for setting in ('WAFER_SSO', 'WAFER_HIDE_LOGIN',\n 'WAFER_REGISTRATION_OPEN', 'WAFER_REGISTRATION_MODE',\n 'WAFER_TALKS_OPEN', 'WAFER_VIDEO_LICENSE'):\n context[setting] = getattr(settings, setting, None)\n return context\n", "role": "user" }, { "content": "registration_settings", "role": "assistant" } ]
def x(self): limit = [] if self.is_admin(): limit.append(_('Administrator')) limit.sort() return limit
profiles
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n limit = []\n if self.is_admin():\n limit.append(_('Administrator'))\n limit.sort()\n return limit\n", "role": "user" }, { "content": "profiles", "role": "assistant" } ]
def x(Xi, Xj, *args): num_dim = len(args) - 2 nu = args[1] if isinstance(Xi, scipy.ndarray): if isinstance(Xi, scipy.matrix): Xi = scipy.asarray(Xi, dtype=float) Xj = scipy.asarray(Xj, dtype=float) tau = scipy.asarray(Xi - Xj, dtype=float) l_mat = scipy.tile(args[-num_dim:], (tau.shape[0], 1)) r2l2 = scipy.sum((tau / l_mat) ** 2, axis=1) y = scipy.sqrt(2.0 * nu * r2l2) k = 2.0 ** (1 - nu) / scipy.special.gamma(nu ) * y ** nu * scipy.special.kv(nu, y) k[r2l2 == 0] = 1 else: try: tau = [(xi - xj) for xi, xj in zip(Xi, Xj)] except TypeError: tau = Xi - Xj try: r2l2 = sum([((t / l) ** 2) for t, l in zip(tau, args[2:])]) except TypeError: r2l2 = (tau / args[2]) ** 2 y = mpmath.sqrt(2.0 * nu * r2l2) k = 2.0 ** (1 - nu) / mpmath.gamma(nu) * y ** nu * mpmath.besselk(nu, y ) k *= args[0] ** 2.0 return k
matern_function
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(Xi, Xj, *args):\n num_dim = len(args) - 2\n nu = args[1]\n if isinstance(Xi, scipy.ndarray):\n if isinstance(Xi, scipy.matrix):\n Xi = scipy.asarray(Xi, dtype=float)\n Xj = scipy.asarray(Xj, dtype=float)\n tau = scipy.asarray(Xi - Xj, dtype=float)\n l_mat = scipy.tile(args[-num_dim:], (tau.shape[0], 1))\n r2l2 = scipy.sum((tau / l_mat) ** 2, axis=1)\n y = scipy.sqrt(2.0 * nu * r2l2)\n k = 2.0 ** (1 - nu) / scipy.special.gamma(nu\n ) * y ** nu * scipy.special.kv(nu, y)\n k[r2l2 == 0] = 1\n else:\n try:\n tau = [(xi - xj) for xi, xj in zip(Xi, Xj)]\n except TypeError:\n tau = Xi - Xj\n try:\n r2l2 = sum([((t / l) ** 2) for t, l in zip(tau, args[2:])])\n except TypeError:\n r2l2 = (tau / args[2]) ** 2\n y = mpmath.sqrt(2.0 * nu * r2l2)\n k = 2.0 ** (1 - nu) / mpmath.gamma(nu) * y ** nu * mpmath.besselk(nu, y\n )\n k *= args[0] ** 2.0\n return k\n", "role": "user" }, { "content": "matern_function", "role": "assistant" } ]
def x(self, tau): y, r2l2 = self._compute_y(tau, return_r2l2=True) k = 2.0 ** (1.0 - self.nu) / scipy.special.gamma(self.nu) * y ** (self. nu / 2.0) * scipy.special.kv(self.nu, scipy.sqrt(y)) k[r2l2 == 0] = 1.0 return k
compute_k
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau):\n y, r2l2 = self._compute_y(tau, return_r2l2=True)\n k = 2.0 ** (1.0 - self.nu) / scipy.special.gamma(self.nu) * y ** (self.\n nu / 2.0) * scipy.special.kv(self.nu, scipy.sqrt(y))\n k[r2l2 == 0] = 1.0\n return k\n", "role": "user" }, { "content": "compute_k", "role": "assistant" } ]
def x(self, tau, return_r2l2=False): r2l2 = self._compute_r2l2(tau) y = 2.0 * self.nu * r2l2 if return_r2l2: return y, r2l2 else: return y
compute_y
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, return_r2l2=False):\n r2l2 = self._compute_r2l2(tau)\n y = 2.0 * self.nu * r2l2\n if return_r2l2:\n return y, r2l2\n else:\n return y\n", "role": "user" }, { "content": "compute_y", "role": "assistant" } ]
def x(self, *args): return self._compute_y(scipy.atleast_2d(scipy.asarray(args, dtype=float)))
compute_y_wrapper
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n return self._compute_y(scipy.atleast_2d(scipy.asarray(args, dtype=float)))\n", "role": "user" }, { "content": "compute_y_wrapper", "role": "assistant" } ]
def x(self, y, n): return 2.0 ** (1 - self.nu) / scipy.special.gamma(self.nu) * yn2Kn2Der(self .nu, y, n=n)
compute_dk_dy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, y, n):\n return 2.0 ** (1 - self.nu) / scipy.special.gamma(self.nu) * yn2Kn2Der(self\n .nu, y, n=n)\n", "role": "user" }, { "content": "compute_dk_dy", "role": "assistant" } ]
def x(self, tau, b, r2l2): if len(b) == 0: return self._compute_y(tau) elif len(b) == 1: return 4.0 * self.nu * tau[:, b[0]] / self.params[2 + b[0]] ** 2.0 elif len(b) == 2 and b[0] == b[1]: return 4.0 * self.nu / self.params[2 + b[0]] ** 2.0 else: return scipy.zeros_like(r2l2)
compute_dy_dtau
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, b, r2l2):\n if len(b) == 0:\n return self._compute_y(tau)\n elif len(b) == 1:\n return 4.0 * self.nu * tau[:, b[0]] / self.params[2 + b[0]] ** 2.0\n elif len(b) == 2 and b[0] == b[1]:\n return 4.0 * self.nu / self.params[2 + b[0]] ** 2.0\n else:\n return scipy.zeros_like(r2l2)\n", "role": "user" }, { "content": "compute_dy_dtau", "role": "assistant" } ]
def x(self, tau, p): n = len(p) y, r2l2 = self._compute_y(tau, return_r2l2=True) n1 = 0 dy_dtau_factor = scipy.ones_like(y) for b in p: if len(b) > 2 or len(b) == 2 and b[0] != b[1]: return scipy.zeros_like(y) dy_dtau_factor *= self._compute_dy_dtau(tau, b, r2l2) if len(b) == 1: n1 += 1.0 dk_dy = self._compute_dk_dy(y, n) if n1 > 0: mask = y == 0.0 tau_pow = 2 * (self.nu - n) + n1 if tau_pow == 0: dk_dy[mask] = scipy.nan elif tau_pow > 0: dk_dy[mask] = 0.0 return dk_dy * dy_dtau_factor
compute_dk_dtau_on_partition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, p):\n n = len(p)\n y, r2l2 = self._compute_y(tau, return_r2l2=True)\n n1 = 0\n dy_dtau_factor = scipy.ones_like(y)\n for b in p:\n if len(b) > 2 or len(b) == 2 and b[0] != b[1]:\n return scipy.zeros_like(y)\n dy_dtau_factor *= self._compute_dy_dtau(tau, b, r2l2)\n if len(b) == 1:\n n1 += 1.0\n dk_dy = self._compute_dk_dy(y, n)\n if n1 > 0:\n mask = y == 0.0\n tau_pow = 2 * (self.nu - n) + n1\n if tau_pow == 0:\n dk_dy[mask] = scipy.nan\n elif tau_pow > 0:\n dk_dy[mask] = 0.0\n return dk_dy * dy_dtau_factor\n", "role": "user" }, { "content": "compute_dk_dtau_on_partition", "role": "assistant" } ]
def x(main_parser): main_parser.set_defaults(setup_logging=set_logging_level) verbosity_group = main_parser.add_mutually_exclusive_group(required=False) verbosity_group.add_argument('--verbose', '-v', action='count', help= 'Output more verbose logging. Can be specified multiple times.') verbosity_group.add_argument('--quiet', '-q', action='count', help= 'Output less information to the console during operation. Can be specified multiple times.' ) main_parser.add_argument('--silence-urllib3', action='store_true', help = 'Silence urllib3 warnings. See https://urllib3.readthedocs.org/en/latest/security.html for details.' ) return verbosity_group
add_logging_parser
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(main_parser):\n main_parser.set_defaults(setup_logging=set_logging_level)\n verbosity_group = main_parser.add_mutually_exclusive_group(required=False)\n verbosity_group.add_argument('--verbose', '-v', action='count', help=\n 'Output more verbose logging. Can be specified multiple times.')\n verbosity_group.add_argument('--quiet', '-q', action='count', help=\n 'Output less information to the console during operation. Can be specified multiple times.'\n )\n main_parser.add_argument('--silence-urllib3', action='store_true', help\n =\n 'Silence urllib3 warnings. See https://urllib3.readthedocs.org/en/latest/security.html for details.'\n )\n return verbosity_group\n", "role": "user" }, { "content": "add_logging_parser", "role": "assistant" } ]
def x(args): root_logger = logging.getLogger() level = logging.INFO logging.getLogger('requests.packages.urllib3').setLevel(logging.WARNING) if 'verbose' in args and args.verbose is not None: logging.getLogger('requests.packages.urllib3').setLevel(0) if args.verbose > 1: level = 5 elif args.verbose > 0: level = logging.DEBUG else: logging.critical('verbose is an unexpected value. (%s) exiting.', args.verbose) sys.exit(2) elif 'quiet' in args and args.quiet is not None: if args.quiet > 1: level = logging.ERROR elif args.quiet > 0: level = logging.WARNING else: logging.critical('quiet is an unexpected value. (%s) exiting.', args.quiet) if level is not None: root_logger.setLevel(level) if args.silence_urllib3: requests.packages.urllib3.disable_warnings()
set_logging_level
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n root_logger = logging.getLogger()\n level = logging.INFO\n logging.getLogger('requests.packages.urllib3').setLevel(logging.WARNING)\n if 'verbose' in args and args.verbose is not None:\n logging.getLogger('requests.packages.urllib3').setLevel(0)\n if args.verbose > 1:\n level = 5\n elif args.verbose > 0:\n level = logging.DEBUG\n else:\n logging.critical('verbose is an unexpected value. (%s) exiting.',\n args.verbose)\n sys.exit(2)\n elif 'quiet' in args and args.quiet is not None:\n if args.quiet > 1:\n level = logging.ERROR\n elif args.quiet > 0:\n level = logging.WARNING\n else:\n logging.critical('quiet is an unexpected value. (%s) exiting.',\n args.quiet)\n if level is not None:\n root_logger.setLevel(level)\n if args.silence_urllib3:\n requests.packages.urllib3.disable_warnings()\n", "role": "user" }, { "content": "set_logging_level", "role": "assistant" } ]
def x(user): auth = None person = None if user: if user.is_staff or user.is_superuser: auth = user else: person = getattr(user, 'person', None) if not person: person_related = getattr(user, 'people', None) if person_related: if person_related.count() == 1: person = person_related.get() if person and (person.disabled is None or person.disabled > timezone.now()): auth = user return auth
check_auth
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user):\n auth = None\n person = None\n if user:\n if user.is_staff or user.is_superuser:\n auth = user\n else:\n person = getattr(user, 'person', None)\n if not person:\n person_related = getattr(user, 'people', None)\n if person_related:\n if person_related.count() == 1:\n person = person_related.get()\n if person and (person.disabled is None or person.disabled >\n timezone.now()):\n auth = user\n return auth\n", "role": "user" }, { "content": "check_auth", "role": "assistant" } ]
def x(self, msg): if self.__debug is not False: if self.__debug is None: debug_filename = getattr(settings, 'AD_DEBUG_FILE', None) if debug_filename: self.__debug = open(settings.AD_DEBUG_FILE, 'a') else: self.__debug = False if self.__debug: self.__debug.write('{}\n'.format(msg)) self.__debug.flush()
debug
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msg):\n if self.__debug is not False:\n if self.__debug is None:\n debug_filename = getattr(settings, 'AD_DEBUG_FILE', None)\n if debug_filename:\n self.__debug = open(settings.AD_DEBUG_FILE, 'a')\n else:\n self.__debug = False\n if self.__debug:\n self.__debug.write('{}\\n'.format(msg))\n self.__debug.flush()\n", "role": "user" }, { "content": "debug", "role": "assistant" } ]
def x(self, *args, **kwargs): username = kwargs.get('username', None) password = kwargs.get('password', None) authorization = self.ldap_link(username, password, mode='LOGIN') if authorization: user = self.get_or_create_user(username, password) if user: user.is_active = True user.save() else: user = User.objects.filter(username=username).first() if user and not user.is_staff: if authorization is False or getattr(settings, 'AD_LOCK_UNAUTHORIZED', False): user.is_active = False user.save() user = 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, *args, **kwargs):\n username = kwargs.get('username', None)\n password = kwargs.get('password', None)\n authorization = self.ldap_link(username, password, mode='LOGIN')\n if authorization:\n user = self.get_or_create_user(username, password)\n if user:\n user.is_active = True\n user.save()\n else:\n user = User.objects.filter(username=username).first()\n if user and not user.is_staff:\n if authorization is False or getattr(settings,\n 'AD_LOCK_UNAUTHORIZED', False):\n user.is_active = False\n user.save()\n user = None\n return user\n", "role": "user" }, { "content": "authenticate", "role": "assistant" } ]
def x(self, username, password): info = self.get_ad_info(username, password) self.debug('INFO found: {}'.format(info)) try: user = User.objects.get(username=username) except User.DoesNotExist: user = User(username=username) user.first_name = info.get('first_name', '') user.last_name = info.get('last_name', '') user.email = info.get('email', '') is_admin = False for domain in info['groups']: if 'Domain Admins' in info['groups'][domain]: is_admin = True break user.is_staff = is_admin user.is_superuser = is_admin user.set_password(password) user = self.validate(user, info) if user: self.debug('User got validated!') user.save() self.synchronize(user, info) else: self.debug("User didn't pass validation!") return user
get_or_create_user
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, username, password):\n info = self.get_ad_info(username, password)\n self.debug('INFO found: {}'.format(info))\n try:\n user = User.objects.get(username=username)\n except User.DoesNotExist:\n user = User(username=username)\n user.first_name = info.get('first_name', '')\n user.last_name = info.get('last_name', '')\n user.email = info.get('email', '')\n is_admin = False\n for domain in info['groups']:\n if 'Domain Admins' in info['groups'][domain]:\n is_admin = True\n break\n user.is_staff = is_admin\n user.is_superuser = is_admin\n user.set_password(password)\n user = self.validate(user, info)\n if user:\n self.debug('User got validated!')\n user.save()\n self.synchronize(user, info)\n else:\n self.debug(\"User didn't pass validation!\")\n return user\n", "role": "user" }, { "content": "get_or_create_user", "role": "assistant" } ]
def x(self, user, info): self.debug('Synchronize!') user.groups.clear() for domain in info['groups']: for groupname in info['groups'][domain]: group = Group.objects.filter(name=groupname).first() if group: user.groups.add(group)
synchronize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user, info):\n self.debug('Synchronize!')\n user.groups.clear()\n for domain in info['groups']:\n for groupname in info['groups'][domain]:\n group = Group.objects.filter(name=groupname).first()\n if group:\n user.groups.add(group)\n", "role": "user" }, { "content": "synchronize", "role": "assistant" } ]
def x(self, new_params): new_params = scipy.asarray(new_params, dtype=float) if len(new_params) == len(self.free_params): if self.enforce_bounds: for idx, new_param, bound in zip(range(0, len(new_params)), new_params, self.free_param_bounds): if bound[0] is not None and new_param < bound[0]: new_params[idx] = bound[0] elif bound[1] is not None and new_param > bound[1]: new_params[idx] = bound[1] self.params[~self.fixed_params] = new_params else: raise ValueError('Length of new_params must be %s!' % (len(self. free_params),))
set_hyperparams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_params):\n new_params = scipy.asarray(new_params, dtype=float)\n if len(new_params) == len(self.free_params):\n if self.enforce_bounds:\n for idx, new_param, bound in zip(range(0, len(new_params)),\n new_params, self.free_param_bounds):\n if bound[0] is not None and new_param < bound[0]:\n new_params[idx] = bound[0]\n elif bound[1] is not None and new_param > bound[1]:\n new_params[idx] = bound[1]\n self.params[~self.fixed_params] = new_params\n else:\n raise ValueError('Length of new_params must be %s!' % (len(self.\n free_params),))\n", "role": "user" }, { "content": "set_hyperparams", "role": "assistant" } ]
def x(self, tau, return_l=False): l_mat = scipy.tile(self.params[-self.num_dim:], (tau.shape[0], 1)) tau_over_l = tau / l_mat tau_over_l[(tau == 0) & (l_mat == 0)] = 0.0 r2l2 = scipy.sum(tau_over_l ** 2, axis=1) if return_l: return r2l2, l_mat else: return r2l2
compute_r2l2
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, return_l=False):\n l_mat = scipy.tile(self.params[-self.num_dim:], (tau.shape[0], 1))\n tau_over_l = tau / l_mat\n tau_over_l[(tau == 0) & (l_mat == 0)] = 0.0\n r2l2 = scipy.sum(tau_over_l ** 2, axis=1)\n if return_l:\n return r2l2, l_mat\n else:\n return r2l2\n", "role": "user" }, { "content": "compute_r2l2", "role": "assistant" } ]
def x(self, v): self._enforce_bounds = v self.k1.enforce_bounds = v self.k2.enforce_bounds = v
enforce_bounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, v):\n self._enforce_bounds = v\n self.k1.enforce_bounds = v\n self.k2.enforce_bounds = v\n", "role": "user" }, { "content": "enforce_bounds", "role": "assistant" } ]
def x(self): return scipy.concatenate((self.k1.free_param_bounds, self.k2. free_param_bounds))
free_param_bounds
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return scipy.concatenate((self.k1.free_param_bounds, self.k2.\n free_param_bounds))\n", "role": "user" }, { "content": "free_param_bounds", "role": "assistant" } ]
def x(self): return scipy.concatenate((self.k1.free_param_names, self.k2. free_param_names))
free_param_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return scipy.concatenate((self.k1.free_param_names, self.k2.\n free_param_names))\n", "role": "user" }, { "content": "free_param_names", "role": "assistant" } ]
def x(self, new_params): new_params = scipy.asarray(new_params, dtype=float) if len(new_params) == len(self.free_params): num_free_k1 = sum(~self.k1.fixed_params) self.k1.set_hyperparams(new_params[:num_free_k1]) self.k2.set_hyperparams(new_params[num_free_k1:]) else: raise ValueError('Length of new_params must be %s!' % (len(self. free_params),))
set_hyperparams
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, new_params):\n new_params = scipy.asarray(new_params, dtype=float)\n if len(new_params) == len(self.free_params):\n num_free_k1 = sum(~self.k1.fixed_params)\n self.k1.set_hyperparams(new_params[:num_free_k1])\n self.k2.set_hyperparams(new_params[num_free_k1:])\n else:\n raise ValueError('Length of new_params must be %s!' % (len(self.\n free_params),))\n", "role": "user" }, { "content": "set_hyperparams", "role": "assistant" } ]
def x(self, tau, n): deriv_pattern = [] for idx in xrange(0, len(n)): deriv_pattern.extend(n[idx] * [idx]) deriv_pattern = scipy.asarray(deriv_pattern, dtype=int) if len(deriv_pattern) == 0: return self._compute_k(tau) else: deriv_partitions = generate_set_partitions(deriv_pattern) dk_dtau = scipy.zeros(tau.shape[0]) for partition in deriv_partitions: dk_dtau += self._compute_dk_dtau_on_partition(tau, partition) return dk_dtau
compute_dk_dtau
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, n):\n deriv_pattern = []\n for idx in xrange(0, len(n)):\n deriv_pattern.extend(n[idx] * [idx])\n deriv_pattern = scipy.asarray(deriv_pattern, dtype=int)\n if len(deriv_pattern) == 0:\n return self._compute_k(tau)\n else:\n deriv_partitions = generate_set_partitions(deriv_pattern)\n dk_dtau = scipy.zeros(tau.shape[0])\n for partition in deriv_partitions:\n dk_dtau += self._compute_dk_dtau_on_partition(tau, partition)\n return dk_dtau\n", "role": "user" }, { "content": "compute_dk_dtau", "role": "assistant" } ]
def x(self, tau, p): y, r2l2 = self._compute_y(tau, return_r2l2=True) dk_dtau = self._compute_dk_dy(y, len(p)) for b in p: dk_dtau *= self._compute_dy_dtau(tau, b, r2l2) return dk_dtau
compute_dk_dtau_on_partition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau, p):\n y, r2l2 = self._compute_y(tau, return_r2l2=True)\n dk_dtau = self._compute_dk_dy(y, len(p))\n for b in p:\n dk_dtau *= self._compute_dy_dtau(tau, b, r2l2)\n return dk_dtau\n", "role": "user" }, { "content": "compute_dk_dtau_on_partition", "role": "assistant" } ]
def x(self, *args): if self.num_dim == 1: return self.cov_func(args[0], args[1], *self.params) else: return self.cov_func(args[:self.num_dim], args[self.num_dim:], * self.params)
mask_cov_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args):\n if self.num_dim == 1:\n return self.cov_func(args[0], args[1], *self.params)\n else:\n return self.cov_func(args[:self.num_dim], args[self.num_dim:], *\n self.params)\n", "role": "user" }, { "content": "mask_cov_func", "role": "assistant" } ]
def x(X, n, mu, hyper_deriv=None): if (n == 0).all(): if hyper_deriv is not None: return scipy.ones(X.shape[0]) else: return mu * scipy.ones(X.shape[0]) else: return scipy.zeros(X.shape[0])
constant
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, n, mu, hyper_deriv=None):\n if (n == 0).all():\n if hyper_deriv is not None:\n return scipy.ones(X.shape[0])\n else:\n return mu * scipy.ones(X.shape[0])\n else:\n return scipy.zeros(X.shape[0])\n", "role": "user" }, { "content": "constant", "role": "assistant" } ]
def x(alpha, z): z = scipy.asarray(z) ez = scipy.exp(z) enz = 1.0 / ez return ((1 + alpha * z) * ez - enz) / (ez + enz)
mtanh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(alpha, z):\n z = scipy.asarray(z)\n ez = scipy.exp(z)\n enz = 1.0 / ez\n return ((1 + alpha * z) * ez - enz) / (ez + enz)\n", "role": "user" }, { "content": "mtanh", "role": "assistant" } ]
def x(X, n, x0, delta, alpha, h, b, hyper_deriv=None): X = X[:, 0] z = (x0 - X) / delta if n[0] == 0: if hyper_deriv is not None: if hyper_deriv == 0: return (h - b) / (2.0 * delta * scipy.cosh(z) ** 2) * (1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z))) elif hyper_deriv == 1: return -(h - b) * z / (2.0 * delta * scipy.cosh(z) ** 2) * ( 1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z))) elif hyper_deriv == 2: ez = scipy.exp(z) enz = 1.0 / ez return (h - b) / 2.0 * z * ez / (ez + enz) elif hyper_deriv == 3: ez = scipy.exp(z) enz = 1.0 / ez return 0.5 * (1.0 + ((1.0 + alpha * z) * ez - enz) / (ez + enz) ) elif hyper_deriv == 4: ez = scipy.exp(z) enz = 1.0 / ez return 0.5 * (1.0 - ((1.0 + alpha * z) * ez - enz) / (ez + enz) ) else: raise ValueError('Invalid value for hyper_deriv, ' + str( hyper_deriv)) else: return (h + b) / 2.0 + (h - b) * mtanh(alpha, z) / 2.0 elif n[0] == 1: if hyper_deriv is not None: if hyper_deriv == 0: return -(h - b) / (2.0 * delta ** 2.0 * scipy.cosh(z) ** 2.0 ) * (alpha - (alpha * z + 2) * scipy.tanh(z)) elif hyper_deriv == 1: return (h - b) / (2.0 * delta ** 2.0 * scipy.cosh(z) ** 2.0 ) * (1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z)) + z * (alpha - (alpha * z + 2) * scipy.tanh(z))) elif hyper_deriv == 2: return -(h - b) / (8.0 * delta * scipy.cosh(z) ** 2.0) * ( 1.0 + 2.0 * z + scipy.exp(2.0 * z)) elif hyper_deriv == 3: return -1.0 / (2.0 * delta * scipy.cosh(z) ** 2.0) * (1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z))) elif hyper_deriv == 4: return 1.0 / (2.0 * delta * scipy.cosh(z) ** 2.0) * (1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z))) else: raise ValueError('Invalid value for hyper_deriv, ' + str( hyper_deriv)) else: return -(h - b) / (2.0 * delta * scipy.cosh(z) ** 2) * (1 + alpha / 4.0 * (1 + 2 * z + scipy.exp(2 * z))) else: raise NotImplementedError( 'Derivatives of order greater than 1 are not supported!')
mtanh_profile
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, n, x0, delta, alpha, h, b, hyper_deriv=None):\n X = X[:, 0]\n z = (x0 - X) / delta\n if n[0] == 0:\n if hyper_deriv is not None:\n if hyper_deriv == 0:\n return (h - b) / (2.0 * delta * scipy.cosh(z) ** 2) * (1.0 +\n alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z)))\n elif hyper_deriv == 1:\n return -(h - b) * z / (2.0 * delta * scipy.cosh(z) ** 2) * (\n 1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z)))\n elif hyper_deriv == 2:\n ez = scipy.exp(z)\n enz = 1.0 / ez\n return (h - b) / 2.0 * z * ez / (ez + enz)\n elif hyper_deriv == 3:\n ez = scipy.exp(z)\n enz = 1.0 / ez\n return 0.5 * (1.0 + ((1.0 + alpha * z) * ez - enz) / (ez + enz)\n )\n elif hyper_deriv == 4:\n ez = scipy.exp(z)\n enz = 1.0 / ez\n return 0.5 * (1.0 - ((1.0 + alpha * z) * ez - enz) / (ez + enz)\n )\n else:\n raise ValueError('Invalid value for hyper_deriv, ' + str(\n hyper_deriv))\n else:\n return (h + b) / 2.0 + (h - b) * mtanh(alpha, z) / 2.0\n elif n[0] == 1:\n if hyper_deriv is not None:\n if hyper_deriv == 0:\n return -(h - b) / (2.0 * delta ** 2.0 * scipy.cosh(z) ** 2.0\n ) * (alpha - (alpha * z + 2) * scipy.tanh(z))\n elif hyper_deriv == 1:\n return (h - b) / (2.0 * delta ** 2.0 * scipy.cosh(z) ** 2.0\n ) * (1.0 + alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 *\n z)) + z * (alpha - (alpha * z + 2) * scipy.tanh(z)))\n elif hyper_deriv == 2:\n return -(h - b) / (8.0 * delta * scipy.cosh(z) ** 2.0) * (\n 1.0 + 2.0 * z + scipy.exp(2.0 * z))\n elif hyper_deriv == 3:\n return -1.0 / (2.0 * delta * scipy.cosh(z) ** 2.0) * (1.0 +\n alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z)))\n elif hyper_deriv == 4:\n return 1.0 / (2.0 * delta * scipy.cosh(z) ** 2.0) * (1.0 + \n alpha / 4.0 * (1.0 + 2.0 * z + scipy.exp(2.0 * z)))\n else:\n raise ValueError('Invalid value for hyper_deriv, ' + str(\n hyper_deriv))\n else:\n return -(h - b) / (2.0 * delta * scipy.cosh(z) ** 2) * (1 + \n alpha / 4.0 * (1 + 2 * z + scipy.exp(2 * z)))\n else:\n raise NotImplementedError(\n 'Derivatives of order greater than 1 are not supported!')\n", "role": "user" }, { "content": "mtanh_profile", "role": "assistant" } ]
def x(X, n, *args, **kwargs): hyper_deriv = kwargs.pop('hyper_deriv', None) m = scipy.asarray(args[:-1]) b = args[-1] if sum(n) > 1: return scipy.zeros(X.shape[0]) elif sum(n) == 0: if hyper_deriv is not None: if hyper_deriv < len(m): return X[:, hyper_deriv] elif hyper_deriv == len(m): return scipy.ones(X.shape[0]) else: raise ValueError('Invalid value for hyper_deriv, ' + str( hyper_deriv)) else: return (m * X).sum(axis=1) + b else: if hyper_deriv is not None: if n[hyper_deriv] == 1: return scipy.ones(X.shape[0]) else: return scipy.zeros(X.shape[0]) return m[n == 1] * scipy.ones(X.shape[0])
linear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, n, *args, **kwargs):\n hyper_deriv = kwargs.pop('hyper_deriv', None)\n m = scipy.asarray(args[:-1])\n b = args[-1]\n if sum(n) > 1:\n return scipy.zeros(X.shape[0])\n elif sum(n) == 0:\n if hyper_deriv is not None:\n if hyper_deriv < len(m):\n return X[:, hyper_deriv]\n elif hyper_deriv == len(m):\n return scipy.ones(X.shape[0])\n else:\n raise ValueError('Invalid value for hyper_deriv, ' + str(\n hyper_deriv))\n else:\n return (m * X).sum(axis=1) + b\n else:\n if hyper_deriv is not None:\n if n[hyper_deriv] == 1:\n return scipy.ones(X.shape[0])\n else:\n return scipy.zeros(X.shape[0])\n return m[n == 1] * scipy.ones(X.shape[0])\n", "role": "user" }, { "content": "linear", "role": "assistant" } ]
def x(*args, **kw): slot = kw.pop('instance', None) if not slot: return for item in slot.scheduleitem_set.all(): item.save(update_fields=['last_updated']) next_slot = slot.slot_set.all() if next_slot.count(): for item in next_slot[0].scheduleitem_set.all(): item.save(update_fields=['last_updated'])
update_schedule_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kw):\n slot = kw.pop('instance', None)\n if not slot:\n return\n for item in slot.scheduleitem_set.all():\n item.save(update_fields=['last_updated'])\n next_slot = slot.slot_set.all()\n if next_slot.count():\n for item in next_slot[0].scheduleitem_set.all():\n item.save(update_fields=['last_updated'])\n", "role": "user" }, { "content": "update_schedule_items", "role": "assistant" } ]
def x(current, revision): the_diff = [] dmp = diff_match_patch() for field in (set(current.field_dict.keys()) | set(revision.field_dict. keys())): if field == 'id' or field.endswith('_rendered'): continue missing_field = False try: cur_val = current.field_dict[field] or '' except KeyError: cur_val = 'No such field in latest version\n' missing_field = True try: old_val = revision.field_dict[field] or '' except KeyError: old_val = 'No such field in old version\n' missing_field = True if missing_field: diffs = [(dmp.DIFF_DELETE, old_val), (dmp.DIFF_INSERT, cur_val)] patch = dmp.diff_prettyHtml(diffs) elif isinstance(cur_val, Markup): if cur_val.raw == old_val.raw: continue diffs = dmp.diff_main(old_val.raw, cur_val.raw) patch = dmp.diff_prettyHtml(diffs) elif cur_val == old_val: continue else: diffs = dmp.diff_main(force_text(old_val), force_text(cur_val)) patch = dmp.diff_prettyHtml(diffs) the_diff.append((field, patch)) the_diff.sort() return the_diff
make_diff
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(current, revision):\n the_diff = []\n dmp = diff_match_patch()\n for field in (set(current.field_dict.keys()) | set(revision.field_dict.\n keys())):\n if field == 'id' or field.endswith('_rendered'):\n continue\n missing_field = False\n try:\n cur_val = current.field_dict[field] or ''\n except KeyError:\n cur_val = 'No such field in latest version\\n'\n missing_field = True\n try:\n old_val = revision.field_dict[field] or ''\n except KeyError:\n old_val = 'No such field in old version\\n'\n missing_field = True\n if missing_field:\n diffs = [(dmp.DIFF_DELETE, old_val), (dmp.DIFF_INSERT, cur_val)]\n patch = dmp.diff_prettyHtml(diffs)\n elif isinstance(cur_val, Markup):\n if cur_val.raw == old_val.raw:\n continue\n diffs = dmp.diff_main(old_val.raw, cur_val.raw)\n patch = dmp.diff_prettyHtml(diffs)\n elif cur_val == old_val:\n continue\n else:\n diffs = dmp.diff_main(force_text(old_val), force_text(cur_val))\n patch = dmp.diff_prettyHtml(diffs)\n the_diff.append((field, patch))\n the_diff.sort()\n return the_diff\n", "role": "user" }, { "content": "make_diff", "role": "assistant" } ]
def x(self, request, object_id, version_id, extra_context=None): opts = self.model._meta object_id = unquote(object_id) current = Version.objects.get_for_object_reference(self.model, object_id)[0 ] revision = Version.objects.get_for_object_reference(self.model, object_id ).filter(id=version_id)[0] the_diff = make_diff(current, revision) context = {'title': _( 'Comparing current %(model)s with revision created %(date)s') % { 'model': current, 'date': get_date(revision)}, 'opts': opts, 'compare_list_url': reverse('%s:%s_%s_comparelist' % (self. admin_site.name, opts.app_label, opts.model_name), args=(quote( object_id),)), 'diff_list': the_diff} extra_context = extra_context or {} context.update(extra_context) return render(request, self.compare_template or self._get_template_list ('compare.html'), context)
compare_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, object_id, version_id, extra_context=None):\n opts = self.model._meta\n object_id = unquote(object_id)\n current = Version.objects.get_for_object_reference(self.model, object_id)[0\n ]\n revision = Version.objects.get_for_object_reference(self.model, object_id\n ).filter(id=version_id)[0]\n the_diff = make_diff(current, revision)\n context = {'title': _(\n 'Comparing current %(model)s with revision created %(date)s') % {\n 'model': current, 'date': get_date(revision)}, 'opts': opts,\n 'compare_list_url': reverse('%s:%s_%s_comparelist' % (self.\n admin_site.name, opts.app_label, opts.model_name), args=(quote(\n object_id),)), 'diff_list': the_diff}\n extra_context = extra_context or {}\n context.update(extra_context)\n return render(request, self.compare_template or self._get_template_list\n ('compare.html'), context)\n", "role": "user" }, { "content": "compare_view", "role": "assistant" } ]
def x(self, request, object_id, extra_context=None): opts = self.model._meta object_id = unquote(object_id) current = get_object_or_404(self.model, pk=object_id) action_list = [{'revision': version.revision, 'url': reverse( '%s:%s_%s_compare' % (self.admin_site.name, opts.app_label, opts. model_name), args=(quote(version.object_id), version.id))} for version in self._reversion_order_version_queryset(Version.objects. get_for_object_reference(self.model, object_id).select_related( 'revision__user'))] context = {'action_list': action_list, 'opts': opts, 'object_id': quote (object_id), 'original': current} extra_context = extra_context or {} context.update(extra_context) return render(request, self.compare_list_template or self. _get_template_list('compare_list.html'), context)
comparelist_view
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, object_id, extra_context=None):\n opts = self.model._meta\n object_id = unquote(object_id)\n current = get_object_or_404(self.model, pk=object_id)\n action_list = [{'revision': version.revision, 'url': reverse(\n '%s:%s_%s_compare' % (self.admin_site.name, opts.app_label, opts.\n model_name), args=(quote(version.object_id), version.id))} for\n version in self._reversion_order_version_queryset(Version.objects.\n get_for_object_reference(self.model, object_id).select_related(\n 'revision__user'))]\n context = {'action_list': action_list, 'opts': opts, 'object_id': quote\n (object_id), 'original': current}\n extra_context = extra_context or {}\n context.update(extra_context)\n return render(request, self.compare_list_template or self.\n _get_template_list('compare_list.html'), context)\n", "role": "user" }, { "content": "comparelist_view", "role": "assistant" } ]
def x(struct, position): if position == 'year': size = 4 else: size = 2 if struct[position][2]: rightnow = str(struct[position][0]).zfill(size) elif position == 'year': rightnow = '____' else: rightnow = '__' return rightnow
grv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(struct, position):\n if position == 'year':\n size = 4\n else:\n size = 2\n if struct[position][2]:\n rightnow = str(struct[position][0]).zfill(size)\n elif position == 'year':\n rightnow = '____'\n else:\n rightnow = '__'\n return rightnow\n", "role": "user" }, { "content": "grv", "role": "assistant" } ]
def x(self, request): info = model_inspect(self) self._appname = getattr(self, 'appname', info['appname']) self._modelname = getattr(self, 'modelname', info['modelname']) if not hasattr(self, 'user'): self.user = self.request.user self.profile = get_profile(self.user) self.language = get_language() if 'no_render_as_foreign' not in self.extra_context: self.extra_context['no_render_as_foreign'] = []
setup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n info = model_inspect(self)\n self._appname = getattr(self, 'appname', info['appname'])\n self._modelname = getattr(self, 'modelname', info['modelname'])\n if not hasattr(self, 'user'):\n self.user = self.request.user\n self.profile = get_profile(self.user)\n self.language = get_language()\n if 'no_render_as_foreign' not in self.extra_context:\n self.extra_context['no_render_as_foreign'] = []\n", "role": "user" }, { "content": "setup", "role": "assistant" } ]
def x(self): template_model = getattr(self, 'template_model', '{0}/{1}_{2}'.format( self._appname.lower(), self._modelname.lower(), self. get_template_names_key)) template_model_ext = getattr(self, 'template_model_ext', 'html') templates = get_template(template_model, self.user, self.language, template_model_ext, raise_error=False) if type(templates) == list: templates.append('codenerix/{0}.html'.format(self. get_template_names_key)) return templates
get_template_names
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n template_model = getattr(self, 'template_model', '{0}/{1}_{2}'.format(\n self._appname.lower(), self._modelname.lower(), self.\n get_template_names_key))\n template_model_ext = getattr(self, 'template_model_ext', 'html')\n templates = get_template(template_model, self.user, self.language,\n template_model_ext, raise_error=False)\n if type(templates) == list:\n templates.append('codenerix/{0}.html'.format(self.\n get_template_names_key))\n return templates\n", "role": "user" }, { "content": "get_template_names", "role": "assistant" } ]
def x(self, **kwargs): context = super(GenBase, self).get_context_data(**kwargs) if hasattr(self, 'html_head'): context['html_head'] = self.html_head(self.object) if hasattr(self, 'gentrans'): context['gentranslate'] = self.gentrans.copy() context['gentranslate'].update(self.gentranslate) else: context['gentranslate'] = self.gentranslate return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = super(GenBase, self).get_context_data(**kwargs)\n if hasattr(self, 'html_head'):\n context['html_head'] = self.html_head(self.object)\n if hasattr(self, 'gentrans'):\n context['gentranslate'] = self.gentrans.copy()\n context['gentranslate'].update(self.gentranslate)\n else:\n context['gentranslate'] = self.gentranslate\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, *args, **kwargs): onlybase = getattr(self, 'onlybase', False) if not onlybase: if bool(self.request.META.get('HTTP_X_REST', False)): self.json = True if self.request.GET.get('json', self.request.POST.get('json', None) ) is None: newget = {} newget['json'] = '{}' for key in self.request.GET: newget[key] = self.request.GET[key] self.request.GET = QueryDict('').copy() self.request.GET.update(newget) if self.request.method == 'POST': target = get_class(resolve('{}/add'.format(self.request.META. get('REQUEST_URI'))).func) target.json = True return target.as_view()(self.request) self._setup(self.request) deprecated = [('retrictions', '2016061000')] for depre, version in deprecated: if hasattr(self, depre): raise IOError( "The attribute '{}' has been deprecated in version '{}' and it is not available anymore" .format(version)) if not hasattr(self, 'extra_context'): self.extra_context = {} if not hasattr(self, 'client_context'): self.client_context = {} self.extra_context['user'] = self.user self.extra_context['ws_entry_point'] = self.BASE_URL + getattr(self, 'ws_entry_point', '{0}/{1}'.format(self._appname, '{0}s'.format( self._modelname.lower()))) static_partial_row_path = getattr(self, 'static_partial_row', '{0}/{1}_rows.html'.format(self._appname, '{0}s'.format(self. _modelname.lower()))) self.extra_context['static_partial_row'] = get_static( static_partial_row_path, self.user, self.language, self. DEFAULT_STATIC_PARTIAL_ROWS, 'html', relative=True) static_partial_header_path = getattr(self, 'static_partial_header', '{0}/{1}_header.html'.format(self._appname, '{0}s'.format(self. _modelname.lower()))) self.extra_context['static_partial_header'] = get_static( static_partial_header_path, self.user, self.language, None, 'html', relative=True) static_partial_summary_path = getattr(self, 'static_partial_summary', '{0}/{1}_summary.html'.format(self._appname, '{0}s'.format(self. _modelname.lower()))) self.extra_context['static_partial_summary'] = get_static( static_partial_summary_path, self.user, self.language, self. DEFAULT_STATIC_PARTIAL_SUMMARY, 'html', relative=True) static_app_row_path = getattr(self, 'static_app_row', '{0}/{1}_app.js'. format(self._appname, '{0}s'.format(self._modelname.lower()))) self.extra_context['static_app_row'] = get_static(static_app_row_path, self.user, self.language, os.path.join(settings.STATIC_URL, 'codenerix/js/app.js'), 'js', relative=True) static_controllers_row_path = getattr(self, 'static_controllers_row', '{0}/{1}_controllers.js'.format(self._appname, '{0}s'.format(self. _modelname.lower()))) self.extra_context['static_controllers_row'] = get_static( static_controllers_row_path, self.user, self.language, None, 'js', relative=True) static_filters_row_path = getattr(self, 'static_filters_row', '{0}/{1}_filters.js'.format(self._appname, '{0}s'.format(self. _modelname.lower()))) self.extra_context['static_filters_row'] = get_static( static_filters_row_path, self.user, self.language, os.path.join( settings.STATIC_URL, 'codenerix/js/rows.js'), 'js', relative=True) self.extra_context['field_delete'] = getattr(self, 'field_delete', False) self.extra_context['field_check'] = getattr(self, 'field_check', None) if hasattr(self, 'extends_base'): self.extra_context['extends_base'] = self.extends_base elif hasattr(self, 'extends_base'): self.extra_context['extends_base'] = self.extends_base self.__authtoken = bool(getattr(self.request, 'authtoken', False)) self.json_worker = hasattr(self, 'json_builder' ) or self.__authtoken or self.json is True if self.json_worker: if self.request.GET.get('json', self.request.POST.get('json', None) ) is None: if getattr(self, 'show_details', False): self.extra_context['tabs_js'] = json.dumps(self.get_tabs_js()) self.get_queryset = lambda : None self.get_context_data = lambda **kwargs: self.extra_context self.render_to_response = lambda context, **response_kwargs: super( GenList, self).render_to_response(context, **response_kwargs) return super(GenList, self).dispatch(*args, **kwargs) if onlybase: json_answer = {'error': True, 'errortxt': _( 'Not allowed, this kind of requests has been prohibited for this view!' )} return HttpResponse(json.dumps(json_answer), content_type= 'application/json') self.__kwargs = kwargs self.__context = {} self.export = getattr(self, 'export', self.request.GET.get('export', self.request.POST.get('export', None))) return super(GenList, self).dispatch(*args, **kwargs)
dispatch
[ { "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 onlybase = getattr(self, 'onlybase', False)\n if not onlybase:\n if bool(self.request.META.get('HTTP_X_REST', False)):\n self.json = True\n if self.request.GET.get('json', self.request.POST.get('json', None)\n ) is None:\n newget = {}\n newget['json'] = '{}'\n for key in self.request.GET:\n newget[key] = self.request.GET[key]\n self.request.GET = QueryDict('').copy()\n self.request.GET.update(newget)\n if self.request.method == 'POST':\n target = get_class(resolve('{}/add'.format(self.request.META.\n get('REQUEST_URI'))).func)\n target.json = True\n return target.as_view()(self.request)\n self._setup(self.request)\n deprecated = [('retrictions', '2016061000')]\n for depre, version in deprecated:\n if hasattr(self, depre):\n raise IOError(\n \"The attribute '{}' has been deprecated in version '{}' and it is not available anymore\"\n .format(version))\n if not hasattr(self, 'extra_context'):\n self.extra_context = {}\n if not hasattr(self, 'client_context'):\n self.client_context = {}\n self.extra_context['user'] = self.user\n self.extra_context['ws_entry_point'] = self.BASE_URL + getattr(self,\n 'ws_entry_point', '{0}/{1}'.format(self._appname, '{0}s'.format(\n self._modelname.lower())))\n static_partial_row_path = getattr(self, 'static_partial_row',\n '{0}/{1}_rows.html'.format(self._appname, '{0}s'.format(self.\n _modelname.lower())))\n self.extra_context['static_partial_row'] = get_static(\n static_partial_row_path, self.user, self.language, self.\n DEFAULT_STATIC_PARTIAL_ROWS, 'html', relative=True)\n static_partial_header_path = getattr(self, 'static_partial_header',\n '{0}/{1}_header.html'.format(self._appname, '{0}s'.format(self.\n _modelname.lower())))\n self.extra_context['static_partial_header'] = get_static(\n static_partial_header_path, self.user, self.language, None, 'html',\n relative=True)\n static_partial_summary_path = getattr(self, 'static_partial_summary',\n '{0}/{1}_summary.html'.format(self._appname, '{0}s'.format(self.\n _modelname.lower())))\n self.extra_context['static_partial_summary'] = get_static(\n static_partial_summary_path, self.user, self.language, self.\n DEFAULT_STATIC_PARTIAL_SUMMARY, 'html', relative=True)\n static_app_row_path = getattr(self, 'static_app_row', '{0}/{1}_app.js'.\n format(self._appname, '{0}s'.format(self._modelname.lower())))\n self.extra_context['static_app_row'] = get_static(static_app_row_path,\n self.user, self.language, os.path.join(settings.STATIC_URL,\n 'codenerix/js/app.js'), 'js', relative=True)\n static_controllers_row_path = getattr(self, 'static_controllers_row',\n '{0}/{1}_controllers.js'.format(self._appname, '{0}s'.format(self.\n _modelname.lower())))\n self.extra_context['static_controllers_row'] = get_static(\n static_controllers_row_path, self.user, self.language, None, 'js',\n relative=True)\n static_filters_row_path = getattr(self, 'static_filters_row',\n '{0}/{1}_filters.js'.format(self._appname, '{0}s'.format(self.\n _modelname.lower())))\n self.extra_context['static_filters_row'] = get_static(\n static_filters_row_path, self.user, self.language, os.path.join(\n settings.STATIC_URL, 'codenerix/js/rows.js'), 'js', relative=True)\n self.extra_context['field_delete'] = getattr(self, 'field_delete', False)\n self.extra_context['field_check'] = getattr(self, 'field_check', None)\n if hasattr(self, 'extends_base'):\n self.extra_context['extends_base'] = self.extends_base\n elif hasattr(self, 'extends_base'):\n self.extra_context['extends_base'] = self.extends_base\n self.__authtoken = bool(getattr(self.request, 'authtoken', False))\n self.json_worker = hasattr(self, 'json_builder'\n ) or self.__authtoken or self.json is True\n if self.json_worker:\n if self.request.GET.get('json', self.request.POST.get('json', None)\n ) is None:\n if getattr(self, 'show_details', False):\n self.extra_context['tabs_js'] = json.dumps(self.get_tabs_js())\n self.get_queryset = lambda : None\n self.get_context_data = lambda **kwargs: self.extra_context\n self.render_to_response = lambda context, **response_kwargs: super(\n GenList, self).render_to_response(context, **response_kwargs)\n return super(GenList, self).dispatch(*args, **kwargs)\n if onlybase:\n json_answer = {'error': True, 'errortxt': _(\n 'Not allowed, this kind of requests has been prohibited for this view!'\n )}\n return HttpResponse(json.dumps(json_answer), content_type=\n 'application/json')\n self.__kwargs = kwargs\n self.__context = {}\n self.export = getattr(self, 'export', self.request.GET.get('export',\n self.request.POST.get('export', None)))\n return super(GenList, self).dispatch(*args, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, **kwargs): context = super(GenList, self).get_context_data(**kwargs) context.update(self.__context) context['now'] = epochdate(time.time()) context['profile'] = self.profile context['vtable'] = getattr(self, 'vtable', False) context['export_excel'] = getattr(self, 'export_excel', True) context['export_name'] = getattr(self, 'export_name', 'list') context['ngincludes'] = getattr(self, 'ngincludes', {}) if 'table' not in context['ngincludes'].keys(): context['ngincludes']['table' ] = '{}codenerix/partials/table.html'.format(settings.STATIC_URL) context['linkadd'] = getattr(self, 'linkadd', self.auth_permission( 'add') or getattr(self, 'public', False)) context['linkedit'] = getattr(self, 'linkedit', self.auth_permission( 'change') or getattr(self, 'public', False)) context['show_details'] = getattr(self, 'show_details', False) context['show_modal'] = getattr(self, 'show_modal', False) context['search_filter_button'] = getattr(self, 'search_filter_button', False) if not self.json_worker: template_base = getattr(self, 'template_base', 'base/base') template_base_ext = getattr(self, 'template_base_ext', 'html') context['template_base'] = get_template(template_base, self.user, self.language, extension=template_base_ext) object_id = kwargs.get('object_id', None) try: object_id = int(object_id) except Exception: pass try: unicode('codenerix') unicodetest = unicode except NameError: unicodetest = str if isinstance(object_id, str) or isinstance(object_id, unicodetest): context['object_name'] = object_id object_obj = None else: if object_id: obj = context['obj'] object_obj = get_object_or_404(obj, pk=object_id) else: object_obj = None context['object_obj'] = object_obj context.update(self.extra_context) return context
get_context_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n context = super(GenList, self).get_context_data(**kwargs)\n context.update(self.__context)\n context['now'] = epochdate(time.time())\n context['profile'] = self.profile\n context['vtable'] = getattr(self, 'vtable', False)\n context['export_excel'] = getattr(self, 'export_excel', True)\n context['export_name'] = getattr(self, 'export_name', 'list')\n context['ngincludes'] = getattr(self, 'ngincludes', {})\n if 'table' not in context['ngincludes'].keys():\n context['ngincludes']['table'\n ] = '{}codenerix/partials/table.html'.format(settings.STATIC_URL)\n context['linkadd'] = getattr(self, 'linkadd', self.auth_permission(\n 'add') or getattr(self, 'public', False))\n context['linkedit'] = getattr(self, 'linkedit', self.auth_permission(\n 'change') or getattr(self, 'public', False))\n context['show_details'] = getattr(self, 'show_details', False)\n context['show_modal'] = getattr(self, 'show_modal', False)\n context['search_filter_button'] = getattr(self, 'search_filter_button',\n False)\n if not self.json_worker:\n template_base = getattr(self, 'template_base', 'base/base')\n template_base_ext = getattr(self, 'template_base_ext', 'html')\n context['template_base'] = get_template(template_base, self.user,\n self.language, extension=template_base_ext)\n object_id = kwargs.get('object_id', None)\n try:\n object_id = int(object_id)\n except Exception:\n pass\n try:\n unicode('codenerix')\n unicodetest = unicode\n except NameError:\n unicodetest = str\n if isinstance(object_id, str) or isinstance(object_id, unicodetest):\n context['object_name'] = object_id\n object_obj = None\n else:\n if object_id:\n obj = context['obj']\n object_obj = get_object_or_404(obj, pk=object_id)\n else:\n object_obj = None\n context['object_obj'] = object_obj\n context.update(self.extra_context)\n return context\n", "role": "user" }, { "content": "get_context_data", "role": "assistant" } ]
def x(self, context): answer = {} answer['meta'] = self.__jcontext_metadata(context) answer['filter'] = self.__jcontext_filter(context) answer['table'] = {} answer['table']['head'] = self.__jcontext_tablehead(context) answer['table']['body'] = None answer['table']['header'] = None answer['table']['summary'] = None return answer
get_context_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, context):\n answer = {}\n answer['meta'] = self.__jcontext_metadata(context)\n answer['filter'] = self.__jcontext_filter(context)\n answer['table'] = {}\n answer['table']['head'] = self.__jcontext_tablehead(context)\n answer['table']['body'] = None\n answer['table']['header'] = None\n answer['table']['summary'] = None\n return answer\n", "role": "user" }, { "content": "get_context_json", "role": "assistant" } ]
def x(self, jsonquery): if type(jsonquery) != dict: raise IOError( "set_json_context() method can be called only with dictionaries, you gave me a '{}'" .format(type(jsonquery))) self.json = True newget = {} for key in ['search', 'search_filter_button', 'page', 'pages_to_bring', 'rowsperpage', 'filters', 'year', 'month', 'day', 'hour', 'minute', 'second']: if key in jsonquery: newget[key] = jsonquery[key] json_ordering = jsonquery.get('ordering', None) if json_ordering: ordering = [] for key in json_ordering: ordering.append({key: jsonquery['ordering'][key]}) ordering = sorted(ordering, key=lambda x: abs(list(x.values())[0])) newget['ordering'] = [] for orderer in ordering: key = list(orderer.keys())[0] value = orderer[key] if value > 0: value = 'asc' elif value < 0: value = 'desc' else: value = None if value: newget['ordering'].append({key: value}) newget['listid'] = jsonquery.get('listid', None) newget['elementid'] = jsonquery.get('elementid', None) return newget
set_context_json
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, jsonquery):\n if type(jsonquery) != dict:\n raise IOError(\n \"set_json_context() method can be called only with dictionaries, you gave me a '{}'\"\n .format(type(jsonquery)))\n self.json = True\n newget = {}\n for key in ['search', 'search_filter_button', 'page', 'pages_to_bring',\n 'rowsperpage', 'filters', 'year', 'month', 'day', 'hour', 'minute',\n 'second']:\n if key in jsonquery:\n newget[key] = jsonquery[key]\n json_ordering = jsonquery.get('ordering', None)\n if json_ordering:\n ordering = []\n for key in json_ordering:\n ordering.append({key: jsonquery['ordering'][key]})\n ordering = sorted(ordering, key=lambda x: abs(list(x.values())[0]))\n newget['ordering'] = []\n for orderer in ordering:\n key = list(orderer.keys())[0]\n value = orderer[key]\n if value > 0:\n value = 'asc'\n elif value < 0:\n value = 'desc'\n else:\n value = None\n if value:\n newget['ordering'].append({key: value})\n newget['listid'] = jsonquery.get('listid', None)\n newget['elementid'] = jsonquery.get('elementid', None)\n return newget\n", "role": "user" }, { "content": "set_context_json", "role": "assistant" } ]
def x(self, request, **kwargs): self.json_worker = bool(getattr(self.request, 'authtoken', False) ) or self.json is True self.__authtoken = bool(getattr(self.request, 'authtoken', False)) if (request.is_ajax() or self.json_worker) and request.body: request.POST = QueryDict('').copy() body = request.body if type(request.body) == bytes: body = body.decode('utf-8') post = json.loads(body) for key in post: if type(post[key]) == dict and '__JSON_DATA__' in post[key]: post[key] = json.dumps(post[key]['__JSON_DATA__']) request.POST.update(post) self._setup(request) return super(GenModify, self).dispatch(request, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, **kwargs):\n self.json_worker = bool(getattr(self.request, 'authtoken', False)\n ) or self.json is True\n self.__authtoken = bool(getattr(self.request, 'authtoken', False))\n if (request.is_ajax() or self.json_worker) and request.body:\n request.POST = QueryDict('').copy()\n body = request.body\n if type(request.body) == bytes:\n body = body.decode('utf-8')\n post = json.loads(body)\n for key in post:\n if type(post[key]) == dict and '__JSON_DATA__' in post[key]:\n post[key] = json.dumps(post[key]['__JSON_DATA__'])\n request.POST.update(post)\n self._setup(request)\n return super(GenModify, self).dispatch(request, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, form_class=None): formobj = super(GenModify, self).get_form(form_class) selfgroups = getattr(self, 'form_groups', None) if selfgroups: if type(selfgroups) == list: formobj.__groups__ = lambda : selfgroups else: formobj.__groups__ = selfgroups else: selfgroups = getattr(self, '__groups__', None) if selfgroups: formobj.__groups__ = selfgroups return formobj
get_form
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, form_class=None):\n formobj = super(GenModify, self).get_form(form_class)\n selfgroups = getattr(self, 'form_groups', None)\n if selfgroups:\n if type(selfgroups) == list:\n formobj.__groups__ = lambda : selfgroups\n else:\n formobj.__groups__ = selfgroups\n else:\n selfgroups = getattr(self, '__groups__', None)\n if selfgroups:\n formobj.__groups__ = selfgroups\n return formobj\n", "role": "user" }, { "content": "get_form", "role": "assistant" } ]
def x(self, request, **kwargs): if request.method == 'POST': self.__authtoken = bool(getattr(self.request, 'authtoken', False)) self.json_worker = self.__authtoken or self.json is True return super(GenDelete, self).dispatch(request, **kwargs) else: json_answer = json.dumps({'error': True, 'errortxt': _( 'Method not allowed, use POST to delete or DELETE on the detail url' )}) return HttpResponse(json_answer, content_type='application/json')
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, **kwargs):\n if request.method == 'POST':\n self.__authtoken = bool(getattr(self.request, 'authtoken', False))\n self.json_worker = self.__authtoken or self.json is True\n return super(GenDelete, self).dispatch(request, **kwargs)\n else:\n json_answer = json.dumps({'error': True, 'errortxt': _(\n 'Method not allowed, use POST to delete or DELETE on the detail url'\n )})\n return HttpResponse(json_answer, content_type='application/json')\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, request, **kwargs): if bool(self.request.META.get('HTTP_X_REST', False)): self.json = True if self.request.method in ['PUT', 'DELETE']: if self.request.method == 'PUT': action = 'edit' else: action = 'delete' self.request.method == 'POST' target = get_class(resolve('{}/{}'.format(self.request.META.get( 'REQUEST_URI'), action)).func) target.json = True return target.as_view()(self.request, pk=kwargs.get('pk')) self.__authtoken = bool(getattr(self.request, 'authtoken', False)) self.json_worker = self.__authtoken or self.json is True if (request.is_ajax() or self.json_worker) and request.body: request.POST = json.loads(request.body) self._setup(request) return super(GenDetail, self).dispatch(request, **kwargs)
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, **kwargs):\n if bool(self.request.META.get('HTTP_X_REST', False)):\n self.json = True\n if self.request.method in ['PUT', 'DELETE']:\n if self.request.method == 'PUT':\n action = 'edit'\n else:\n action = 'delete'\n self.request.method == 'POST'\n target = get_class(resolve('{}/{}'.format(self.request.META.get(\n 'REQUEST_URI'), action)).func)\n target.json = True\n return target.as_view()(self.request, pk=kwargs.get('pk'))\n self.__authtoken = bool(getattr(self.request, 'authtoken', False))\n self.json_worker = self.__authtoken or self.json is True\n if (request.is_ajax() or self.json_worker) and request.body:\n request.POST = json.loads(request.body)\n self._setup(request)\n return super(GenDetail, self).dispatch(request, **kwargs)\n", "role": "user" }, { "content": "dispatch", "role": "assistant" } ]
def x(self, subgroup=None): result = [] object_content = model_to_dict(self.object) if 'exclude_fields' not in dir(self): self.exclude_fields = [] self.exclude_fields.append('id') for field in self.exclude_fields: if field in object_content.keys(): object_content.pop(field) verbose_names = {} for field in object_content.keys(): verbose_names[field] = self.model._meta.get_field(field).verbose_name gr_object_content = [] if subgroup: group_array = subgroup else: group_array = self.groups for group in group_array: item = {} item['name'] = smart_text(group[0]) item['col'] = group[1] item_elements = group[2:] sublist = [] idx = 0 for item_element in item_elements: if idx > 1 and type(item_element) == tuple: sublist.append(self.get_filled_structure([subgroup])) else: filter_field = None if type(item_element) == list: field = item_element[0] if len(item_element) >= 3 and item_element[2]: verbose_names[field] = _(item_element[2]) if len(item_element) >= 9: filter_field = item_element[8] else: field = item_element if field not in verbose_names: if field.startswith('get_') and field.endswith('_display'): label_field = remove_getdisplay(field) if self.model: try: verbose_names[field ] = self.model._meta.get_field(label_field ).verbose_name except FieldDoesNotExist: verbose_names[field] = _(label_field) else: verbose_names[field] = _(label_field) else: label_field = field verbose_names[field] = _(label_field) args = {} value = None for field_split in field.split('__'): if value is None: try: verbose_names[field] = self.object._meta.get_field( field_split).verbose_name except AttributeError: pass except FieldDoesNotExist: pass value = getattr(self.object, field_split, None) else: try: verbose_names[field] = value._meta.get_field( field_split).verbose_name except AttributeError: pass except FieldDoesNotExist: pass value = getattr(value, field_split, None) if callable(value): related = getattr(value, 'all', None) is not None if related: value = ', '.join([str(x) for x in value.all()]) else: if 'request' in value.__code__.co_varnames: args['request'] = self.request value = value(**args) sublist.append({'name': _(verbose_names[field]), 'value': value, 'filter': filter_field}) gr_object_content.append(field) idx += 1 item['value'] = sublist result.append(item) for field in object_content.keys(): item = {} if field not in gr_object_content: item['name'] = _(verbose_names[field]) item['value'] = getattr(self.object, field) result.append(item) return result
get_filled_structure
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, subgroup=None):\n result = []\n object_content = model_to_dict(self.object)\n if 'exclude_fields' not in dir(self):\n self.exclude_fields = []\n self.exclude_fields.append('id')\n for field in self.exclude_fields:\n if field in object_content.keys():\n object_content.pop(field)\n verbose_names = {}\n for field in object_content.keys():\n verbose_names[field] = self.model._meta.get_field(field).verbose_name\n gr_object_content = []\n if subgroup:\n group_array = subgroup\n else:\n group_array = self.groups\n for group in group_array:\n item = {}\n item['name'] = smart_text(group[0])\n item['col'] = group[1]\n item_elements = group[2:]\n sublist = []\n idx = 0\n for item_element in item_elements:\n if idx > 1 and type(item_element) == tuple:\n sublist.append(self.get_filled_structure([subgroup]))\n else:\n filter_field = None\n if type(item_element) == list:\n field = item_element[0]\n if len(item_element) >= 3 and item_element[2]:\n verbose_names[field] = _(item_element[2])\n if len(item_element) >= 9:\n filter_field = item_element[8]\n else:\n field = item_element\n if field not in verbose_names:\n if field.startswith('get_') and field.endswith('_display'):\n label_field = remove_getdisplay(field)\n if self.model:\n try:\n verbose_names[field\n ] = self.model._meta.get_field(label_field\n ).verbose_name\n except FieldDoesNotExist:\n verbose_names[field] = _(label_field)\n else:\n verbose_names[field] = _(label_field)\n else:\n label_field = field\n verbose_names[field] = _(label_field)\n args = {}\n value = None\n for field_split in field.split('__'):\n if value is None:\n try:\n verbose_names[field] = self.object._meta.get_field(\n field_split).verbose_name\n except AttributeError:\n pass\n except FieldDoesNotExist:\n pass\n value = getattr(self.object, field_split, None)\n else:\n try:\n verbose_names[field] = value._meta.get_field(\n field_split).verbose_name\n except AttributeError:\n pass\n except FieldDoesNotExist:\n pass\n value = getattr(value, field_split, None)\n if callable(value):\n related = getattr(value, 'all', None) is not None\n if related:\n value = ', '.join([str(x) for x in value.all()])\n else:\n if 'request' in value.__code__.co_varnames:\n args['request'] = self.request\n value = value(**args)\n sublist.append({'name': _(verbose_names[field]), 'value':\n value, 'filter': filter_field})\n gr_object_content.append(field)\n idx += 1\n item['value'] = sublist\n result.append(item)\n for field in object_content.keys():\n item = {}\n if field not in gr_object_content:\n item['name'] = _(verbose_names[field])\n item['value'] = getattr(self.object, field)\n result.append(item)\n return result\n", "role": "user" }, { "content": "get_filled_structure", "role": "assistant" } ]
def x(attrs): key_value_attrs = [] boolean_attrs = [] for attr, value in attrs.items(): if isinstance(value, bool): if value: boolean_attrs.append((attr,)) else: try: value = value.format(**attrs) except KeyError: pass key_value_attrs.append((attr, value)) return format_html_join('', ' {}="{}"', sorted(key_value_attrs) ) + format_html_join('', ' {}', sorted(boolean_attrs))
flatatt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(attrs):\n key_value_attrs = []\n boolean_attrs = []\n for attr, value in attrs.items():\n if isinstance(value, bool):\n if value:\n boolean_attrs.append((attr,))\n else:\n try:\n value = value.format(**attrs)\n except KeyError:\n pass\n key_value_attrs.append((attr, value))\n return format_html_join('', ' {}=\"{}\"', sorted(key_value_attrs)\n ) + format_html_join('', ' {}', sorted(boolean_attrs))\n", "role": "user" }, { "content": "flatatt", "role": "assistant" } ]
def x(self, tau): y = self._compute_y(tau) return y ** -self.params[1]
compute_k
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, tau):\n y = self._compute_y(tau)\n return y ** -self.params[1]\n", "role": "user" }, { "content": "compute_k", "role": "assistant" } ]
def x(self, y, n): p = fixed_poch(1.0 - self.params[1] - n, n) return p * y ** (-self.params[1] - n)
compute_dk_dy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, y, n):\n p = fixed_poch(1.0 - self.params[1] - n, n)\n return p * y ** (-self.params[1] - n)\n", "role": "user" }, { "content": "compute_dk_dy", "role": "assistant" } ]
def x(self, directory): assert settings.PAGE_DIR.startswith('/') assert settings.PAGE_DIR.endswith('/') parents = directory[len(settings.PAGE_DIR):] page = None if parents: for slug in parents.split('/'): page = Page.objects.get(parent=page, slug=slug) return page
get_parent
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, directory):\n assert settings.PAGE_DIR.startswith('/')\n assert settings.PAGE_DIR.endswith('/')\n parents = directory[len(settings.PAGE_DIR):]\n page = None\n if parents:\n for slug in parents.split('/'):\n page = Page.objects.get(parent=page, slug=slug)\n return page\n", "role": "user" }, { "content": "get_parent", "role": "assistant" } ]
def x(context, sso_method): request = context.request url = reverse(getattr(views, '%s_login' % sso_method)) if 'next' in request.GET: url += '?' + urlencode({'next': request.GET['next']}) return url
wafer_sso_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(context, sso_method):\n request = context.request\n url = reverse(getattr(views, '%s_login' % sso_method))\n if 'next' in request.GET:\n url += '?' + urlencode({'next': request.GET['next']})\n return url\n", "role": "user" }, { "content": "wafer_sso_url", "role": "assistant" } ]
def x(args): oauth2_instance = oauth2.build_oauth2(args.app, args) oauth2_instance.build_authorizer() logging.info('Application "%s" authorized!', args.app)
authorize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args):\n oauth2_instance = oauth2.build_oauth2(args.app, args)\n oauth2_instance.build_authorizer()\n logging.info('Application \"%s\" authorized!', args.app)\n", "role": "user" }, { "content": "authorize", "role": "assistant" } ]
def x(X, l1, l2, lw, x0): if isinstance(X, scipy.ndarray): if isinstance(X, scipy.matrix): X = scipy.asarray(X, dtype=float) return 0.5 * (l1 + l2 - (l1 - l2) * scipy.tanh((X - x0) / lw)) else: return 0.5 * (l1 + l2 - (l1 - l2) * mpmath.tanh((X - x0) / lw))
tanh_warp_arb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, l1, l2, lw, x0):\n if isinstance(X, scipy.ndarray):\n if isinstance(X, scipy.matrix):\n X = scipy.asarray(X, dtype=float)\n return 0.5 * (l1 + l2 - (l1 - l2) * scipy.tanh((X - x0) / lw))\n else:\n return 0.5 * (l1 + l2 - (l1 - l2) * mpmath.tanh((X - x0) / lw))\n", "role": "user" }, { "content": "tanh_warp_arb", "role": "assistant" } ]
def x(X, l1, l2, lw, x0): if isinstance(X, scipy.ndarray): if isinstance(X, scipy.matrix): X = scipy.asarray(X, dtype=float) return l1 - (l1 - l2) * scipy.exp(-4.0 * scipy.log(2.0) * (X - x0) ** 2.0 / lw ** 2.0) else: return l1 - (l1 - l2) * mpmath.exp(-4.0 * mpmath.log(2.0) * (X - x0 ) ** 2.0 / lw ** 2.0)
gauss_warp_arb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, l1, l2, lw, x0):\n if isinstance(X, scipy.ndarray):\n if isinstance(X, scipy.matrix):\n X = scipy.asarray(X, dtype=float)\n return l1 - (l1 - l2) * scipy.exp(-4.0 * scipy.log(2.0) * (X - x0) **\n 2.0 / lw ** 2.0)\n else:\n return l1 - (l1 - l2) * mpmath.exp(-4.0 * mpmath.log(2.0) * (X - x0\n ) ** 2.0 / lw ** 2.0)\n", "role": "user" }, { "content": "gauss_warp_arb", "role": "assistant" } ]
def x(x, n, l1, l2, lw, x0): if n == 0: return (l1 + l2) / 2.0 - (l1 - l2) / 2.0 * scipy.tanh((x - x0) / lw) elif n == 1: return -(l1 - l2) / (2.0 * lw) * scipy.cosh((x - x0) / lw) ** -2.0 else: raise NotImplementedError( 'Only derivatives up to order 1 are supported!')
tanh_warp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, n, l1, l2, lw, x0):\n if n == 0:\n return (l1 + l2) / 2.0 - (l1 - l2) / 2.0 * scipy.tanh((x - x0) / lw)\n elif n == 1:\n return -(l1 - l2) / (2.0 * lw) * scipy.cosh((x - x0) / lw) ** -2.0\n else:\n raise NotImplementedError(\n 'Only derivatives up to order 1 are supported!')\n", "role": "user" }, { "content": "tanh_warp", "role": "assistant" } ]
def x(x, n, lcore, lmid, ledge, la, lb, xa, xb): a, b, c = scipy.dot([[-0.5, 0, 0.5], [0, 0.5, -0.5], [0.5, 0.5, 0]], [[ lcore], [ledge], [lmid]]) a = a[0] b = b[0] c = c[0] if n == 0: return a * scipy.tanh((x - xa) / la) + b * scipy.tanh((x - xb) / lb ) + c elif n == 1: return a / la * scipy.cosh((x - xa) / la ) ** -2.0 + b / lb * scipy.cosh((x - xb) / lb) ** -2.0 else: raise NotImplementedError( 'Only derivatives up to order 1 are supported!')
double_tanh_warp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, n, lcore, lmid, ledge, la, lb, xa, xb):\n a, b, c = scipy.dot([[-0.5, 0, 0.5], [0, 0.5, -0.5], [0.5, 0.5, 0]], [[\n lcore], [ledge], [lmid]])\n a = a[0]\n b = b[0]\n c = c[0]\n if n == 0:\n return a * scipy.tanh((x - xa) / la) + b * scipy.tanh((x - xb) / lb\n ) + c\n elif n == 1:\n return a / la * scipy.cosh((x - xa) / la\n ) ** -2.0 + b / lb * scipy.cosh((x - xb) / lb) ** -2.0\n else:\n raise NotImplementedError(\n 'Only derivatives up to order 1 are supported!')\n", "role": "user" }, { "content": "double_tanh_warp", "role": "assistant" } ]
def x(x, n, l1, l2, l3, x0, w1, w2, w3): x1 = x0 - w2 / 2.0 - w1 / 2.0 x2 = x0 + w2 / 2.0 + w3 / 2.0 x_shift_1 = (x - x1 + w1 / 2.0) / w1 x_shift_2 = (x - x2 + w3 / 2.0) / w3 if n == 0: return l1 * (x <= x1 - w1 / 2.0) + (-2.0 * (l2 - l1) * (x_shift_1 ** 3 - 3.0 / 2.0 * x_shift_1 ** 2) + l1) * ((x > x1 - w1 / 2.0) & (x < x1 + w1 / 2.0)) + l2 * ((x >= x1 + w1 / 2.0) & (x <= x2 - w3 / 2.0)) + (-2.0 * (l3 - l2) * (x_shift_2 ** 3 - 3.0 / 2.0 * x_shift_2 ** 2) + l2) * ((x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0) ) + l3 * (x >= x2 + w3 / 2.0) elif n == 1: return -2.0 * (l2 - l1) * (3 * x_shift_1 ** 2 - 3.0 * x_shift_1 ) / w1 * ((x > x1 - w1 / 2.0) & (x < x1 + w1 / 2.0)) + -2.0 * (l3 - l2) * (3 * x_shift_2 ** 2 - 3.0 * x_shift_2) / w3 * ((x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0)) else: raise NotImplementedError('Only up to first derivatives are supported!' )
cubic_bucket_warp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, n, l1, l2, l3, x0, w1, w2, w3):\n x1 = x0 - w2 / 2.0 - w1 / 2.0\n x2 = x0 + w2 / 2.0 + w3 / 2.0\n x_shift_1 = (x - x1 + w1 / 2.0) / w1\n x_shift_2 = (x - x2 + w3 / 2.0) / w3\n if n == 0:\n return l1 * (x <= x1 - w1 / 2.0) + (-2.0 * (l2 - l1) * (x_shift_1 **\n 3 - 3.0 / 2.0 * x_shift_1 ** 2) + l1) * ((x > x1 - w1 / 2.0) &\n (x < x1 + w1 / 2.0)) + l2 * ((x >= x1 + w1 / 2.0) & (x <= x2 - \n w3 / 2.0)) + (-2.0 * (l3 - l2) * (x_shift_2 ** 3 - 3.0 / 2.0 * \n x_shift_2 ** 2) + l2) * ((x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0)\n ) + l3 * (x >= x2 + w3 / 2.0)\n elif n == 1:\n return -2.0 * (l2 - l1) * (3 * x_shift_1 ** 2 - 3.0 * x_shift_1\n ) / w1 * ((x > x1 - w1 / 2.0) & (x < x1 + w1 / 2.0)) + -2.0 * (l3 -\n l2) * (3 * x_shift_2 ** 2 - 3.0 * x_shift_2) / w3 * ((x > x2 - \n w3 / 2.0) & (x < x2 + w3 / 2.0))\n else:\n raise NotImplementedError('Only up to first derivatives are supported!'\n )\n", "role": "user" }, { "content": "cubic_bucket_warp", "role": "assistant" } ]
def x(x, n, l1, l2, l3, x0, w1, w2, w3): x1 = x0 - w2 / 2.0 - w1 / 2.0 x2 = x0 + w2 / 2.0 + w3 / 2.0 x_shift_1 = 2.0 * (x - x1) / w1 x_shift_3 = 2.0 * (x - x2) / w3 if n == 0: return l1 * (x <= x1 - w1 / 2.0) + (0.5 * (l2 - l1) * (3.0 / 8.0 * x_shift_1 ** 5 - 5.0 / 4.0 * x_shift_1 ** 3 + 15.0 / 8.0 * x_shift_1) + (l1 + l2) / 2.0) * ((x > x1 - w1 / 2.0) & (x < x1 + w1 / 2.0)) + l2 * ((x >= x1 + w1 / 2.0) & (x <= x2 - w3 / 2.0)) + ( 0.5 * (l3 - l2) * (3.0 / 8.0 * x_shift_3 ** 5 - 5.0 / 4.0 * x_shift_3 ** 3 + 15.0 / 8.0 * x_shift_3) + (l2 + l3) / 2.0) * (( x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0)) + l3 * (x >= x2 + w3 / 2.0) elif n == 1: return 0.5 * (l2 - l1) * (5.0 * 3.0 / 8.0 * x_shift_1 ** 4 - 3.0 * 5.0 / 4.0 * x_shift_1 ** 2 + 15.0 / 8.0) / w1 * ((x > x1 - w1 / 2.0) & (x < x1 + w1 / 2.0)) + 0.5 * (l3 - l2) * (5.0 * 3.0 / 8.0 * x_shift_3 ** 4 - 3.0 * 5.0 / 4.0 * x_shift_3 ** 2 + 15.0 / 8.0) / w3 * ((x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0)) else: raise NotImplementedError('Only up to first derivatives are supported!' )
quintic_bucket_warp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(x, n, l1, l2, l3, x0, w1, w2, w3):\n x1 = x0 - w2 / 2.0 - w1 / 2.0\n x2 = x0 + w2 / 2.0 + w3 / 2.0\n x_shift_1 = 2.0 * (x - x1) / w1\n x_shift_3 = 2.0 * (x - x2) / w3\n if n == 0:\n return l1 * (x <= x1 - w1 / 2.0) + (0.5 * (l2 - l1) * (3.0 / 8.0 * \n x_shift_1 ** 5 - 5.0 / 4.0 * x_shift_1 ** 3 + 15.0 / 8.0 *\n x_shift_1) + (l1 + l2) / 2.0) * ((x > x1 - w1 / 2.0) & (x < x1 +\n w1 / 2.0)) + l2 * ((x >= x1 + w1 / 2.0) & (x <= x2 - w3 / 2.0)) + (\n 0.5 * (l3 - l2) * (3.0 / 8.0 * x_shift_3 ** 5 - 5.0 / 4.0 * \n x_shift_3 ** 3 + 15.0 / 8.0 * x_shift_3) + (l2 + l3) / 2.0) * ((\n x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0)) + l3 * (x >= x2 + w3 /\n 2.0)\n elif n == 1:\n return 0.5 * (l2 - l1) * (5.0 * 3.0 / 8.0 * x_shift_1 ** 4 - 3.0 * \n 5.0 / 4.0 * x_shift_1 ** 2 + 15.0 / 8.0) / w1 * ((x > x1 - w1 /\n 2.0) & (x < x1 + w1 / 2.0)) + 0.5 * (l3 - l2) * (5.0 * 3.0 / \n 8.0 * x_shift_3 ** 4 - 3.0 * 5.0 / 4.0 * x_shift_3 ** 2 + 15.0 /\n 8.0) / w3 * ((x > x2 - w3 / 2.0) & (x < x2 + w3 / 2.0))\n else:\n raise NotImplementedError('Only up to first derivatives are supported!'\n )\n", "role": "user" }, { "content": "quintic_bucket_warp", "role": "assistant" } ]
def x(X, n, l0, *msb): X = scipy.asarray(X, dtype=float) msb = scipy.asarray(msb, dtype=float) mm = msb[:len(msb) / 3] ss = msb[len(msb) / 3:2 * len(msb) / 3] bb = msb[2 * len(msb) / 3:] if n == 0: l = scipy.zeros_like(X) for m, s, b in zip(mm, ss, bb): l += b * scipy.exp(-(X - m) ** 2.0 / (2.0 * s ** 2.0)) l = l0 * scipy.exp(l) return l elif n == 1: l1 = scipy.zeros_like(X) l2 = scipy.zeros_like(X) for m, s, b in zip(mm, ss, bb): term = b * scipy.exp(-(X - m) ** 2.0 / (2.0 * s ** 2.0)) l1 += term l2 += term * (X - m) / s ** 2.0 l = -l0 * scipy.exp(l1) * l2 return l else: raise NotImplementedError('Only n <= 1 is supported!')
exp_gauss_warp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(X, n, l0, *msb):\n X = scipy.asarray(X, dtype=float)\n msb = scipy.asarray(msb, dtype=float)\n mm = msb[:len(msb) / 3]\n ss = msb[len(msb) / 3:2 * len(msb) / 3]\n bb = msb[2 * len(msb) / 3:]\n if n == 0:\n l = scipy.zeros_like(X)\n for m, s, b in zip(mm, ss, bb):\n l += b * scipy.exp(-(X - m) ** 2.0 / (2.0 * s ** 2.0))\n l = l0 * scipy.exp(l)\n return l\n elif n == 1:\n l1 = scipy.zeros_like(X)\n l2 = scipy.zeros_like(X)\n for m, s, b in zip(mm, ss, bb):\n term = b * scipy.exp(-(X - m) ** 2.0 / (2.0 * s ** 2.0))\n l1 += term\n l2 += term * (X - m) / s ** 2.0\n l = -l0 * scipy.exp(l1) * l2\n return l\n else:\n raise NotImplementedError('Only n <= 1 is supported!')\n", "role": "user" }, { "content": "exp_gauss_warp", "role": "assistant" } ]
def x(self): errors = [] if self.required: for key, msg in self.error_messages.items(): if key == 'required': errors.append(('$error.required', msg)) return errors
get_multiple_choices_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n errors = []\n if self.required:\n for key, msg in self.error_messages.items():\n if key == 'required':\n errors.append(('$error.required', msg))\n return errors\n", "role": "user" }, { "content": "get_multiple_choices_required", "role": "assistant" } ]
def x(user, desired_username, name, email, profile_fields=None): if not user: if not settings.REGISTRATION_OPEN: raise SSOError('Account registration is closed') user = _create_desired_user(desired_username) _configure_user(user, name, email, profile_fields) if not user.is_active: raise SSOError('Account disabled') user.backend = settings.AUTHENTICATION_BACKENDS[0] return user
sso
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(user, desired_username, name, email, profile_fields=None):\n if not user:\n if not settings.REGISTRATION_OPEN:\n raise SSOError('Account registration is closed')\n user = _create_desired_user(desired_username)\n _configure_user(user, name, email, profile_fields)\n if not user.is_active:\n raise SSOError('Account disabled')\n user.backend = settings.AUTHENTICATION_BACKENDS[0]\n return user\n", "role": "user" }, { "content": "sso", "role": "assistant" } ]
def x(gp, bounds, num_pts, num_proc=None): if num_proc is None: num_proc = multiprocessing.cpu_count() present_free_params = gp.free_params bounds = scipy.atleast_2d(scipy.asarray(bounds, dtype=float)) if bounds.shape[1] != 2: raise ValueError('Argument bounds must have shape (n, 2)!') if bounds.shape[0] == 1: bounds = scipy.tile(bounds, (len(present_free_params), 1)) try: iter(num_pts) except TypeError: num_pts = num_pts * scipy.ones(bounds.shape[0], dtype=int) else: num_pts = scipy.asarray(num_pts, dtype=int) if len(num_pts) != len(present_free_params): raise ValueError( 'Length of num_pts must match the number of free parameters of kernel!' ) param_vals = [] for k in xrange(0, len(present_free_params)): param_vals.append(scipy.linspace(bounds[k, 0], bounds[k, 1], num_pts[k])) pv_cases = list() gp_cases = list() num_pts_cases = list() for k in xrange(0, len(param_vals[0])): specific_param_vals = list(param_vals) specific_param_vals[0] = param_vals[0][k] pv_cases.append(specific_param_vals) gp_cases += [copy.deepcopy(gp)] num_pts_cases.append(num_pts) pool = multiprocessing.Pool(processes=num_proc) try: vals = scipy.asarray(pool.map(_compute_ll_matrix_wrapper, zip( gp_cases, pv_cases, num_pts_cases))) finally: pool.close() return vals, param_vals
parallel_compute_ll_matrix
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(gp, bounds, num_pts, num_proc=None):\n if num_proc is None:\n num_proc = multiprocessing.cpu_count()\n present_free_params = gp.free_params\n bounds = scipy.atleast_2d(scipy.asarray(bounds, dtype=float))\n if bounds.shape[1] != 2:\n raise ValueError('Argument bounds must have shape (n, 2)!')\n if bounds.shape[0] == 1:\n bounds = scipy.tile(bounds, (len(present_free_params), 1))\n try:\n iter(num_pts)\n except TypeError:\n num_pts = num_pts * scipy.ones(bounds.shape[0], dtype=int)\n else:\n num_pts = scipy.asarray(num_pts, dtype=int)\n if len(num_pts) != len(present_free_params):\n raise ValueError(\n 'Length of num_pts must match the number of free parameters of kernel!'\n )\n param_vals = []\n for k in xrange(0, len(present_free_params)):\n param_vals.append(scipy.linspace(bounds[k, 0], bounds[k, 1],\n num_pts[k]))\n pv_cases = list()\n gp_cases = list()\n num_pts_cases = list()\n for k in xrange(0, len(param_vals[0])):\n specific_param_vals = list(param_vals)\n specific_param_vals[0] = param_vals[0][k]\n pv_cases.append(specific_param_vals)\n gp_cases += [copy.deepcopy(gp)]\n num_pts_cases.append(num_pts)\n pool = multiprocessing.Pool(processes=num_proc)\n try:\n vals = scipy.asarray(pool.map(_compute_ll_matrix_wrapper, zip(\n gp_cases, pv_cases, num_pts_cases)))\n finally:\n pool.close()\n return vals, param_vals\n", "role": "user" }, { "content": "parallel_compute_ll_matrix", "role": "assistant" } ]
def x(*args, **kwargs): names = kwargs.get('names', None) n = kwargs.get('n', 100) num_axes = len(args) - 1 if num_axes < 3: raise GPArgumentError( 'Must pass at least four arguments to slice_plot!') if num_axes != args[0].ndim: raise GPArgumentError( 'Number of dimensions of the first argument must match the number of additional arguments provided!' ) if names is None: names = [str(k) for k in range(2, num_axes)] f = plt.figure() height_ratios = [8] height_ratios += (num_axes - 2) * [1] gs = mplgs.GridSpec(num_axes - 2 + 1, 2, height_ratios=height_ratios, width_ratios=[8, 1]) a_main = f.add_subplot(gs[0, 0]) a_cbar = f.add_subplot(gs[0, 1]) a_sliders = [] for idx in xrange(0, num_axes - 2): a_sliders.append(f.add_subplot(gs[idx + 1, :])) title = f.suptitle('') def x(val): a_main.clear() a_cbar.clear() idxs = [int(slider.val) for slider in sliders] vals = [args[k + 3][idxs[k]] for k in range(0, num_axes - 2)] descriptions = tuple(itertools.chain.from_iterable(itertools.izip( names[2:], vals))) fmt = 'Slice' + (num_axes - 2) * ', %s: %f' title.set_text(fmt % descriptions) a_main.set_xlabel(names[1]) a_main.set_ylabel(names[0]) cs = a_main.contour(args[2], args[1], args[0][scipy.s_[:, :] + tuple(idxs)].squeeze(), n, vmin=args[0].min(), vmax=args[1].max()) cbar = f.colorbar(cs, cax=a_cbar) cbar.set_label('LL') f.canvas.draw() idxs_0 = (num_axes - 2) * [0] sliders = [] for idx in xrange(0, num_axes - 2): sliders.append(mplw.Slider(a_sliders[idx], '%s index' % names[idx + 2], 0, len(args[idx + 3]) - 1, valinit=idxs_0[idx], valfmt='%d')) sliders[-1].on_changed(update) update(idxs_0) f.canvas.mpl_connect('key_press_event', lambda evt: arrow_respond( sliders[0], evt)) return f
slice_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args, **kwargs):\n names = kwargs.get('names', None)\n n = kwargs.get('n', 100)\n num_axes = len(args) - 1\n if num_axes < 3:\n raise GPArgumentError(\n 'Must pass at least four arguments to slice_plot!')\n if num_axes != args[0].ndim:\n raise GPArgumentError(\n 'Number of dimensions of the first argument must match the number of additional arguments provided!'\n )\n if names is None:\n names = [str(k) for k in range(2, num_axes)]\n f = plt.figure()\n height_ratios = [8]\n height_ratios += (num_axes - 2) * [1]\n gs = mplgs.GridSpec(num_axes - 2 + 1, 2, height_ratios=height_ratios,\n width_ratios=[8, 1])\n a_main = f.add_subplot(gs[0, 0])\n a_cbar = f.add_subplot(gs[0, 1])\n a_sliders = []\n for idx in xrange(0, num_axes - 2):\n a_sliders.append(f.add_subplot(gs[idx + 1, :]))\n title = f.suptitle('')\n\n def x(val):\n a_main.clear()\n a_cbar.clear()\n idxs = [int(slider.val) for slider in sliders]\n vals = [args[k + 3][idxs[k]] for k in range(0, num_axes - 2)]\n descriptions = tuple(itertools.chain.from_iterable(itertools.izip(\n names[2:], vals)))\n fmt = 'Slice' + (num_axes - 2) * ', %s: %f'\n title.set_text(fmt % descriptions)\n a_main.set_xlabel(names[1])\n a_main.set_ylabel(names[0])\n cs = a_main.contour(args[2], args[1], args[0][scipy.s_[:, :] +\n tuple(idxs)].squeeze(), n, vmin=args[0].min(), vmax=args[1].max())\n cbar = f.colorbar(cs, cax=a_cbar)\n cbar.set_label('LL')\n f.canvas.draw()\n idxs_0 = (num_axes - 2) * [0]\n sliders = []\n for idx in xrange(0, num_axes - 2):\n sliders.append(mplw.Slider(a_sliders[idx], '%s index' % names[idx +\n 2], 0, len(args[idx + 3]) - 1, valinit=idxs_0[idx], valfmt='%d'))\n sliders[-1].on_changed(update)\n update(idxs_0)\n f.canvas.mpl_connect('key_press_event', lambda evt: arrow_respond(\n sliders[0], evt))\n return f\n", "role": "user" }, { "content": "slice_plot", "role": "assistant" } ]
def x(slider, event): if event.key == 'right': slider.set_val(min(slider.val + 1, slider.valmax)) elif event.key == 'left': slider.set_val(max(slider.val - 1, slider.valmin))
arrow_respond
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(slider, event):\n if event.key == 'right':\n slider.set_val(min(slider.val + 1, slider.valmax))\n elif event.key == 'left':\n slider.set_val(max(slider.val - 1, slider.valmin))\n", "role": "user" }, { "content": "arrow_respond", "role": "assistant" } ]
def x(self, amount, credit_account, description, debit_memo='', credit_memo ='', datetime=None): assert amount >= 0 return self.post(amount, credit_account, description, self_memo= debit_memo, other_memo=credit_memo, datetime=datetime)
debit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount, credit_account, description, debit_memo='', credit_memo\n ='', datetime=None):\n assert amount >= 0\n return self.post(amount, credit_account, description, self_memo=\n debit_memo, other_memo=credit_memo, datetime=datetime)\n", "role": "user" }, { "content": "debit", "role": "assistant" } ]
def x(self, amount, debit_account, description, debit_memo='', credit_memo= '', datetime=None): assert amount >= 0 return self.post(-amount, debit_account, description, self_memo= credit_memo, other_memo=debit_memo, datetime=datetime)
credit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount, debit_account, description, debit_memo='', credit_memo=\n '', datetime=None):\n assert amount >= 0\n return self.post(-amount, debit_account, description, self_memo=\n credit_memo, other_memo=debit_memo, datetime=datetime)\n", "role": "user" }, { "content": "credit", "role": "assistant" } ]
def x(self, amount, other_account, description, self_memo='', other_memo='', datetime=None): tx = self._new_transaction() if datetime: tx.t_stamp = datetime tx.description = description tx.save() a1 = self._make_ae(self._DEBIT_IN_DB() * amount, self_memo, tx) a1.save() a2 = other_account._make_ae(-self._DEBIT_IN_DB() * amount, other_memo, tx) a2.save() return a1, a2
post
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, amount, other_account, description, self_memo='', other_memo='',\n datetime=None):\n tx = self._new_transaction()\n if datetime:\n tx.t_stamp = datetime\n tx.description = description\n tx.save()\n a1 = self._make_ae(self._DEBIT_IN_DB() * amount, self_memo, tx)\n a1.save()\n a2 = other_account._make_ae(-self._DEBIT_IN_DB() * amount, other_memo, tx)\n a2.save()\n return a1, a2\n", "role": "user" }, { "content": "post", "role": "assistant" } ]
def x(self, date=None): qs = self._entries() if date: qs = qs.filter(transaction__t_stamp__lt=date) r = qs.aggregate(b=Sum('amount')) b = r['b'] flip = self._DEBIT_IN_DB() if self._positive_credit(): flip *= -1 if b is None: b = Decimal('0.00') b *= flip return b
balance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date=None):\n qs = self._entries()\n if date:\n qs = qs.filter(transaction__t_stamp__lt=date)\n r = qs.aggregate(b=Sum('amount'))\n b = r['b']\n flip = self._DEBIT_IN_DB()\n if self._positive_credit():\n flip *= -1\n if b is None:\n b = Decimal('0.00')\n b *= flip\n return b\n", "role": "user" }, { "content": "balance", "role": "assistant" } ]