source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(query, field_map={}): f = None for group in query.get('groups', []): group_f = MatchAll() for condition in group.get('conditions', []): field_name = condition['field'] field_name = field_map.get(field_name, field_name) operation = condition['type'] values = condition['values'] if values: values = [v['value'] for v in values] if operation == 'all': for value in values: if '.' in field_name: path = field_name.split('.')[0] group_f &= Nested(path=path, filter=Term(**{ field_name: value})) else: group_f &= Term(**{field_name: value}) elif operation == 'any': if '.' in field_name: path = field_name.split('.')[0] group_f &= Nested(path=path, filter=Terms(**{ field_name: values})) else: group_f &= Terms(**{field_name: values}) elif operation == 'none': if '.' in field_name: path = field_name.split('.')[0] group_f &= ~Nested(path=path, filter=Terms(**{ field_name: values})) else: group_f &= ~Terms(**{field_name: values}) date_range = group.get('time') if date_range: group_f &= date_range_filter(date_range) if f: f |= group_f else: f = group_f return f
groups_filter_from_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(query, field_map={}):\n f = None\n for group in query.get('groups', []):\n group_f = MatchAll()\n for condition in group.get('conditions', ...
def x(range_name): filter_days = list(filter(lambda time: time['label'] == range_name, settings.CUSTOM_SEARCH_TIME_PERIODS)) num_days = filter_days[0]['days'] if len(filter_days) else None if num_days: dt = timedelta(num_days) start_time = timezone.now() - dt return Range(published={'gte': start_time}) return MatchAll()
date_range_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(range_name):\n filter_days = list(filter(lambda time: time['label'] == range_name,\n settings.CUSTOM_SEARCH_TIME_PERIODS))\n num_days = filter_day...
def x(self, action, data={}, headers={}, method='GET'): headers = {'Authorization': 'Bearer ' + self.token, 'Content-Type': 'application/json', 'X-Version': '1', 'Accept': 'application/json'} return Transport.request(self, action, data, headers, method)
request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, action, data={}, headers={}, method='GET'):\n headers = {'Authorization': 'Bearer ' + self.token, 'Content-Type':\n 'application/json', 'X-Vers...
def x(self, to, message, extra={}): to = to if isinstance(to, list) else [to] to = [str(num) for num in to] data = {'to': to, 'text': message} data = self.merge(data, {'callback': 7, 'mo': 1}, extra) content = self.parseRest(self.request('rest/message', data, {}, 'POST')) result = [] for entry in content['message']: entry = self.merge({'apiMessageId': False, 'to': data['to'][0], 'error': False, 'errorCode': False}, entry) result.append({'id': entry['apiMessageId'].encode('utf-8'), 'destination': entry['to'].encode('utf-8'), 'error': entry[ 'error']['description'].encode('utf-8') if entry['error'] != False else False, 'errorCode': entry['error']['code'].encode( 'utf-8') if entry['error'] != False else False}) return result
sendMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, to, message, extra={}):\n to = to if isinstance(to, list) else [to]\n to = [str(num) for num in to]\n data = {'to': to, 'text': message}\n da...
def x(self, apiMsgId): content = self.parseRest(self.request('rest/message/' + apiMsgId, {}, { }, 'DELETE')) return {'id': content['apiMessageId'].encode('utf-8'), 'status': content['messageStatus'].encode('utf-8'), 'description': self. getStatus(content['messageStatus'])}
stopMessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiMsgId):\n content = self.parseRest(self.request('rest/message/' + apiMsgId, {}, {\n }, 'DELETE'))\n return {'id': content['apiMessageId']...
def x(self, apiMsgId): content = self.parseRest(self.request('rest/message/' + apiMsgId)) return {'id': apiMsgId, 'status': content['messageStatus'].encode( 'utf-8'), 'description': self.getStatus(content['messageStatus']), 'charge': float(content['charge'])}
getMessageCharge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, apiMsgId):\n content = self.parseRest(self.request('rest/message/' + apiMsgId))\n return {'id': apiMsgId, 'status': content['messageStatus'].encode...
def x(self, msisdn): content = self.parseRest(self.request('rest/coverage/' + str(msisdn))) return {'routable': content['routable'], 'destination': content[ 'destination'].encode('utf-8'), 'charge': float(content[ 'minimumCharge'])}
routeCoverage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, msisdn):\n content = self.parseRest(self.request('rest/coverage/' + str(msisdn)))\n return {'routable': content['routable'], 'destination': content...
def x(self, user_id, account_id, role=None, role_id=None, send_confirmation =None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """The id of the user to promote.""" data['user_id'] = user_id """(deprecated) The user's admin relationship with the account will be created with the given role. Defaults to 'AccountAdmin'.""" if role is not None: data['role'] = role """The user's admin relationship with the account will be created with the given role. Defaults to the built-in role for 'AccountAdmin'.""" if role_id is not None: data['role_id'] = role_id """Send a notification email to the new admin if true. Default is true.""" if send_confirmation is not None: data['send_confirmation'] = send_confirmation self.logger.debug( 'POST /api/v1/accounts/{account_id}/admins with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/accounts/{account_id}/admins'.format(**path), data=data, params=params, single_item=True)
make_account_admin
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, account_id, role=None, role_id=None, send_confirmation\n =None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path...
def x(self, account_id, user_id=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """Scope the results to those with user IDs equal to any of the IDs specified here.""" if user_id is not None: params['user_id'] = user_id self.logger.debug( 'GET /api/v1/accounts/{account_id}/admins with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/admins'.format(**path), data=data, params=params, all_pages=True)
list_account_admins
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, user_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"Scope the r...
def x(hex_code): if len(hex_code) != 6: raise ValueError(hex_code + ' is not a string of length 6, cannot convert to rgb.') return tuple(map(ord, hex_code.decode('hex')))
hex_to_rgb
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(hex_code):\n if len(hex_code) != 6:\n raise ValueError(hex_code +\n ' is not a string of length 6, cannot convert to rgb.')\n return tu...
def x(self, system, f_or_filename): if hasattr(f_or_filename, 'read'): colors = (row for row in csv.reader(f_or_filename) if row) else: with open(f_or_filename, 'rb') as f: colors = [row for row in csv.reader(f) if row] self.add_colors(system, colors)
add_colors_from_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, system, f_or_filename):\n if hasattr(f_or_filename, 'read'):\n colors = (row for row in csv.reader(f_or_filename) if row)\n else:\n w...
def x(self, system, colors): if system not in self._colors_by_system_hex: self._colors_by_system_hex[system] = {} self._colors_by_system_lab[system] = [] for color_name, hex_code in colors: hex_code = hex_code.lower().strip().strip('#') color_name = color_name.lower().strip() if not isinstance(color_name, unicode): color_name = unicode(color_name, 'utf-8') self._colors_by_system_hex[system][hex_code] = color_name self._colors_by_system_lab[system].append((_hex_to_lab(hex_code), color_name)) self._hex_by_color[_normalize(color_name)] = hex_code
add_colors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, system, colors):\n if system not in self._colors_by_system_hex:\n self._colors_by_system_hex[system] = {}\n self._colors_by_system_lab[s...
def x(self, in_string, fuzzy=False): in_string = _normalize(in_string) if in_string in self._hex_by_color: return MatchResult(self._hex_by_color[in_string], 100) if not fuzzy: raise ValueError('No match for %r found.' % in_string) color_names = self._hex_by_color.keys() set_match = dict(fuzzywuzzy.process.extract(in_string, color_names, scorer=fuzzywuzzy.fuzz.token_set_ratio)) standard_match = dict(fuzzywuzzy.process.extract(in_string, color_names)) key_union = set(set_match) | set(standard_match) counter = ((n, set_match.get(n, 0) + standard_match.get(n, 0)) for n in key_union) color_name, score = sorted(counter, key=operator.itemgetter(1))[-1] return MatchResult(self._hex_by_color[color_name], score / 2)
match_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, in_string, fuzzy=False):\n in_string = _normalize(in_string)\n if in_string in self._hex_by_color:\n return MatchResult(self._hex_by_color[i...
def x(self, hex_code, system, filter_set=None): if system not in self._colors_by_system_hex: raise ValueError( '%r is not a registered color system. Try one of %r' % (system, self._colors_by_system_hex.keys())) hex_code = hex_code.lower().strip() if hex_code in self._colors_by_system_hex[system]: color_name = self._colors_by_system_hex[system][hex_code] if filter_set is None or color_name in filter_set: return FindResult(color_name, 0) colors = self._colors_by_system_lab[system] if filter_set is not None: colors = (pair for pair in colors if pair[1] in set(filter_set)) lab_color = _hex_to_lab(hex_code) min_distance = sys.float_info.max min_color_name = None for current_lab_color, current_color_name in colors: distance = colormath.color_diff.delta_e_cie2000(lab_color, current_lab_color) if distance < min_distance: min_distance = distance min_color_name = current_color_name return FindResult(min_color_name, min_distance)
find_nearest
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, hex_code, system, filter_set=None):\n if system not in self._colors_by_system_hex:\n raise ValueError(\n '%r is not a registered col...
def x(value_key='sanity.'): value_key = value_key + 'value' @implementer(IAuthSourceService) class SessionAuthSource(object): vary = [] def x(self, context, request): self.request = request self.session = request.session self.cur_val = None def x(self): if self.cur_val is None: self.cur_val = self.session.get(value_key, [None, None]) return self.cur_val def x(self, value): if self.cur_val is None: self.cur_val = self.session.get(value_key, [None, None]) self.session[value_key] = value return [] def x(self): if self.cur_val is None: self.cur_val = self.session.get(value_key, [None, None]) if value_key in self.session: del self.session[value_key] return [] return SessionAuthSource
SessionAuthSourceInitializer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value_key='sanity.'):\n value_key = value_key + 'value'\n\n\n @implementer(IAuthSourceService)\n class SessionAuthSource(object):\n vary = []\n...
def x(secret, cookie_name='auth', secure=False, max_age=None, httponly= False, path='/', domains=None, debug=False, hashalg='sha512'): @implementer(IAuthSourceService) class CookieAuthSource(object): vary = ['Cookie'] def x(self, context, request): self.domains = domains if self.domains is None: self.domains = [] self.domains.append(request.domain) self.cookie = SignedCookieProfile(secret, 'authsanity', cookie_name, secure=secure, max_age=max_age, httponly= httponly, path=path, domains=domains, hashalg=hashalg) self.cookie = self.cookie.bind(request) def x(self): val = self.cookie.get_value() if val is None: return [None, None] return val def x(self, value): return self.cookie.get_headers(value, domains=self.domains) def x(self): return self.cookie.get_headers(None, max_age=0) return CookieAuthSource
CookieAuthSourceInitializer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(secret, cookie_name='auth', secure=False, max_age=None, httponly=\n False, path='/', domains=None, debug=False, hashalg='sha512'):\n\n\n @implementer(IAu...
def x(secret, salt='sanity.header.'): @implementer(IAuthSourceService) class HeaderAuthSource(object): vary = ['Authorization'] def x(self, context, request): self.request = request self.cur_val = None serializer = JSONSerializer() self.serializer = SignedSerializer(secret, salt, serializer= serializer) def x(self): try: type, token = self.request.authorization return self.serializer.loads(token) except Exception: return None def x(self, value): try: return self.serializer.dumps(value) except Exception: return '' def x(self): if self.cur_val is None: self.cur_val = self._get_authorization() or [None, None] return self.cur_val def x(self, value): if self.cur_val is None: self.cur_val = None token = self._create_authorization(value) auth_info = native_(b'Bearer ' + token, 'latin-1', 'strict') return [('Authorization', auth_info)] def x(self): if self.cur_val is None: self.cur_val = None return [] return HeaderAuthSource
HeaderAuthSourceInitializer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(secret, salt='sanity.header.'):\n\n\n @implementer(IAuthSourceService)\n class HeaderAuthSource(object):\n vary = ['Authorization']\n\n def...
def x(self, collection, ops, resource=None, **kwargs): mfield = self.mfield or resource.meta.model._meta.fields.get(self.field .attribute) if mfield: collection = collection.where(*[op(mfield, val) for op, val in ops]) return collection
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, collection, ops, resource=None, **kwargs):\n mfield = self.mfield or resource.meta.model._meta.fields.get(self.field\n .attribute)\n if mfie...
def x(self, request, **kwargs): resource = request.match_info.get(self.name) if not resource: return None try: return self.collection.where(self.meta.model_pk == resource).get() except Exception: raise RESTNotFound(reason='Resource not found.')
get_one
[ { "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 resource = request.match_info.get(self.name)\n if not resource:\n return None\n try:\n return self.collectio...
def x(self, *sorting, **kwargs): sorting_ = [] for name, desc in sorting: field = self.meta.model._meta.fields.get(name) if field is None: continue if desc: field = field.desc() sorting_.append(field) if sorting_: return self.collection.order_by(*sorting_) return self.collection
sort
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *sorting, **kwargs):\n sorting_ = []\n for name, desc in sorting:\n field = self.meta.model._meta.fields.get(name)\n if field is None...
def x(self, request, offset=0, limit=None): return self.collection.offset(offset).limit(limit), self.collection.count()
paginate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, offset=0, limit=None):\n return self.collection.offset(offset).limit(limit), self.collection.count()\n", "role": "user" }, { "con...
def x(self, request, resource=None, **kwargs): resources = resource if isinstance(resource, list) else [resource] for obj in resources: obj.save() return resource
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request, resource=None, **kwargs):\n resources = resource if isinstance(resource, list) else [resource]\n for obj in resources:\n obj.save()...
async def delete(self, request, resource=None, **kwargs): """Delete a resource. Supports batch delete. """ if resource: resources = [resource] else: data = await self.parse(request) if data: resources = list(self.collection.where(self.meta.model_pk << data)) if not resources: raise RESTNotFound(reason='Resource not found') for resource in resources: resource.delete_instance()
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def delete(self, request, resource=None, **kwargs):\n \"\"\"Delete a resource.\n\n Supports batch delete.\n \"\"\"\n if resource:\n ...
def x(self, account_id, recursive=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """If true, the entire account tree underneath this account will be returned (though still paginated). If false, only direct sub-accounts of this account will be returned. Defaults to false.""" if recursive is not None: params['recursive'] = recursive self.logger.debug( 'GET /api/v1/accounts/{account_id}/sub_accounts with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/sub_accounts'.format(**path), data= data, params=params, all_pages=True)
get_sub_accounts_of_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, recursive=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"If true, ...
def x(self, account_id, by_subaccounts=None, by_teachers=None, completed= None, enrollment_term_id=None, enrollment_type=None, hide_enrollmentless_courses=None, include=None, published=None, search_term=None, state=None, with_enrollments=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """If true, include only courses with at least one enrollment. If false, include only courses with no enrollments. If not present, do not filter on course enrollment status.""" if with_enrollments is not None: params['with_enrollments'] = with_enrollments """If set, only return courses that have at least one user enrolled in in the course with one of the specified enrollment types.""" if enrollment_type is not None: self._validate_enum(enrollment_type, ['teacher', 'student', 'ta', 'observer', 'designer']) params['enrollment_type'] = enrollment_type """If true, include only published courses. If false, exclude published courses. If not present, do not filter on published status.""" if published is not None: params['published'] = published """If true, include only completed courses (these may be in state 'completed', or their enrollment term may have ended). If false, exclude completed courses. If not present, do not filter on completed status.""" if completed is not None: params['completed'] = completed """List of User IDs of teachers; if supplied, include only courses taught by one of the referenced users.""" if by_teachers is not None: params['by_teachers'] = by_teachers """List of Account IDs; if supplied, include only courses associated with one of the referenced subaccounts.""" if by_subaccounts is not None: params['by_subaccounts'] = by_subaccounts """If present, only return courses that have at least one enrollment. Equivalent to 'with_enrollments=true'; retained for compatibility.""" if hide_enrollmentless_courses is not None: params['hide_enrollmentless_courses'] = hide_enrollmentless_courses """If set, only return courses that are in the given state(s). By default, all states but "deleted" are returned.""" if state is not None: self._validate_enum(state, ['created', 'claimed', 'available', 'completed', 'deleted', 'all']) params['state'] = state """If set, only includes courses from the specified term.""" if enrollment_term_id is not None: params['enrollment_term_id'] = enrollment_term_id """The partial course name, code, or full ID to match and return in the results list. Must be at least 3 characters.""" if search_term is not None: params['search_term'] = search_term """- All explanations can be seen in the {api:CoursesController#index Course API index documentation} - "sections", "needs_grading_count" and "total_scores" are not valid options at the account level""" if include is not None: self._validate_enum(include, ['syllabus_body', 'term', 'course_progress', 'storage_quota_used_mb', 'total_students', 'teachers']) params['include'] = include self.logger.debug( 'GET /api/v1/accounts/{account_id}/courses with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/courses'.format(**path), data=data, params=params, all_pages=True)
list_active_courses_in_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, by_subaccounts=None, by_teachers=None, completed=\n None, enrollment_term_id=None, enrollment_type=None,\n hide_enrollmentless_courses=...
def x(self, id, account_default_group_storage_quota_mb=None, account_default_storage_quota_mb=None, account_default_time_zone=None, account_default_user_storage_quota_mb=None, account_name=None, account_services=None, account_settings_lock_all_announcements_locked= None, account_settings_lock_all_announcements_value=None, account_settings_restrict_student_future_listing_locked=None, account_settings_restrict_student_future_listing_value=None, account_settings_restrict_student_future_view_locked=None, account_settings_restrict_student_future_view_value=None, account_settings_restrict_student_past_view_locked=None, account_settings_restrict_student_past_view_value=None): path = {} data = {} params = {} """ID""" path['id'] = id """Updates the account name""" if account_name is not None: data['account[name]'] = account_name """The default time zone of the account. Allowed time zones are {http://www.iana.org/time-zones IANA time zones} or friendlier {http://api.rubyonrails.org/classes/ActiveSupport/TimeZone.html Ruby on Rails time zones}.""" if account_default_time_zone is not None: data['account[default_time_zone]'] = account_default_time_zone """The default course storage quota to be used, if not otherwise specified.""" if account_default_storage_quota_mb is not None: data['account[default_storage_quota_mb]' ] = account_default_storage_quota_mb """The default user storage quota to be used, if not otherwise specified.""" if account_default_user_storage_quota_mb is not None: data['account[default_user_storage_quota_mb]' ] = account_default_user_storage_quota_mb """The default group storage quota to be used, if not otherwise specified.""" if account_default_group_storage_quota_mb is not None: data['account[default_group_storage_quota_mb]' ] = account_default_group_storage_quota_mb """Restrict students from viewing courses after end date""" if account_settings_restrict_student_past_view_value is not None: data['account[settings][restrict_student_past_view][value]' ] = account_settings_restrict_student_past_view_value """Lock this setting for sub-accounts and courses""" if account_settings_restrict_student_past_view_locked is not None: data['account[settings][restrict_student_past_view][locked]' ] = account_settings_restrict_student_past_view_locked """Restrict students from viewing courses before start date""" if account_settings_restrict_student_future_view_value is not None: data['account[settings][restrict_student_future_view][value]' ] = account_settings_restrict_student_future_view_value """Lock this setting for sub-accounts and courses""" if account_settings_restrict_student_future_view_locked is not None: data['account[settings][restrict_student_future_view][locked]' ] = account_settings_restrict_student_future_view_locked """Disable comments on announcements""" if account_settings_lock_all_announcements_value is not None: data['account[settings][lock_all_announcements][value]' ] = account_settings_lock_all_announcements_value """Lock this setting for sub-accounts and courses""" if account_settings_lock_all_announcements_locked is not None: data['account[settings][lock_all_announcements][locked]' ] = account_settings_lock_all_announcements_locked """Restrict students from viewing future enrollments in course list""" if account_settings_restrict_student_future_listing_value is not None: data['account[settings][restrict_student_future_listing][value]' ] = account_settings_restrict_student_future_listing_value """Lock this setting for sub-accounts and courses""" if account_settings_restrict_student_future_listing_locked is not None: data['account[settings][restrict_student_future_listing][locked]' ] = account_settings_restrict_student_future_listing_locked """Give this a set of keys and boolean values to enable or disable services matching the keys""" if account_services is not None: data['account[services]'] = account_services self.logger.debug( 'PUT /api/v1/accounts/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/accounts/{id}'.format(** path), data=data, params=params, single_item=True)
update_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, account_default_group_storage_quota_mb=None,\n account_default_storage_quota_mb=None, account_default_time_zone=None,\n account_default_user_st...
def x(self, account_id, account_name, account_default_group_storage_quota_mb=None, account_default_storage_quota_mb=None, account_default_user_storage_quota_mb=None, account_sis_account_id=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """The name of the new sub-account.""" data['account[name]'] = account_name """The account's identifier in the Student Information System.""" if account_sis_account_id is not None: data['account[sis_account_id]'] = account_sis_account_id """The default course storage quota to be used, if not otherwise specified.""" if account_default_storage_quota_mb is not None: data['account[default_storage_quota_mb]' ] = account_default_storage_quota_mb """The default user storage quota to be used, if not otherwise specified.""" if account_default_user_storage_quota_mb is not None: data['account[default_user_storage_quota_mb]' ] = account_default_user_storage_quota_mb """The default group storage quota to be used, if not otherwise specified.""" if account_default_group_storage_quota_mb is not None: data['account[default_group_storage_quota_mb]' ] = account_default_group_storage_quota_mb self.logger.debug( 'POST /api/v1/accounts/{account_id}/sub_accounts with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/accounts/{account_id}/sub_accounts'.format(**path), data= data, params=params, single_item=True)
create_new_sub_account
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, account_name,\n account_default_group_storage_quota_mb=None,\n account_default_storage_quota_mb=None,\n account_default_user_storage...
def x(self, table, where=None): if where: where_key, where_val = where query = "DELETE FROM {0} WHERE {1}='{2}'".format(wrap(table), where_key, where_val) else: query = 'DELETE FROM {0}'.format(wrap(table)) self.execute(query) return True
delete
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, where=None):\n if where:\n where_key, where_val = where\n query = \"DELETE FROM {0} WHERE {1}='{2}'\".format(wrap(table),\n ...
def x(network, setup, filename): NODES_ATTR = {'DEFAULT': {'color': 'black', 'fillcolor': 'white', 'style': 'filled, bold', 'fontname': 'Helvetica', 'fontsize': 18, 'shape': 'ellipse'}, 'STIMULI': {'color': 'olivedrab3', 'fillcolor': 'olivedrab3'}, 'INHIBITOR': {'color': 'orangered', 'fillcolor': 'orangered'}, 'READOUT': {'color': 'lightblue', 'fillcolor': 'lightblue'}, 'INHOUT': {'color': 'orangered', 'fillcolor': 'SkyBlue2', 'style': 'filled, bold, diagonals'}, 'GATE': { 'fillcolor': 'black', 'fixedsize': True, 'width': 0.2, 'height': 0.2, 'label': '.'}} EDGES_ATTR = {'DEFAULT': {'dir': 'forward', 'penwidth': 2.5}, (1): { 'color': 'forestgreen', 'arrowhead': 'normal'}, (-1): {'color': 'red', 'arrowhead': 'tee'}} graph = network.__plot__() for node in graph.nodes(): _type = 'DEFAULT' for attr, value in NODES_ATTR[_type].items(): graph.node[node][attr] = value if 'gate' in graph.node[node]: _type = 'GATE' elif node in setup.stimuli: _type = 'STIMULI' elif node in setup.readouts and node in setup.inhibitors: _type = 'INHOUT' elif node in setup.readouts: _type = 'READOUT' elif node in setup.inhibitors: _type = 'INHIBITOR' if _type != 'DEFAULT': for attr, value in NODES_ATTR[_type].items(): graph.node[node][attr] = value for source, target in graph.edges(): for k in graph.edge[source][target]: for attr, value in EDGES_ATTR['DEFAULT'].items(): graph.edge[source][target][k][attr] = value for attr, value in EDGES_ATTR[graph.edge[source][target][k]['sign'] ].items(): graph.edge[source][target][k][attr] = value if 'weight' in graph.edge[source][target][k]: graph.edge[source][target][k]['penwidth'] = 5 * graph.edge[ source][target][k]['weight'] write_dot(graph, filename)
coloured_network
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(network, setup, filename):\n NODES_ATTR = {'DEFAULT': {'color': 'black', 'fillcolor': 'white',\n 'style': 'filled, bold', 'fontname': 'Helvetica', 'f...
def x(df, filepath=None): df.mse = df.mse.map(lambda f: '%.4f' % f) g = sns.JointGrid(x='mse', y='size', data=df) g.plot_joint(sns.violinplot, scale='count') g.ax_joint.set_yticks(range(df['size'].min(), df['size'].max() + 1)) g.ax_joint.set_yticklabels(range(df['size'].min(), df['size'].max() + 1)) for tick in g.ax_joint.get_xticklabels(): tick.set_rotation(90) g.ax_joint.set_xlabel('MSE') g.ax_joint.set_ylabel('Size') for i, t in enumerate(g.ax_joint.get_xticklabels()): c = df[df['mse'] == t.get_text()].shape[0] g.ax_marg_x.annotate(c, xy=(i, 0.5), va='center', ha='center', size =20, rotation=90) for i, t in enumerate(g.ax_joint.get_yticklabels()): s = int(t.get_text()) c = df[df['size'] == s].shape[0] g.ax_marg_y.annotate(c, xy=(0.5, s), va='center', ha='center', size=20) if filepath: g.savefig(os.path.join(filepath, 'networks-distribution.pdf')) plt.figure() counts = df[['size', 'mse']].reset_index(level=0).groupby(['size', 'mse'], as_index=False).count() cp = counts.pivot('size', 'mse', 'index').sort_index() ax = sns.heatmap(cp, annot=True, fmt='.0f', linewidths=0.5) ax.set_xlabel('MSE') ax.set_ylabel('Size') if filepath: plt.savefig(os.path.join(filepath, 'networks-heatmap.pdf')) return g, ax
networks_distribution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n df.mse = df.mse.map(lambda f: '%.4f' % f)\n g = sns.JointGrid(x='mse', y='size', data=df)\n g.plot_joint(sns.violinplot, scale='...
def x(df, filepath=None): df = df.sort_values('frequency') df['conf'] = df.frequency.map(lambda f: 0 if f < 0.2 else 1 if f < 0.8 else 2) g = sns.factorplot(x='mapping', y='frequency', data=df, aspect=3, hue= 'conf', legend=False) for tick in g.ax.get_xticklabels(): tick.set_rotation(90) g.ax.set_ylim([-0.05, 1.05]) g.ax.set_xlabel('Logical mapping') g.ax.set_ylabel('Frequency') if filepath: g.savefig(os.path.join(filepath, 'mappings-frequency.pdf')) return g
mappings_frequency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n df = df.sort_values('frequency')\n df['conf'] = df.frequency.map(lambda f: 0 if f < 0.2 else 1 if f < 0.8 else\n 2)\n g =...
def x(df, filepath=None): cols = ['networks', 'index'] rcols = ['Logical networks', 'Input-Output behaviors'] sort_cols = ['networks'] if 'mse' in df.columns: cols.append('mse') rcols.append('MSE') sort_cols = ['mse'] + sort_cols df.mse = df.mse.map(lambda f: '%.4f' % f) df = df.sort_values(sort_cols).reset_index(drop=True).reset_index(level=0)[ cols] df.columns = rcols if 'MSE' in df.columns: g = sns.factorplot(x='Input-Output behaviors', y='Logical networks', hue='MSE', data=df, aspect=3, kind='bar', legend_out=False) else: g = sns.factorplot(x='Input-Output behaviors', y='Logical networks', data=df, aspect=3, kind='bar', legend_out=False) g.ax.set_xticks([]) if filepath: g.savefig(os.path.join(filepath, 'behaviors-distribution.pdf')) return g
behaviors_distribution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n cols = ['networks', 'index']\n rcols = ['Logical networks', 'Input-Output behaviors']\n sort_cols = ['networks']\n if 'mse' i...
def x(df, filepath=None): axes = [] bw = matplotlib.colors.ListedColormap(['white', 'black']) cols = df.columns for i, dd in df.groupby('id'): cues = dd.drop([c for c in cols if not c.startswith('TR:')] + ['id' ], axis=1).reset_index(drop=True) cues.columns = [c[3:] for c in cues.columns] plt.figure(figsize=(max((len(cues.columns) - 1) * 0.5, 4), max(len( cues) * 0.6, 2.5))) ax = sns.heatmap(cues, linewidths=0.5, cbar=False, cmap=bw, linecolor='gray') _ = [(t.set_color('r') if t.get_text().endswith('i') else t. set_color('g')) for t in ax.xaxis.get_ticklabels()] ax.set_xlabel('Stimuli (green) and Inhibitors (red)') ax.set_ylabel('Experimental condition') plt.tight_layout() axes.append(ax) if filepath: plt.savefig(os.path.join(filepath, 'design-%s.pdf' % i)) return axes
experimental_designs
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n axes = []\n bw = matplotlib.colors.ListedColormap(['white', 'black'])\n cols = df.columns\n for i, dd in df.groupby('id'):\n ...
def x(df, filepath=None): axes = [] cols = df.columns for i, dd in df.groupby('id'): palette = sns.color_palette('Set1', len(dd)) plt.figure() readouts = dd.drop([c for c in cols if not c.startswith('DIF:')] + ['id'], axis=1).reset_index(drop=True) readouts.columns = [c[4:] for c in readouts.columns] ax1 = readouts.T.plot(kind='bar', stacked=True, color=palette) ax1.set_xlabel('Readout') ax1.set_ylabel('Pairwise differences') plt.tight_layout() if filepath: plt.savefig(os.path.join(filepath, 'design-%s-readouts.pdf' % i)) plt.figure() behaviors = dd[['pairs']].reset_index(drop=True) ax2 = behaviors.plot.bar(color=palette, legend=False) ax2.set_xlabel('Experimental condition') ax2.set_ylabel('Pairs of input-output behaviors') plt.tight_layout() if filepath: plt.savefig(os.path.join(filepath, 'design-%s-behaviors.pdf' % i)) axes.append((ax1, ax2)) return axes
differences_distribution
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n axes = []\n cols = df.columns\n for i, dd in df.groupby('id'):\n palette = sns.color_palette('Set1', len(dd))\n pl...
def x(df, filepath=None): df = df.filter(regex='^VAR:') by_readout = df.mean(axis=0).reset_index(level=0) by_readout.columns = ['Readout', 'Prediction variance (mean)'] by_readout['Readout'] = by_readout.Readout.map(lambda n: n[4:]) g1 = sns.factorplot(x='Readout', y='Prediction variance (mean)', data= by_readout, kind='bar', aspect=2) for tick in g1.ax.get_xticklabels(): tick.set_rotation(90) if filepath: g1.savefig(os.path.join(filepath, 'predictions-variance.pdf')) return g1
predictions_variance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n df = df.filter(regex='^VAR:')\n by_readout = df.mean(axis=0).reset_index(level=0)\n by_readout.columns = ['Readout', 'Prediction...
def x(df, filepath=None): logger = logging.getLogger('caspo') LIMIT = 50 if len(df) > LIMIT: msg = ( 'Too many intervention strategies to visualize. A sample of %s strategies will be considered.' % LIMIT) logger.warning(msg) df = df.sample(LIMIT) values = np.unique(df.values.flatten()) if len(values) == 3: rwg = matplotlib.colors.ListedColormap(['red', 'white', 'green']) elif 1 in values: rwg = matplotlib.colors.ListedColormap(['white', 'green']) else: rwg = matplotlib.colors.ListedColormap(['red', 'white']) plt.figure(figsize=(max((len(df.columns) - 1) * 0.5, 4), max(len(df) * 0.6, 2.5))) df.columns = [c[3:] for c in df.columns] ax = sns.heatmap(df, linewidths=0.5, cbar=False, cmap=rwg, linecolor='gray' ) ax.set_xlabel('Species') ax.set_ylabel('Intervention strategy') for tick in ax.get_xticklabels(): tick.set_rotation(90) plt.tight_layout() if filepath: plt.savefig(os.path.join(filepath, 'strategies.pdf')) return ax
intervention_strategies
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n logger = logging.getLogger('caspo')\n LIMIT = 50\n if len(df) > LIMIT:\n msg = (\n 'Too many intervention stra...
def x(df, filepath=None): df = df.sort_values('frequency') df['conf'] = df.frequency.map(lambda f: 0 if f < 0.2 else 1 if f < 0.8 else 2) g = sns.factorplot(x='intervention', y='frequency', data=df, aspect=3, hue='conf', legend=False) for tick in g.ax.get_xticklabels(): tick.set_rotation(90) _ = [(t.set_color('r') if t.get_text().endswith('-1') else t.set_color( 'g')) for t in g.ax.xaxis.get_ticklabels()] g.ax.set_ylim([-0.05, 1.05]) g.ax.set_xlabel('Intervention') g.ax.set_ylabel('Frequency') if filepath: g.savefig(os.path.join(filepath, 'interventions-frequency.pdf')) return g
interventions_frequency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(df, filepath=None):\n df = df.sort_values('frequency')\n df['conf'] = df.frequency.map(lambda f: 0 if f < 0.2 else 1 if f < 0.8 else\n 2)\n g =...
def x(self, y, x_label=None, y_label='', title='', x_run=None, y_run=None, svg_size_px=None, key_position='bottom right'): if x_run is None: x_run = self.default_x_run if y_run is None: y_run = self.default_y_run if svg_size_px is None: svg_size_px = self.default_svg_size_px for panel in self.panels: x_run = self._load_x_run(x_run) y_run = self._load_y_run(y_run) svg_size_px = self._load_svg_size_px(svg_size_px) panel.add_graph(y=y, x_run=x_run, y_run=y_run, svg_size_px= svg_size_px, y_label=y_label, x_label=x_label if x_label is not None else self.default_x_label, title=title, key_position= key_position)
add_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, y, x_label=None, y_label='', title='', x_run=None, y_run=None,\n svg_size_px=None, key_position='bottom right'):\n if x_run is None:\n x_run...
def x(self): rnftools.utils.shell('rm -fR "{}" "{}"'.format(self.report_dir, self. _html_fn))
clean
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n rnftools.utils.shell('rm -fR \"{}\" \"{}\"'.format(self.report_dir, self.\n _html_fn))\n", "role": "user" }, { "content": "clean...
def x(self): html_table = '' columns = [panel.get_html_column() for panel in self.panels] trs = len(columns[0]) html_table += os.linesep.join(['<tr>{}</tr>'.format(''.join([ '<td>{}</td>'.format(columns[col][row]) for col in range(len( columns))])) for row in range(trs)]) with open(self._html_fn, 'w+') as f: css_src = textwrap.dedent( """ .main_table {border-collapse:collapse;margin-top:15px;} td {border: solid #aaaaff 1px;padding:4px;vertical-alignment:top;} colgroup, thead {border: solid black 2px;padding 2px;} .configuration {font-size:85%;} .configuration, .configuration * {margin:0;padding:0;} .formats {text-align:center;margin:20px 0px;} img {min-width:640px} """ ) html_src = ( """<!DOCTYPE html> <html> <head> <meta charset="UTF-8" /> <title>{title}</title> <style type="text/css"> {css} </style> </head> <body> <h1>{title}</h1> <strong>{description}</strong> <table class="main_table"> {html_table} </table> </body> """ .format(html_table=html_table, css=css_src, title=self.title, description=self.description)) tidy_html_src = bs4.BeautifulSoup(html_src).prettify() f.write(tidy_html_src)
create_html
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n html_table = ''\n columns = [panel.get_html_column() for panel in self.panels]\n trs = len(columns[0])\n html_table += os.linesep.join(['<...
def x(show_hidden_frames=False, skip=0, context=None, exc_info=None): if exc_info is None: exc_info = sys.exc_info() exc_type, exc_value, tb = exc_info for x in range(skip): if tb.tb_next is None: break tb = tb.tb_next tb = Traceback(exc_type, exc_value, tb, context=context) if not show_hidden_frames: tb.filter_hidden_frames() return tb
get_current_traceback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(show_hidden_frames=False, skip=0, context=None, exc_info=None):\n if exc_info is None:\n exc_info = sys.exc_info()\n exc_type, exc_value, tb = exc...
def x(self, logfile=None): if logfile is None: logfile = sys.stderr tb = self.plaintext.rstrip() + '\n' file_mode = getattr(logfile, 'mode', None) if file_mode is not None: if 'b' in file_mode: tb = tb.encode('utf-8') logfile.write(tb)
log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logfile=None):\n if logfile is None:\n logfile = sys.stderr\n tb = self.plaintext.rstrip() + '\\n'\n file_mode = getattr(logfile, 'mode',...
def x(self): data = json.dumps({'description': 'Backlash Internal Server Error', 'public': False, 'files': {'traceback.txt': {'content': self. plaintext}}}).encode('utf-8') rv = urlopen('https://api.github.com/gists', data=data) resp = json.loads(rv.read().decode('utf-8')) rv.close() return {'url': resp['html_url'], 'id': resp['id']}
paste
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n data = json.dumps({'description': 'Backlash Internal Server Error',\n 'public': False, 'files': {'traceback.txt': {'content': self.\n ...
def x(self, include_title=True): title = '' description = '' frames = [] classes = ['traceback'] if not self.frames: classes.append('noframe-traceback') if include_title: if self.is_syntax_error: title = text_('Syntax Error') else: title = text_('Traceback <em>(most recent call last)</em>:') for frame in self.frames: frames.append(text_('<li%s>%s') % (frame.info and text_( ' title="%s"') % escape(frame.info) or text_(''), frame.render())) if self.is_syntax_error: description_wrapper = text_('<pre class=syntaxerror>%s</pre>') else: description_wrapper = text_('<blockquote>%s</blockquote>') return SUMMARY_HTML % {'classes': text_(' '.join(classes)), 'title': title and text_('<h3>%s</h3>' % title) or text_(''), 'frames': text_('\n'.join(frames)), 'description': description_wrapper % escape(self.exception)}
render_summary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, include_title=True):\n title = ''\n description = ''\n frames = []\n classes = ['traceback']\n if not self.frames:\n classes.append...
def x(self): yield text_('Traceback (most recent call last):') for frame in self.frames: yield text_(' File "%s", line %s, in %s' % (frame.filename, frame. lineno, frame.function_name)) yield text_(' ' + frame.current_line.strip()) yield text_(self.exception)
generate_plaintext_traceback
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n yield text_('Traceback (most recent call last):')\n for frame in self.frames:\n yield text_(' File \"%s\", line %s, in %s' % (frame.file...
def x(self): return SOURCE_TABLE_HTML % text_('\n'.join(line.render() for line in self.get_annotated_lines()))
render_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return SOURCE_TABLE_HTML % text_('\\n'.join(line.render() for line in\n self.get_annotated_lines()))\n", "role": "user" }, { "co...
def x(dwgsim_prefix, fastq_rnf_fo, fai_fo, genome_id, estimate_unknown_values, number_of_read_tuples=10 ** 9): dwgsim_pattern = re.compile( '@(.*)_([0-9]+)_([0-9]+)_([01])_([01])_([01])_([01])_([0-9]+):([0-9]+):([0-9]+)_([0-9]+):([0-9]+):([0-9]+)_(([0-9abcdef])+)' ) fai_index = rnftools.utils.FaIdx(fai_fo=fai_fo) read_tuple_id_width = len(format(number_of_read_tuples, 'x')) read_tuple_id = 0 last_read_tuple_name = None old_fq = '{}.bfast.fastq'.format(dwgsim_prefix) fq_creator = rnftools.rnfformat.FqCreator(fastq_fo=fastq_rnf_fo, read_tuple_id_width=read_tuple_id_width, genome_id_width=2, chr_id_width=fai_index.chr_id_width, coor_width=fai_index. coor_width, info_reads_in_tuple=True, info_simulator='dwgsim') i = 0 with open(old_fq, 'r+') as f1: for line in f1: if i % 4 == 0: read_tuple_name = line[1:].strip() if read_tuple_name != last_read_tuple_name: new_tuple = True if last_read_tuple_name is not None: read_tuple_id += 1 else: new_tuple = False last_read_tuple_name = read_tuple_name m = dwgsim_pattern.search(line) if m is None: rnftools.utils.error( "Read tuple '{}' was not created by DwgSim.".format (line[1:]), program='RNFtools', subprogram= 'MIShmash', exception=ValueError) contig_name = m.group(1) start_1 = int(m.group(2)) start_2 = int(m.group(3)) direction_1 = 'F' if int(m.group(4)) == 0 else 'R' direction_2 = 'F' if int(m.group(5)) == 0 else 'R' chr_id = fai_index.dict_chr_ids[contig_name ] if fai_index.dict_chr_ids != {} else '0' elif i % 4 == 1: bases = line.strip() if new_tuple: segment = rnftools.rnfformat.Segment(genome_id= genome_id, chr_id=chr_id, direction=direction_1, left=start_1, right=start_1 + len(bases) - 1 if estimate_unknown_values else 0) else: segment = rnftools.rnfformat.Segment(genome_id= genome_id, chr_id=chr_id, direction=direction_2, left=start_2, right=start_2 + len(bases) - 1 if estimate_unknown_values else 0) elif i % 4 == 2: pass elif i % 4 == 3: qualities = line.strip() fq_creator.add_read(read_tuple_id=read_tuple_id, bases= bases, qualities=qualities, segments=[segment]) i += 1 fq_creator.flush_read_tuple()
recode_dwgsim_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(dwgsim_prefix, fastq_rnf_fo, fai_fo, genome_id,\n estimate_unknown_values, number_of_read_tuples=10 ** 9):\n dwgsim_pattern = re.compile(\n '@(.*)...
def x(seconds=0): loop = evergreen.current.loop current = Fiber.current() assert loop.task is not current timer = loop.call_later(seconds, current.switch) try: loop.switch() finally: timer.cancel()
sleep
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(seconds=0):\n loop = evergreen.current.loop\n current = Fiber.current()\n assert loop.task is not current\n timer = loop.call_later(seconds, curren...
def x(func, *args, **kwargs): t = Task(target=func, args=args, kwargs=kwargs) t.start() return t
spawn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func, *args, **kwargs):\n t = Task(target=func, args=args, kwargs=kwargs)\n t.start()\n return t\n", "role": "user" }, { "content": "spawn...
def x(func): def x(*args, **kwargs): return spawn(func, *args, **kwargs) return task_wrapper
task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n def x(*args, **kwargs):\n return spawn(func, *args, **kwargs)\n return task_wrapper\n", "role": "user" }, { "content": "tas...
def x(self, timeout=None): if not self._started: raise RuntimeError('cannot join task before it is started') return self._exit_event.wait(timeout)
join
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, timeout=None):\n if not self._started:\n raise RuntimeError('cannot join task before it is started')\n return self._exit_event.wait(timeout)...
def x(self, typ=TaskExit, value=None, tb=None): if not self.is_alive(): return if not value: value = typ() if not self._running: def x(): six.reraise(typ, value, tb) self.run = just_raise return evergreen.current.loop.call_soon(self.throw, typ, value, tb)
kill
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, typ=TaskExit, value=None, tb=None):\n if not self.is_alive():\n return\n if not value:\n value = typ()\n if not self._running:\n\n...
def x(cls, filename): df = pd.read_csv(filename) edges = set() mappings = [] cols = [] for m in df.columns: try: ct = Mapping.from_str(m) mappings.append(ct) cols.append(m) for source, sign in ct.clause: edges.add((source, ct.target, sign)) except ValueError: pass graph = Graph.from_tuples(edges) hypergraph = HyperGraph.from_graph(graph) hypergraph.mappings = mappings if 'networks' in df.columns: nnet = df['networks'].values.astype(int) else: nnet = None return cls(hypergraph, matrix=df[cols].values, networks=nnet)
from_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename):\n df = pd.read_csv(filename)\n edges = set()\n mappings = []\n cols = []\n for m in df.columns:\n try:\n ct = ...
def x(cls, hypergraph, networks=None): matrix = None nnet = None if networks: matrix = np.array([networks[0].to_array(hypergraph.mappings)]) nnet = [networks[0].networks] for network in networks[1:]: matrix = np.append(matrix, [network.to_array(hypergraph. mappings)], axis=0) nnet.append(network.networks) return cls(hypergraph, matrix, nnet)
from_hypergraph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, hypergraph, networks=None):\n matrix = None\n nnet = None\n if networks:\n matrix = np.array([networks[0].to_array(hypergraph.mappings)])\...
def x(self): return self.hg.mappings[np.unique(np.where(self.__matrix == 1)[1])]
mappings
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n return self.hg.mappings[np.unique(np.where(self.__matrix == 1)[1])]\n", "role": "user" }, { "content": "mappings", "role": "assista...
def x(self): self.__matrix = np.array([]) self.__networks = np.array([])
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.__matrix = np.array([])\n self.__networks = np.array([])\n", "role": "user" }, { "content": "reset", "role": "assistant" ...
def x(self, indices): return [LogicalNetworkList(self.hg, part) for part in np.split(self. __matrix, indices)]
split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, indices):\n return [LogicalNetworkList(self.hg, part) for part in np.split(self.\n __matrix, indices)]\n", "role": "user" }, { "con...
def x(self, other): if len(other) == 0: return self elif len(self) == 0: return other else: return LogicalNetworkList(self.hg, np.append(self.__matrix, other. __matrix, axis=0), np.concatenate([self.__networks, other. __networks]))
concat
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if len(other) == 0:\n return self\n elif len(self) == 0:\n return other\n else:\n return LogicalNetworkList(self....
def x(self, network): arr = network.to_array(self.hg.mappings) if len(self.__matrix): self.__matrix = np.append(self.__matrix, [arr], axis=0) self.__networks = np.append(self.__networks, network.networks) else: self.__matrix = np.array([arr]) self.__networks = np.array([network.networks])
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, network):\n arr = network.to_array(self.hg.mappings)\n if len(self.__matrix):\n self.__matrix = np.append(self.__matrix, [arr], axis=0)\n ...
def x(self, networks=False, dataset=None, size=False, n_jobs=-1): length = len(self) df = pd.DataFrame(self.__matrix, columns=map(str, self.hg.mappings)) if networks: df = pd.concat([df, pd.DataFrame({'networks': self.__networks})], axis=1) if dataset is not None: clampings = dataset.clampings readouts = dataset.readouts.columns observations = dataset.readouts.values pos = ~np.isnan(observations) mse = Parallel(n_jobs=n_jobs)(delayed(__parallel_mse__)(n, clampings, readouts, observations[pos], pos) for n in self) df = pd.concat([df, pd.DataFrame({'mse': mse})], axis=1) if size: df = pd.concat([df, pd.DataFrame({'size': np.fromiter((n.size for n in self), int, length)})], axis=1) return df
to_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, networks=False, dataset=None, size=False, n_jobs=-1):\n length = len(self)\n df = pd.DataFrame(self.__matrix, columns=map(str, self.hg.mappings))\n...
def x(self, filename, networks=False, dataset=None, size=False, n_jobs=-1): self.to_dataframe(networks, dataset, size, n_jobs).to_csv(filename, index=False)
to_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, networks=False, dataset=None, size=False, n_jobs=-1):\n self.to_dataframe(networks, dataset, size, n_jobs).to_csv(filename,\n index=F...
def x(self): f = self.__matrix.mean(axis=0) for i, m in self.mappings.iteritems(): yield m, f[i]
frequencies_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n f = self.__matrix.mean(axis=0)\n for i, m in self.mappings.iteritems():\n yield m, f[i]\n", "role": "user" }, { "content": "f...
def x(self, mapping): return self.__matrix[:, self.hg.mappings[mapping]].mean()
frequency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mapping):\n return self.__matrix[:, self.hg.mappings[mapping]].mean()\n", "role": "user" }, { "content": "frequency", "role": "assista...
def x(self): f = self.__matrix.mean(axis=0) candidates = np.where((f < 1) & (f > 0))[0] exclusive, inclusive = defaultdict(set), defaultdict(set) for i, j in it.combinations(candidates, 2): xor = np.logical_xor(self.__matrix[:, i], self.__matrix[:, j]) if xor.all(): exclusive[self.hg.mappings[i]].add(self.hg.mappings[j]) exclusive[self.hg.mappings[j]].add(self.hg.mappings[i]) if (~xor).all(): inclusive[self.hg.mappings[i]].add(self.hg.mappings[j]) inclusive[self.hg.mappings[j]].add(self.hg.mappings[i]) return exclusive, inclusive
combinatorics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n f = self.__matrix.mean(axis=0)\n candidates = np.where((f < 1) & (f > 0))[0]\n exclusive, inclusive = defaultdict(set), defaultdict(set)\n ...
def x(self, setup, n_jobs=-1): stimuli, inhibitors, readouts = (setup.stimuli, setup.inhibitors, setup .readouts) nc = len(setup.cues()) predictions = np.zeros((len(self), 2 ** nc, len(setup))) predictions[:, :, :] = Parallel(n_jobs=n_jobs)(delayed( __parallel_predictions__)(n, list(setup.clampings_iter(setup.cues() )), readouts, stimuli, inhibitors) for n in self) avg = np.average(predictions[:, :, nc:], axis=0, weights=self.__networks) var = np.average((predictions[:, :, nc:] - avg) ** 2, axis=0, weights= self.__networks) rcues = [('TR:%s' % c) for c in setup.cues(True)] cols = np.concatenate([rcues, [('AVG:%s' % r) for r in readouts], [( 'VAR:%s' % r) for r in readouts]]) df = pd.DataFrame(np.concatenate([predictions[0, :, :nc], avg, var], axis=1), columns=cols) df[rcues] = df[rcues].astype(int) return df
predictions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, setup, n_jobs=-1):\n stimuli, inhibitors, readouts = (setup.stimuli, setup.inhibitors, setup\n .readouts)\n nc = len(setup.cues())\n pred...
def x(self, dataset, n_jobs=-1): predictions = np.zeros((len(self), len(dataset.clampings), len(dataset. setup.readouts))) predictions[:, :, :] = Parallel(n_jobs=n_jobs)(delayed( __parallel_predictions__)(n, dataset.clampings, dataset.setup. readouts) for n in self) for i, _ in enumerate(self): predictions[i, :, :] *= self.__networks[i] readouts = dataset.readouts.values pos = ~np.isnan(readouts) return mean_squared_error(readouts[pos], (np.sum(predictions, axis=0) / np.sum(self.__networks))[pos])
weighted_mse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset, n_jobs=-1):\n predictions = np.zeros((len(self), len(dataset.clampings), len(dataset.\n setup.readouts)))\n predictions[:, :, :] = ...
def x(cls, hg, tuples): return cls([(hg.clauses[j], hg.variable(i)) for i, j in tuples], networks=1 )
from_hypertuples
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, hg, tuples):\n return cls([(hg.clauses[j], hg.variable(i)) for i, j in tuples], networks=1\n )\n", "role": "user" }, { "content": "f...
def x(self): edges = set() for clause, target in self.edges_iter(): for source, signature in clause: edges.add((source, target, signature)) return Graph.from_tuples(edges)
to_graph
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n edges = set()\n for clause, target in self.edges_iter():\n for source, signature in clause:\n edges.add((source, target, signa...
def x(self, state, clamping): ns = state.copy() for var in state: if clamping.has_variable(var): ns[var] = int(clamping.bool(var)) else: or_value = 0 for clause, _ in self.in_edges_iter(var): or_value = or_value or clause.bool(state) if or_value: break ns[var] = int(or_value) return ns
step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, state, clamping):\n ns = state.copy()\n for var in state:\n if clamping.has_variable(var):\n ns[var] = int(clamping.bool(var))\n ...
def x(self, clamping, steps=0): current = dict.fromkeys(self.variables(), 0) updated = self.step(current, clamping) steps -= 1 while current != updated and steps != 0: current = updated updated = self.step(current, clamping) return current
fixpoint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clamping, steps=0):\n current = dict.fromkeys(self.variables(), 0)\n updated = self.step(current, clamping)\n steps -= 1\n while current != u...
def x(self, clampings, readouts, stimuli=None, inhibitors=None, nclampings=-1): stimuli, inhibitors = stimuli or [], inhibitors or [] cues = stimuli + inhibitors nc = len(cues) ns = len(stimuli) predictions = np.zeros((nclampings if nclampings > 0 else len(clampings ), nc + len(readouts)), dtype=np.int8) for i, clamping in enumerate(clampings): if nc > 0: arr = clamping.to_array(cues) arr[np.where(arr[:ns] == -1)[0]] = 0 arr[ns + np.where(arr[ns:] == -1)[0]] = 1 predictions[i, :nc] = arr fixpoint = self.fixpoint(clamping) for j, readout in enumerate(readouts): predictions[i, nc + j] = fixpoint.get(readout, 0) return pd.DataFrame(predictions, columns=np.concatenate([stimuli, [(i + 'i') for i in inhibitors], readouts]))
predictions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, clampings, readouts, stimuli=None, inhibitors=None, nclampings=-1):\n stimuli, inhibitors = stimuli or [], inhibitors or []\n cues = stimuli + inhi...
def x(self, dataset): clampings = dataset.clampings readouts = dataset.readouts.columns observations = dataset.readouts.values pos = ~np.isnan(observations) return mean_squared_error(observations, self.predictions(clampings, readouts).values[pos])
mse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dataset):\n clampings = dataset.clampings\n readouts = dataset.readouts.columns\n observations = dataset.readouts.values\n pos = ~np.isnan(ob...
def x(self): variables = set() for v in self.nodes_iter(): if isinstance(v, Clause): for l in v: variables.add(l.variable) else: variables.add(v) return variables
variables
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n variables = set()\n for v in self.nodes_iter():\n if isinstance(v, Clause):\n for l in v:\n variables.add(l.var...
def x(self): for var in it.ifilter(self.has_node, self.variables()): yield var, frozenset(self.predecessors(var))
formulas_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for var in it.ifilter(self.has_node, self.variables()):\n yield var, frozenset(self.predecessors(var))\n", "role": "user" }, { "...
def x(self, mappings): arr = np.zeros(len(mappings), np.int8) for i, (clause, target) in enumerate(mappings): if self.has_edge(clause, target): arr[i] = 1 return arr
to_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, mappings):\n arr = np.zeros(len(mappings), np.int8)\n for i, (clause, target) in enumerate(mappings):\n if self.has_edge(clause, target):\n ...
def x(self, attempt, validation_token, quiz_submission_id, access_code=None, quiz_questions=None): path = {} data = {} params = {} """ID""" path['quiz_submission_id'] = quiz_submission_id """The attempt number of the quiz submission being taken. Note that this must be the latest attempt index, as questions for earlier attempts can not be modified.""" data['attempt'] = attempt """The unique validation token you received when the Quiz Submission was created.""" data['validation_token'] = validation_token """Access code for the Quiz, if any.""" if access_code is not None: data['access_code'] = access_code """Set of question IDs and the answer value. See {Appendix: Question Answer Formats} for the accepted answer formats for each question type.""" if quiz_questions is not None: data['quiz_questions'] = quiz_questions self.logger.debug( 'POST /api/v1/quiz_submissions/{quiz_submission_id}/questions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/quiz_submissions/{quiz_submission_id}/questions'.format(** path), data=data, params=params, all_pages=True)
answering_questions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, attempt, validation_token, quiz_submission_id, access_code=None,\n quiz_questions=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\...
def x(self, id, attempt, validation_token, quiz_submission_id, access_code=None ): path = {} data = {} params = {} """ID""" path['quiz_submission_id'] = quiz_submission_id """ID""" path['id'] = id """The attempt number of the quiz submission being taken. Note that this must be the latest attempt index, as questions for earlier attempts can not be modified.""" data['attempt'] = attempt """The unique validation token you received when the Quiz Submission was created.""" data['validation_token'] = validation_token """Access code for the Quiz, if any.""" if access_code is not None: data['access_code'] = access_code self.logger.debug( 'PUT /api/v1/quiz_submissions/{quiz_submission_id}/questions/{id}/unflag with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/quiz_submissions/{quiz_submission_id}/questions/{id}/unflag' .format(**path), data=data, params=params, no_data=True)
unflagging_question
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, attempt, validation_token, quiz_submission_id, access_code=None\n ):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path[...
def x(self, lname='clamping', cname='clamped'): fs = set() for i, clamping in enumerate(self): fs.add(gringo.Fun(lname, [i])) fs = fs.union(clamping.to_funset(i, cname)) return fs
to_funset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, lname='clamping', cname='clamped'):\n fs = set()\n for i, clamping in enumerate(self):\n fs.add(gringo.Fun(lname, [i]))\n fs = fs.uni...
def x(self, stimuli=None, inhibitors=None, prepend=''): stimuli, inhibitors = stimuli or [], inhibitors or [] cues = stimuli + inhibitors nc = len(cues) ns = len(stimuli) variables = cues or np.array(list(set(v for v, s in it.chain. from_iterable(self)))) matrix = np.array([]) for clamping in self: arr = clamping.to_array(variables) if nc > 0: arr[np.where(arr[:ns] == -1)[0]] = 0 arr[ns + np.where(arr[ns:] == -1)[0]] = 1 if len(matrix): matrix = np.append(matrix, [arr], axis=0) else: matrix = np.array([arr]) return pd.DataFrame(matrix, columns=[(prepend + '%s' % c) for c in ( stimuli + [(i + 'i') for i in inhibitors] if nc > 0 else variables)])
to_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, stimuli=None, inhibitors=None, prepend=''):\n stimuli, inhibitors = stimuli or [], inhibitors or []\n cues = stimuli + inhibitors\n nc = len(cue...
def x(self, filename, stimuli=None, inhibitors=None, prepend=''): self.to_dataframe(stimuli, inhibitors, prepend).to_csv(filename, index= False)
to_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, filename, stimuli=None, inhibitors=None, prepend=''):\n self.to_dataframe(stimuli, inhibitors, prepend).to_csv(filename, index=\n False)\n", ...
def x(cls, df, inhibitors=None): inhibitors = inhibitors or [] clampings = [] ni = len(inhibitors) for _, row in df.iterrows(): if ni > 0: literals = [] for v, s in row.iteritems(): if v.endswith('i') and v[3:-1] in inhibitors: if s == 1: literals.append(Literal(v[3:-1], -1)) else: literals.append(Literal(v[3:], 1 if s == 1 else -1)) clampings.append(Clamping(literals)) else: clampings.append(Clamping([Literal(v[3:], s) for v, s in row[ row != 0].iteritems()])) return cls(clampings)
from_dataframe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, df, inhibitors=None):\n inhibitors = inhibitors or []\n clampings = []\n ni = len(inhibitors)\n for _, row in df.iterrows():\n if ni > ...
def x(cls, filename, inhibitors=None): df = pd.read_csv(filename) return cls.from_dataframe(df, inhibitors)
from_csv
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, filename, inhibitors=None):\n df = pd.read_csv(filename)\n return cls.from_dataframe(df, inhibitors)\n", "role": "user" }, { "content": ...
def x(self): df = self.to_dataframe() n = float(len(self)) for var, sign in it.product(df.columns, [-1, 1]): f = len(df[df[var] == sign]) / n if f > 0: yield Literal(var, sign), f
frequencies_iter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n df = self.to_dataframe()\n n = float(len(self))\n for var, sign in it.product(df.columns, [-1, 1]):\n f = len(df[df[var] == sign]) / n...
def x(self, literal): df = self.to_dataframe() if literal.variable in df.columns: return len(df[df[literal.variable] == literal.signature]) / float(len (self)) else: raise ValueError('Variable not found: %s' % literal.variable)
frequency
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, literal):\n df = self.to_dataframe()\n if literal.variable in df.columns:\n return len(df[df[literal.variable] == literal.signature]) / floa...
def x(self): df = self.to_dataframe() literals = set(l for l in it.chain.from_iterable(self)) exclusive, inclusive = defaultdict(set), defaultdict(set) for l1, l2 in it.combinations(it.ifilter(lambda l: self.frequency(l) < 1.0, literals), 2): a1, a2 = df[l1.variable] == l1.signature, df[l2.variable ] == l2.signature if (a1 != a2).all(): exclusive[l1].add(l2) exclusive[l2].add(l1) if (a1 == a2).all(): inclusive[l1].add(l2) inclusive[l2].add(l1) return exclusive, inclusive
combinatorics
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n df = self.to_dataframe()\n literals = set(l for l in it.chain.from_iterable(self))\n exclusive, inclusive = defaultdict(set), defaultdict(set...
def x(self, networks, readouts, prepend=''): z, p = np.zeros((len(self), len(readouts)), dtype=int), np.zeros(len( self), dtype=int) for n1, n2 in it.combinations(networks, 2): r, c = np.where(n1.predictions(self, readouts) != n2.predictions( self, readouts)) z[r, c] += 1 p[r] += 1 df = pd.DataFrame(z, columns=[(prepend + '%s' % c) for c in readouts]) return pd.concat([df, pd.Series(p, name='pairs')], axis=1)
differences
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, networks, readouts, prepend=''):\n z, p = np.zeros((len(self), len(readouts)), dtype=int), np.zeros(len(\n self), dtype=int)\n for n1, n2 in...
def x(self, literals): clampings = [] for clamping in self: c = clamping.drop_literals(literals) if len(c) > 0: clampings.append(c) return ClampingList(clampings)
drop_literals
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, literals):\n clampings = []\n for clamping in self:\n c = clamping.drop_literals(literals)\n if len(c) > 0:\n clampings.ap...
def x(self, index, name='clamped'): fs = set() for var, sign in self: fs.add(gringo.Fun(name, [index, var, sign])) return fs
to_funset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, index, name='clamped'):\n fs = set()\n for var, sign in self:\n fs.add(gringo.Fun(name, [index, var, sign]))\n return fs\n", "role": ...
def x(self, variables): arr = np.zeros(len(variables), np.int8) dc = dict(self) for i, var in enumerate(variables): arr[i] = dc.get(var, arr[i]) return arr
to_array
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, variables):\n arr = np.zeros(len(variables), np.int8)\n dc = dict(self)\n for i, var in enumerate(variables):\n arr[i] = dc.get(var, arr[...
def x(self, course_id, column_title, column_hidden=None, column_position= None, column_teacher_notes=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """no description""" data['column[title]'] = column_title """The position of the column relative to other custom columns""" if column_position is not None: data['column[position]'] = column_position """Hidden columns are not displayed in the gradebook""" if column_hidden is not None: data['column[hidden]'] = column_hidden """Set this if the column is created by a teacher. The gradebook only supports one teacher_notes column.""" if column_teacher_notes is not None: data['column[teacher_notes]'] = column_teacher_notes self.logger.debug( 'POST /api/v1/courses/{course_id}/custom_gradebook_columns with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/custom_gradebook_columns'.format(** path), data=data, params=params, single_item=True)
create_custom_gradebook_column
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, column_title, column_hidden=None, column_position=\n None, column_teacher_notes=None):\n path = {}\n data = {}\n params = {}\n ...
def x(self, id, user_id, course_id, column_data_content): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['id'] = id """ID""" path['user_id'] = user_id """Column content. Setting this to blank will delete the datum object.""" data['column_data[content]'] = column_data_content self.logger.debug( 'PUT /api/v1/courses/{course_id}/custom_gradebook_columns/{id}/data/{user_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/courses/{course_id}/custom_gradebook_columns/{id}/data/{user_id}' .format(**path), data=data, params=params, single_item=True)
update_column_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, user_id, course_id, column_data_content):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n ...
def x(file_path): if not os.path.isfile(file_path): return elements.error('Output Log', 'Could not open file: ' + file_path.split(os.sep)[-1]) headers = ['Converged Iterations', 'Avg. Iterations to Converge', 'Processor Count', 'Dycore Type'] with open(file_path, 'r') as f: dycore_types = {'0': 'Glide', '1': 'Glam', '2': 'Glissade', '3': 'Albany_felix', '4': 'BISICLES'} curr_step = 0 proc_count = 0 iter_number = 0 converged_iters = [] iters_to_converge = [] for line in f: split = line.split() if 'CISM dycore type' in line: if line.split()[-1] == '=': dycore_type = dycore_types[next(f).strip()] else: dycore_type = dycore_types[line.split()[-1]] elif 'total procs' in line: proc_count += int(line.split()[-1]) elif 'Nonlinear Solver Step' in line: curr_step = int(line.split()[4]) elif 'Compute ice velocities, time = ' in line: converged_iters.append(curr_step) curr_step = float(line.split()[-1]) elif '"SOLVE_STATUS_CONVERGED"' in line: split = line.split() iters_to_converge.append(int(split[split.index( '"SOLVE_STATUS_CONVERGED"') + 2])) elif 'Compute dH/dt' in line: iters_to_converge.append(int(iter_number)) elif len(split) > 0 and split[0].isdigit(): iter_number = split[0] if iters_to_converge == []: iters_to_converge.append(int(iter_number)) data = {'Dycore Type': dycore_type, 'Processor Count': proc_count, 'Converged Iterations': len(converged_iters), 'Avg. Iterations to Converge': np.mean(iters_to_converge)} return elements.table('Output Log', headers, data)
parse_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n if not os.path.isfile(file_path):\n return elements.error('Output Log', 'Could not open file: ' +\n file_path.split(os.sep)[...
def x(file_path): if not os.path.isfile(file_path): return {} parser = ConfigParser() parser.read(file_path) for s in parser._sections: for v in six.iterkeys(parser._sections[s]): parser._sections[s][v] = parser._sections[s][v].split('#')[0 ].strip() return parser._sections
parse_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path):\n if not os.path.isfile(file_path):\n return {}\n parser = ConfigParser()\n parser.read(file_path)\n for s in parser._sections:\...
def x(self): selectedModelIndexes = self.reposTableWidget.selectionModel().selectedRows( ) for index in selectedModelIndexes: return index.row()
selectedRepoRow
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n selectedModelIndexes = self.reposTableWidget.selectionModel().selectedRows(\n )\n for index in selectedModelIndexes:\n return inde...
def x(self, measured_metabolites): self.clean_objective() for k, v in measured_metabolites.items(): m = self.model.metabolites.get_by_id(k) total_stoichiometry = m.total_stoichiometry(self.without_transports) for r in m.producers(self.without_transports): update_rate = v * r.metabolites[m] / total_stoichiometry r.objective_coefficient += update_rate
set_objective
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, measured_metabolites):\n self.clean_objective()\n for k, v in measured_metabolites.items():\n m = self.model.metabolites.get_by_id(k)\n ...
def x(typ, share, handler=RoutersHandler): _sharing_id, _mode = tuple(share.split(':')) _router_cls = ROUTERS.get(typ) class _Handler(handler): mode = _mode sharing_id = _sharing_id router_cls = _router_cls return _Handler
Routers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(typ, share, handler=RoutersHandler):\n _sharing_id, _mode = tuple(share.split(':'))\n _router_cls = ROUTERS.get(typ)\n\n\n class _Handler(handler):\n ...
def x(self, account_id, content_migration_id): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """ID""" path['content_migration_id'] = content_migration_id self.logger.debug( 'GET /api/v1/accounts/{account_id}/content_migrations/{content_migration_id}/migration_issues with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/content_migrations/{content_migration_id}/migration_issues' .format(**path), data=data, params=params, all_pages=True)
list_migration_issues_accounts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, content_migration_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"ID\...
def x(self, course_id, content_migration_id): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['content_migration_id'] = content_migration_id self.logger.debug( 'GET /api/v1/courses/{course_id}/content_migrations/{content_migration_id}/migration_issues with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/content_migrations/{content_migration_id}/migration_issues' .format(**path), data=data, params=params, all_pages=True)
list_migration_issues_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, content_migration_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"ID\"\"...
def x(self, group_id, content_migration_id): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """ID""" path['content_migration_id'] = content_migration_id self.logger.debug( 'GET /api/v1/groups/{group_id}/content_migrations/{content_migration_id}/migration_issues with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/groups/{group_id}/content_migrations/{content_migration_id}/migration_issues' .format(**path), data=data, params=params, all_pages=True)
list_migration_issues_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, group_id, content_migration_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n \"\"\"ID\"\"\"\...
def x(self, user_id, content_migration_id): path = {} data = {} params = {} """ID""" path['user_id'] = user_id """ID""" path['content_migration_id'] = content_migration_id self.logger.debug( 'GET /api/v1/users/{user_id}/content_migrations/{content_migration_id}/migration_issues with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/users/{user_id}/content_migrations/{content_migration_id}/migration_issues' .format(**path), data=data, params=params, all_pages=True)
list_migration_issues_users
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, content_migration_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['user_id'] = user_id\n \"\"\"ID\"\"\"\n ...