source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(default_dir='~', extensions=None, title='Choose a file', multiple_files=False, directory=False): default_dir = os.path.expanduser(default_dir) if not extensions: extensions = {} if system.get_name() == 'windows': pass elif system.get_name() == 'mac': pass else: def x(): import gi gi.require_version('Gtk', '3.0') from gi.repository import Gtk class FileChooserWindow(Gtk.Window): def x(self): self.path = '' Gtk.Window.__init__(self, title='') dialog = Gtk.FileChooserDialog(title, None, Gtk. FileChooserAction.OPEN, (Gtk.STOCK_CANCEL, Gtk. ResponseType.CANCEL, Gtk.STOCK_OPEN, Gtk. ResponseType.OK)) if extensions: for entry in extensions: file_filter = Gtk.FileFilter() file_filter.set_name(entry) for pattern in extensions[entry]: file_filter.add_pattern(pattern) dialog.add_filter(file_filter) dialog.set_select_multiple(multiple_files) dialog.set_current_folder(default_dir) response = dialog.run() if response == Gtk.ResponseType.OK: self.path = dialog.get_filenames() dialog.destroy() elif response == Gtk.ResponseType.CANCEL: self.path = None dialog.destroy() win = FileChooserWindow() win.connect('destroy', Gtk.main_quit) win.connect('delete-event', Gtk.main_quit) win.show_all() win.destroy() win.close() return win.path def x(): try: from PyQt5 import Qt except ImportError: from PyQt4 import Qt class FileChooserWindow(Qt.QWidget): def x(self): super().__init__() extensions_string = '' if extensions: for entry in extensions: extensions_string += '%s (%s);;' % (entry, ' '. join(extensions[entry])) else: extensions_string = 'All Files (*)' dialog = Qt.QFileDialog() if multiple_files: dialog.setFileMode(Qt.QFileDialog.ExistingFiles) if directory: dialog.setFileMode(Qt.QFileDialog.Directory) dialog.setWindowTitle(title) dialog.setDirectory(default_dir) dialog.setNameFilter(extensions_string) if dialog.exec_(): self.path = dialog.selectedFiles() else: self.path = None app = Qt.QApplication(sys.argv) win = FileChooserWindow() win.close() if win.path: return win.path else: return None app.exec_() def x(): import pygtk pygtk.require('2.0') dialog = gtk.FileChooserDialog(title, None, gtk. FILE_CHOOSER_ACTION_OPEN, (gtk.STOCK_CANCEL, gtk. RESPONSE_CANCEL, gtk.STOCK_OPEN, gtk.RESPONSE_OK)) dialog.set_default_response(gtk.RESPONSE_OK) if extensions: for entry in extensions: file_filter = gtk.FileFilter() file_filter.set_name(entry) for pattern in extensions[entry]: file_filter.add_pattern(pattern) dialog.add_filter(file_filter) dialog.set_select_multiple(multiple_files) response = dialog.run() if response == gtk.RESPONSE_OK: return dialog.get_filenames() elif response == gtk.RESPONSE_CANCEL: return None dialog.destroy() if system.get_name() in ['gnome', 'unity', 'cinnamon', 'pantheon']: return gtk3_dialog() elif system.get_name() in ['kde', 'lxqt']: try: return qt5_dialog() except ImportError: return gtk3_dialog() else: try: return gtk2_dialog() except ImportError: return gtk3_dialog()
open_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(default_dir='~', extensions=None, title='Choose a file',\n multiple_files=False, directory=False):\n default_dir = os.path.expanduser(default_dir)\n i...
def x(base=None, sub_dir=None): timestamp = datetime.fromtimestamp(time()).strftime('%Y-%m-%d %H-%M-%S') if sub_dir and '.' in sub_dir: sub_dir = sub_dir.rsplit('.', 1)[0] if not os.path.exists(base): os.mkdir(base) dump_dir = os.path.join(base, sub_dir) if sub_dir else base if not os.path.exists(dump_dir): os.mkdir(dump_dir) dump_dir = os.path.join(dump_dir, timestamp) if not os.path.exists(dump_dir): os.mkdir(dump_dir) return dump_dir
set_dump_directory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(base=None, sub_dir=None):\n timestamp = datetime.fromtimestamp(time()).strftime('%Y-%m-%d %H-%M-%S')\n if sub_dir and '.' in sub_dir:\n sub_dir = ...
def x(commands, directory=None, sub_dir=None): print('\t' + str(len(commands)), 'failed commands') if directory and os.path.isfile(directory): dump_dir = set_dump_directory(os.path.dirname(directory), sub_dir) return_dir = dump_dir elif directory: dump_dir = set_dump_directory(directory, sub_dir) return_dir = dump_dir else: dump_dir = TemporaryDirectory().name return_dir = TemporaryDirectory() command_filepath = [(fail, os.path.join(dump_dir, str(count) + '.sql')) for count, fail in enumerate(commands)] timer = Timer() if MULTIPROCESS: pool = Pool(cpu_count()) pool.map(write_text_tup, command_filepath) pool.close() print('\tDumped ', len(command_filepath), 'commands\n\t\tTime : {0}'.format(timer.end), """ Method : (multiprocessing) Directory : {0}""".format (dump_dir)) else: for tup in command_filepath: write_text_tup(tup) print('\tDumped ', len(command_filepath), 'commands\n\t\tTime : {0}'.format(timer.end), """ Method : (sequential) Directory : {0}""".format( dump_dir)) return return_dir
dump_commands
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(commands, directory=None, sub_dir=None):\n print('\\t' + str(len(commands)), 'failed commands')\n if directory and os.path.isfile(directory):\n du...
def x(_command, txt_file): command = _command.strip() with open(txt_file, 'w') as txt: txt.writelines(command)
write_text
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(_command, txt_file):\n command = _command.strip()\n with open(txt_file, 'w') as txt:\n txt.writelines(command)\n", "role": "user" }, { ...
def x(directory, zip_backup=True, remove_dir=True): failed_scripts = sorted([os.path.join(directory, fn) for fn in os. listdir(directory) if fn.endswith('.sql')]) print('\tReading SQL scripts from files') commands = [] for sql_file in failed_scripts: with open(sql_file, 'r') as txt: sql_command = txt.read() commands.append(sql_command) if zip_backup: ZipBackup(directory).backup() if remove_dir: shutil.rmtree(directory) return commands
get_commands_from_dir
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory, zip_backup=True, remove_dir=True):\n failed_scripts = sorted([os.path.join(directory, fn) for fn in os.\n listdir(directory) if fn.endswit...
def x(self): blueprint = dict() blueprint['type'] = '%s.%s' % (self.__module__, self.__class__.__name__) fields = dict() for attribute_name, type_instance in self.getmembers(): if not isinstance(type_instance, String) and not isinstance( type_instance, Float) and not isinstance(type_instance, Integer ) and not isinstance(type_instance, Date) and not isinstance( type_instance, DateTime) and not isinstance(type_instance, Array): raise TypeError( '%s should be instance of prestans.types.String/Integer/Float/Date/DateTime/Array' % attribute_name) if isinstance(type_instance, Array): if not isinstance(type_instance.element_template, String ) and not isinstance(type_instance.element_template, Float ) and not isinstance(type_instance.element_template, Integer): raise TypeError( '%s should be instance of prestans.types.String/Integer/Float/Array' % attribute_name) fields[attribute_name] = type_instance.blueprint() blueprint['fields'] = fields return blueprint
blueprint
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n blueprint = dict()\n blueprint['type'] = '%s.%s' % (self.__module__, self.__class__.__name__)\n fields = dict()\n for attribute_name, type...
def x(self, request): validated_parameter_set = self.__class__() for attribute_name, type_instance in self.getmembers(): if not isinstance(type_instance, String) and not isinstance( type_instance, Float) and not isinstance(type_instance, Integer ) and not isinstance(type_instance, Date) and not isinstance( type_instance, DateTime) and not isinstance(type_instance, Array): raise TypeError( '%s should be of type prestans.types.String/Integer/Float/Date/DateTime/Array' % attribute_name) if issubclass(type_instance.__class__, Array): if not isinstance(type_instance.element_template, String ) and not isinstance(type_instance.element_template, Float ) and not isinstance(type_instance.element_template, Integer): raise TypeError( '%s elements should be of type prestans.types.String/Integer/Float' % attribute_name) try: if issubclass(type_instance.__class__, Array): validation_input = request.params.getall(attribute_name) else: try: validation_input = request.params.getone(attribute_name) except KeyError: validation_input = None validation_result = type_instance.validate(validation_input) setattr(validated_parameter_set, attribute_name, validation_result) except exception.DataValidationException as exp: raise exception.ValidationError(message=str(exp), attribute_name=attribute_name, value=validation_input, blueprint=type_instance.blueprint()) return validated_parameter_set
validate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n validated_parameter_set = self.__class__()\n for attribute_name, type_instance in self.getmembers():\n if not isinstance(type_in...
def x(cls, subclass): for meth, methobj in cls.__abstractmethods__.items(): for base in subclass.__mro__: if meth in base.__dict__: submethobj = base.__dict__[meth] break if submethobj is methobj: submethobj = UNDEFINED result = None bad_arg_spec = 'Argument spec does not match parent for method %s' if isinstance(methobj, property): if submethobj is UNDEFINED or not isinstance(submethobj, property): result = Result(False, 'Does not contain required property (%s)' % meth, 210) elif isinstance(methobj, staticmethod): if submethobj is UNDEFINED or not isinstance(submethobj, staticmethod): result = Result(False, 'Does not contain required static method (%s)' % meth, 211) elif PY26: if getfullargspec(methobj.__get__(True)) != getfullargspec( submethobj.__get__(True)): result = Result(False, bad_arg_spec % meth, 220) elif getfullargspec(methobj.__func__) != getfullargspec(submethobj .__func__): result = Result(False, bad_arg_spec % meth, 220) elif isinstance(methobj, classmethod): if submethobj is UNDEFINED or not isinstance(submethobj, classmethod): result = Result(False, 'Does not contain required class method (%s)' % meth, 212) elif PY26: if getfullargspec(methobj.__get__(True).__func__ ) != getfullargspec(submethobj.__get__(True).__func__): result = Result(False, bad_arg_spec % meth, 220) elif getfullargspec(methobj.__func__) != getfullargspec(submethobj .__func__): result = Result(False, bad_arg_spec % meth, 220) elif isfunction(methobj): if submethobj is UNDEFINED or not isfunction(submethobj): result = Result(False, 'Does not contain required method (%s)' % meth, 213) elif getfullargspec(methobj) != getfullargspec(submethobj): result = Result(False, bad_arg_spec % meth, 220) elif submethobj is UNDEFINED: result = Result(False, 'Does not contain required attribute (%s)' % meth, 214) if result: return result return Result(True, None, 0)
check_methods
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, subclass):\n for meth, methobj in cls.__abstractmethods__.items():\n for base in subclass.__mro__:\n if meth in base.__dict__:\n ...
def x(cls, subclass): if callable(subclass._skipload_): result = subclass._skipload_() if isinstance(result, tuple): skip, msg = result else: skip, msg = result, None if skip: return Result(False, msg, 156) elif subclass._skipload_: return Result(False, 'Skipload flag is True', 50) return _check_methods(cls, subclass)
inspect_class
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, subclass):\n if callable(subclass._skipload_):\n result = subclass._skipload_()\n if isinstance(result, tuple):\n skip, msg = ...
def x(cls): return cls._version_ or getattr(sys.modules.get(cls.__module__, None), '__version__', None)
version
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n return cls._version_ or getattr(sys.modules.get(cls.__module__, None),\n '__version__', None)\n", "role": "user" }, { "content": ...
def x(): try: _add_url_rule([page.url for page in Page.query.all()]) except Exception: current_app.logger.warn('Pages were not loaded.') raise
preload_pages
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n _add_url_rule([page.url for page in Page.query.all()])\n except Exception:\n current_app.logger.warn('Pages were not loaded.')\...
def x(path): try: page = Page.get_by_url(request.path) except NoResultFound: abort(404) return render_template([page.template_name, current_app.config[ 'PAGES_DEFAULT_TEMPLATE']], page=page)
render_page
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n try:\n page = Page.get_by_url(request.path)\n except NoResultFound:\n abort(404)\n return render_template([page.template_name, ...
def x(exception, **extra): assert isinstance(exception, NotFound) page = Page.query.filter(db.or_(Page.url == request.path, Page.url == request.path + '/')).first() if page: _add_url_rule(page.url) return render_template([page.template_name, current_app.config[ 'PAGES_DEFAULT_TEMPLATE']], page=page) elif 'wrapped' in extra: return extra['wrapped'](exception) else: return exception
handle_not_found
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exception, **extra):\n assert isinstance(exception, NotFound)\n page = Page.query.filter(db.or_(Page.url == request.path, Page.url == \n request.p...
def x(url_or_urls): old = current_app._got_first_request current_app._got_first_request = False if isinstance(url_or_urls, six.string_types): url_or_urls = [url_or_urls] map(lambda url: current_app.add_url_rule(url, 'invenio_pages.view', view), url_or_urls) current_app._got_first_request = old
add_url_rule
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(url_or_urls):\n old = current_app._got_first_request\n current_app._got_first_request = False\n if isinstance(url_or_urls, six.string_types):\n ...
def x(self, id, include=None): path = {} data = {} params = {} """ID""" path['id'] = id """- "collaborator_lti_id": Optional information to include with each member. Represents an identifier to be used for the member in an LTI context. - "avatar_image_url": Optional information to include with each member. The url for the avatar of a collaborator with type 'user'.""" if include is not None: self._validate_enum(include, ['collaborator_lti_id', 'avatar_image_url']) params['include'] = include self.logger.debug( 'GET /api/v1/collaborations/{id}/members with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/collaborations/{id}/members'.format(**path), data=data, params=params, all_pages=True)
list_members_of_collaboration
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, include=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"- \"collaborator_lti_id\": Optional...
def x(self, course_id, exclude_context_module_locked_topics=None, include= None, only_announcements=None, order_by=None, scope=None, search_term=None ): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """If "all_dates" is passed, all dates associated with graded discussions' assignments will be included.""" if include is not None: self._validate_enum(include, ['all_dates']) params['include'] = include """Determines the order of the discussion topic list. Defaults to "position".""" if order_by is not None: self._validate_enum(order_by, ['position', 'recent_activity']) params['order_by'] = order_by """Only return discussion topics in the given state(s). Defaults to including all topics. Filtering is done after pagination, so pages may be smaller than requested if topics are filtered. Can pass multiple states as comma separated string.""" if scope is not None: self._validate_enum(scope, ['locked', 'unlocked', 'pinned', 'unpinned'] ) params['scope'] = scope """Return announcements instead of discussion topics. Defaults to false""" if only_announcements is not None: params['only_announcements'] = only_announcements """The partial title of the discussion topics to match and return.""" if search_term is not None: params['search_term'] = search_term """For students, exclude topics that are locked by module progression. Defaults to false.""" if exclude_context_module_locked_topics is not None: params['exclude_context_module_locked_topics' ] = exclude_context_module_locked_topics self.logger.debug( 'GET /api/v1/courses/{course_id}/discussion_topics with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/discussion_topics'.format(**path), data=data, params=params, all_pages=True)
list_discussion_topics_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, exclude_context_module_locked_topics=None, include=\n None, only_announcements=None, order_by=None, scope=None, search_term=None\n ):\n ...
def x(self, course_id, allow_rating=None, assignment=None, attachment=None, delayed_post_at=None, discussion_type=None, group_category_id=None, is_announcement=None, lock_at=None, message=None, only_graders_can_rate =None, pinned=None, podcast_enabled=None, podcast_has_student_posts= None, position_after=None, published=None, require_initial_post=None, sort_by_rating=None, title=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """no description""" if title is not None: data['title'] = title """no description""" if message is not None: data['message'] = message """The type of discussion. Defaults to side_comment if not value is given. Accepted values are 'side_comment', for discussions that only allow one level of nested comments, and 'threaded' for fully threaded discussions.""" if discussion_type is not None: self._validate_enum(discussion_type, ['side_comment', 'threaded']) data['discussion_type'] = discussion_type """Whether this topic is published (true) or draft state (false). Only teachers and TAs have the ability to create draft state topics.""" if published is not None: data['published'] = published """If a timestamp is given, the topic will not be published until that time.""" if delayed_post_at is not None: data['delayed_post_at'] = delayed_post_at """If a timestamp is given, the topic will be scheduled to lock at the provided timestamp. If the timestamp is in the past, the topic will be locked.""" if lock_at is not None: data['lock_at'] = lock_at """If true, the topic will have an associated podcast feed.""" if podcast_enabled is not None: data['podcast_enabled'] = podcast_enabled """If true, the podcast will include posts from students as well. Implies podcast_enabled.""" if podcast_has_student_posts is not None: data['podcast_has_student_posts'] = podcast_has_student_posts """If true then a user may not respond to other replies until that user has made an initial reply. Defaults to false.""" if require_initial_post is not None: data['require_initial_post'] = require_initial_post """To create an assignment discussion, pass the assignment parameters as a sub-object. See the {api:AssignmentsApiController#create Create an Assignment API} for the available parameters. The name parameter will be ignored, as it's taken from the discussion title. If you want to make a discussion that was an assignment NOT an assignment, pass set_assignment = false as part of the assignment object""" if assignment is not None: data['assignment'] = assignment """If true, this topic is an announcement. It will appear in the announcement's section rather than the discussions section. This requires announcment-posting permissions.""" if is_announcement is not None: data['is_announcement'] = is_announcement """If true, this topic will be listed in the "Pinned Discussion" section""" if pinned is not None: data['pinned'] = pinned """By default, discussions are sorted chronologically by creation date, you can pass the id of another topic to have this one show up after the other when they are listed.""" if position_after is not None: data['position_after'] = position_after """If present, the topic will become a group discussion assigned to the group.""" if group_category_id is not None: data['group_category_id'] = group_category_id """If true, users will be allowed to rate entries.""" if allow_rating is not None: data['allow_rating'] = allow_rating """If true, only graders will be allowed to rate entries.""" if only_graders_can_rate is not None: data['only_graders_can_rate'] = only_graders_can_rate """If true, entries will be sorted by rating.""" if sort_by_rating is not None: data['sort_by_rating'] = sort_by_rating """A multipart/form-data form-field-style attachment. Attachments larger than 1 kilobyte are subject to quota restrictions.""" if attachment is not None: data['attachment'] = attachment self.logger.debug( 'POST /api/v1/courses/{course_id}/discussion_topics with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/discussion_topics'.format(**path), data=data, params=params, no_data=True)
create_new_discussion_topic_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, allow_rating=None, assignment=None, attachment=None,\n delayed_post_at=None, discussion_type=None, group_category_id=None,\n is_announce...
def x(self, group_id, topic_id): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """ID""" path['topic_id'] = topic_id self.logger.debug( 'DELETE /api/v1/groups/{group_id}/discussion_topics/{topic_id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/groups/{group_id}/discussion_topics/{topic_id}'.format(** path), data=data, params=params, no_data=True)
delete_topic_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, topic_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n \"\"\"ID\"\"\"\n path['t...
def x(self, order, course_id): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """The ids of the pinned discussion topics in the desired order. (For example, "order=104,102,103".)""" data['order'] = order self.logger.debug( 'POST /api/v1/courses/{course_id}/discussion_topics/reorder with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/discussion_topics/reorder'.format(** path), data=data, params=params, no_data=True)
reorder_pinned_topics_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order, course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \"\"\"The ids of the pinned...
def x(self, order, group_id): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """The ids of the pinned discussion topics in the desired order. (For example, "order=104,102,103".)""" data['order'] = order self.logger.debug( 'POST /api/v1/groups/{group_id}/discussion_topics/reorder with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/groups/{group_id}/discussion_topics/reorder'.format(**path ), data=data, params=params, no_data=True)
reorder_pinned_topics_groups
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, order, group_id):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n \"\"\"The ids of the pinned di...
def x(self, topic_id, course_id, attachment=None, message=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['topic_id'] = topic_id """The body of the entry.""" if message is not None: data['message'] = message """a multipart/form-data form-field-style attachment. Attachments larger than 1 kilobyte are subject to quota restrictions.""" if attachment is not None: data['attachment'] = attachment self.logger.debug( 'POST /api/v1/courses/{course_id}/discussion_topics/{topic_id}/entries with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/discussion_topics/{topic_id}/entries'. format(**path), data=data, params=params, no_data=True)
post_entry_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic_id, course_id, attachment=None, message=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_i...
def x(self, group_id, topic_id, entry_id, attachment=None, message=None): path = {} data = {} params = {} """ID""" path['group_id'] = group_id """ID""" path['topic_id'] = topic_id """ID""" path['entry_id'] = entry_id """The body of the entry.""" if message is not None: data['message'] = message """a multipart/form-data form-field-style attachment. Attachments larger than 1 kilobyte are subject to quota restrictions.""" if attachment is not None: data['attachment'] = attachment self.logger.debug( 'POST /api/v1/groups/{group_id}/discussion_topics/{topic_id}/entries/{entry_id}/replies with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/groups/{group_id}/discussion_topics/{topic_id}/entries/{entry_id}/replies' .format(**path), data=data, params=params, no_data=True)
post_reply_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, topic_id, entry_id, attachment=None, message=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = ...
def x(self, topic_id, entry_id, course_id, rating=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """ID""" path['topic_id'] = topic_id """ID""" path['entry_id'] = entry_id """A rating to set on this entry. Only 0 and 1 are accepted.""" if rating is not None: data['rating'] = rating self.logger.debug( 'POST /api/v1/courses/{course_id}/discussion_topics/{topic_id}/entries/{entry_id}/rating with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/discussion_topics/{topic_id}/entries/{entry_id}/rating' .format(**path), data=data, params=params, no_data=True)
rate_entry_courses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, topic_id, entry_id, course_id, rating=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course_id\n \...
def x(**settings): setup_logging(settings) settings = setup_languages(settings) channels = setup_channel_map(settings) app = CriticApp(**dict(settings, channels=channels)) if settings['sentry_dsn']: app.sentry_client = Client(settings['sentry_dsn']) logger.debug('Errors are reported to %s' % settings['sentry_dsn']) else: app.sentry_client = None if settings['version']: click.echo('Version %s' % critics.__version__) return if not (settings['ios'] or settings['android']): click.echo('Please choose either --ios or --android') return loop = tornado.ioloop.IOLoop.instance() if app.load_model(): logger.debug('Model loaded OK, not skipping notify on first run') notify = True else: notify = False if settings['ios']: logger.info('Tracking IOS apps: %s', ', '.join(settings['ios'])) itunes = tornado.ioloop.PeriodicCallback(partial(app.poll_store, 'ios'), 1000 * settings['beat'], loop) itunes.start() if settings['android']: logger.info('Tracking Android apps: %s', ', '.join(settings['android']) ) google_play = tornado.ioloop.PeriodicCallback(partial(app. poll_store, 'android'), 1000 * settings['beat'], loop) google_play.start() echo_channel_map(channels) if settings['ios']: app.poll_store('ios', notify=notify) if settings['android']: app.poll_store('android', notify=notify) if settings['stats']: port = int(settings['stats']) logger.debug('Serving metrics server on port %s' % port) start_http_server(port) if settings['daemonize']: loop.start()
cli
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**settings):\n setup_logging(settings)\n settings = setup_languages(settings)\n channels = setup_channel_map(settings)\n app = CriticApp(**dict(set...
def x(self): if self._seqs is None: os.symlink(self._fa0_fn, self._fa_fn) else: in_seqs = pyfaidx.Fasta(self._fa0_fn) with open(self._fa_fn, 'w+') as g: for seq_desc in self._seqs: x = in_seqs[seq_desc] name, seq = x.name, str(x) g.write('>' + name + '\n') n = 80 seq_split = '\n'.join([seq[i:i + n] for i in range(0, len( seq), n)]) g.write(seq_split + '\n')
create_fa
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._seqs is None:\n os.symlink(self._fa0_fn, self._fa_fn)\n else:\n in_seqs = pyfaidx.Fasta(self._fa0_fn)\n with open(...
def x(sam_fn, fastq_rnf_fo, fai_fo, genome_id, number_of_read_tuples=10 ** 9, simulator_name=None, allow_unmapped=False): fai_index = rnftools.utils.FaIdx(fai_fo) read_tuple_id_width = len(format(number_of_read_tuples, 'x')) 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=simulator_name) cigar_reg_shift = re.compile('([0-9]+)([MDNP=X])') reverse_complement_dict = {'A': 'T', 'T': 'A', 'C': 'G', 'G': 'C', 'N': 'N' } read_tuple_id = 0 last_read_tuple_name = None with pysam.AlignmentFile(sam_fn, check_header=False) as samfile: for alignment in samfile: if (alignment.query_name != last_read_tuple_name and last_read_tuple_name is not None): read_tuple_id += 1 last_read_tuple_name = alignment.query_name if alignment.is_unmapped: rnftools.utils.error( "SAM files used for conversion should not contain unaligned segments. This condition is broken by read tuple '{}' in file '{}'." .format(alignment.query_name, sam_fn), program= 'RNFtools', subprogram='MIShmash', exception= NotImplementedError) if alignment.is_reverse: direction = 'R' bases = ''.join([reverse_complement_dict[nucl] for nucl in alignment.seq[::-1]]) qualities = str(alignment.qual[::-1]) else: direction = 'F' bases = alignment.seq[:] qualities = str(alignment.qual[:]) if fai_index.dict_chr_ids != {}: chr_id = fai_index.dict_chr_ids[samfile.getrname(alignment. reference_id)] else: chr_id = '0' left = int(alignment.reference_start) + 1 right = left - 1 for steps, operation in cigar_reg_shift.findall(alignment. cigarstring): right += int(steps) segment = rnftools.rnfformat.Segment(genome_id=genome_id, chr_id=chr_id, direction=direction, left=left, right=right) fq_creator.add_read(read_tuple_id=read_tuple_id, bases=bases, qualities=qualities, segments=[segment]) fq_creator.flush_read_tuple()
recode_sam_reads
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sam_fn, fastq_rnf_fo, fai_fo, genome_id, number_of_read_tuples=10 ** \n 9, simulator_name=None, allow_unmapped=False):\n fai_index = rnftools.utils.FaIdx...
def x(config): for handle, cfg in list(config['apps'].items()): if not cfg.get('enabled', True): continue app = get_application(handle) instances[app.handle] = app(cfg)
instantiate
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n for handle, cfg in list(config['apps'].items()):\n if not cfg.get('enabled', True):\n continue\n app = get_application(h...
def x(resource): return re.compile('^' + trim_resource(re.sub(':(\\w+)', '(?P<\\1>[\\w-]+?)', resource)) + '(\\?(?P<querystring>.*))?$')
compile_resource
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource):\n return re.compile('^' + trim_resource(re.sub(':(\\\\w+)',\n '(?P<\\\\1>[\\\\w-]+?)', resource)) + '(\\\\?(?P<querystring>.*))?$')\n", ...
def x(self, method): def x(callback, schema=None): reentrant = False if method == 'get': reentrant = True self.handlers.append({'method': method, 'callback': callback, 'schema': schema, 'reentrant': reentrant}) return self return _handler
create_handler_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method):\n\n def x(callback, schema=None):\n reentrant = False\n if method == 'get':\n reentrant = True\n self.handler...
def x(self, message): handlers = [] for handler in self.handlers: if handler['method'] != message.method: continue handlers.append(handler) return handlers
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n handlers = []\n for handler in self.handlers:\n if handler['method'] != message.method:\n continue\n handlers....
def x(self, resource): route = self.routes.get(resource, Route(resource)) self.routes.update({resource: route}) return route
route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, resource):\n route = self.routes.get(resource, Route(resource))\n self.routes.update({resource: route})\n return route\n", "role": "user" ...
def x(self, method): def x(resource, handler, schema=None): route = self.routes.get(resource, Route(resource)) route.__getattribute__(method)(handler, schema) self.routes.update({resource: route}) return self return _route
create_route_func
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, method):\n\n def x(resource, handler, schema=None):\n route = self.routes.get(resource, Route(resource))\n route.__getattribute__(method...
def x(self, message): results = [] for resource, route in self.routes.items(): __message = message.match(route) if __message is None: continue route_result = route.dispatch(__message) if len(route_result) == 0: continue results.append({'handlers': route_result, 'message': __message}) return results
dispatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n results = []\n for resource, route in self.routes.items():\n __message = message.match(route)\n if __message is None:\n ...
def x(data_type, data, data_id=None, caller=None): if not data_id: data_id = data_type if data_id not in _handlers: _handlers[data_id] = dict([(h.handle, h) for h in handlers. instantiate_for_data_type(data_type, data_id=data_id)]) for handler in list(_handlers[data_id].values()): try: data = handler(data, caller=caller) except Exception as inst: vodka.log.error("Data handler '%s' failed with error" % handler) vodka.log.error(traceback.format_exc()) return data
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data_type, data, data_id=None, caller=None):\n if not data_id:\n data_id = data_type\n if data_id not in _handlers:\n _handlers[data_id] = ...
def x(self, query): if query is None: return query query = self.update_reading_list(query) return query
validate_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, query):\n if query is None:\n return query\n query = self.update_reading_list(query)\n return query\n", "role": "user" }, { "...
def x(self, augment_query=None): augment_query = self.validate_query(augment_query) if not augment_query: augment_query = self.validate_query(Content.search_objects.sponsored()) if not augment_query: reading_list_config = getattr(settings, 'READING_LIST_CONFIG', {}) excluded_channel_ids = reading_list_config.get('excluded_channel_ids', []) augment_query = self.validate_query(Content.search_objects. evergreen_video(excluded_channel_ids=excluded_channel_ids)) return augment_query
get_validated_augment_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, augment_query=None):\n augment_query = self.validate_query(augment_query)\n if not augment_query:\n augment_query = self.validate_query(Cont...
def x(self, primary_query, augment_query=None, reverse_negate=False): primary_query = self.validate_query(primary_query) augment_query = self.get_validated_augment_query(augment_query= augment_query) try: if reverse_negate: primary_query = primary_query.filter(NegateQueryFilter( augment_query)) else: augment_query = augment_query.filter(NegateQueryFilter( primary_query)) augment_query = randomize_es(augment_query) return FirstSlotSlicer(primary_query, augment_query) except TransportError: return primary_query
augment_reading_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, primary_query, augment_query=None, reverse_negate=False):\n primary_query = self.validate_query(primary_query)\n augment_query = self.get_validated...
def x(self, reading_list): reading_list = reading_list.filter(~es_filter.Ids(values=[self.id])) reading_list_config = getattr(settings, 'READING_LIST_CONFIG', {}) excluded_doc_types = reading_list_config.get('excluded_doc_types', []) for obj in excluded_doc_types: reading_list = reading_list.filter(~es_filter.Type(value=obj)) return reading_list
update_reading_list
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reading_list):\n reading_list = reading_list.filter(~es_filter.Ids(values=[self.id]))\n reading_list_config = getattr(settings, 'READING_LIST_CONFI...
def x(self, **kwargs): reading_list = None context = {'name': '', 'content': reading_list, 'targeting': {}, 'videos': []} if self.reading_list_identifier == 'popular': reading_list = popular_content() context.update({'name': self.reading_list_identifier}) reading_list = self.augment_reading_list(reading_list) context.update({'content': reading_list}) return context if self.reading_list_identifier.startswith('specialcoverage'): special_coverage = SpecialCoverage.objects.get_by_identifier(self. reading_list_identifier) reading_list = special_coverage.get_content().query(SponsoredBoost( field_name='tunic_campaign_id')).sort('_score', '-published') context['targeting']['dfp_specialcoverage'] = special_coverage.slug if special_coverage.tunic_campaign_id: context['tunic_campaign_id'] = special_coverage.tunic_campaign_id context['targeting'].update({'dfp_campaign_id': special_coverage.tunic_campaign_id}) reading_list = self.update_reading_list(reading_list) else: reading_list = self.augment_reading_list(reading_list) context.update({'name': special_coverage.name, 'videos': special_coverage.videos, 'content': reading_list}) return context if self.reading_list_identifier.startswith('section'): section = Section.objects.get_by_identifier(self. reading_list_identifier) reading_list = section.get_content() reading_list = self.augment_reading_list(reading_list) context.update({'name': section.name, 'content': reading_list}) return context reading_list = Content.search_objects.search() reading_list = self.augment_reading_list(reading_list, reverse_negate=True) context.update({'name': 'Recent News', 'content': reading_list}) return context
get_reading_list_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n reading_list = None\n context = {'name': '', 'content': reading_list, 'targeting': {},\n 'videos': []}\n if self.reading_lis...
def x(cls, path): with open(path, encoding='utf-8') as file: file_contents = file.read() return cls.read(file_contents)
read_file
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n with open(path, encoding='utf-8') as file:\n file_contents = file.read()\n return cls.read(file_contents)\n", "role": "user"...
def x(cls, string): fmatter = '' body = '' result = cls._regex.search(string) if result: fmatter = result.group(1) body = result.group(2) return {'attributes': yaml.load(fmatter), 'body': body, 'frontmatter': fmatter}
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, string):\n fmatter = ''\n body = ''\n result = cls._regex.search(string)\n if result:\n fmatter = result.group(1)\n body = resul...
def x(case, config, summary): config['name'] = case timing_data = dict() model_dir = os.path.join(livvkit.model_dir, config['data_dir'], case) bench_dir = os.path.join(livvkit.bench_dir, config['data_dir'], case) plot_dir = os.path.join(livvkit.output_dir, 'performance', 'imgs') model_cases = functions.collect_cases(model_dir) bench_cases = functions.collect_cases(bench_dir) functions.mkdir_p(plot_dir) for subcase in sorted(model_cases): bench_subcases = bench_cases[subcase] if subcase in bench_cases else [] timing_data[subcase] = dict() for mcase in model_cases[subcase]: config['case'] = '-'.join([subcase, mcase]) bpath = os.path.join(bench_dir, subcase, mcase.replace('-', os. path.sep)) if mcase in bench_subcases else None mpath = os.path.join(model_dir, subcase, mcase.replace('-', os. path.sep)) timing_data[subcase][mcase] = _analyze_case(mpath, bpath, config) weak_data = weak_scaling(timing_data, config['scaling_var'], config[ 'weak_scaling_points']) strong_data = strong_scaling(timing_data, config['scaling_var'], config ['strong_scaling_points']) timing_plots = [generate_scaling_plot(weak_data, 'Weak scaling for ' + case.capitalize(), 'runtime (s)', '', os.path.join(plot_dir, case + '_weak_scaling.png')), weak_scaling_efficiency_plot(weak_data, 'Weak scaling efficiency for ' + case.capitalize(), 'Parallel efficiency (% of linear)', '', os.path.join(plot_dir, case + '_weak_scaling_efficiency.png')), generate_scaling_plot( strong_data, 'Strong scaling for ' + case.capitalize(), 'Runtime (s)', '', os.path.join(plot_dir, case + '_strong_scaling.png')), strong_scaling_efficiency_plot(strong_data, 'Strong scaling efficiency for ' + case.capitalize(), 'Parallel efficiency (% of linear)', '', os.path.join(plot_dir, case + '_strong_scaling_efficiency.png'))] timing_plots = timing_plots + [generate_timing_breakdown_plot( timing_data[s], config['scaling_var'], 'Timing breakdown for ' + case.capitalize() + ' ' + s, '', os.path.join(plot_dir, case + '_' + s + '_timing_breakdown.png')) for s in sorted(six.iterkeys( timing_data), key=functions.sort_scale)] el = [elements.gallery('Performance Plots', timing_plots)] result = elements.page(case, config['description'], element_list=el) summary[case] = _summarize_result(timing_data, config) _print_result(case, summary) functions.create_page_from_template('performance.html', os.path.join( livvkit.index_dir, 'performance', case + '.html')) functions.write_json(result, os.path.join(livvkit.output_dir, 'performance'), case + '.json')
run_suite
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(case, config, summary):\n config['name'] = case\n timing_data = dict()\n model_dir = os.path.join(livvkit.model_dir, config['data_dir'], case)\n be...
def x(model_dir, bench_dir, config): model_timings = set(glob.glob(os.path.join(model_dir, '*' + config[ 'timing_ext']))) if bench_dir is not None: bench_timings = set(glob.glob(os.path.join(bench_dir, '*' + config[ 'timing_ext']))) else: bench_timings = set() if not len(model_timings): return dict() model_stats = generate_timing_stats(model_timings, config['timing_vars']) bench_stats = generate_timing_stats(bench_timings, config['timing_vars']) return dict(model=model_stats, bench=bench_stats)
analyze_case
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model_dir, bench_dir, config):\n model_timings = set(glob.glob(os.path.join(model_dir, '*' + config[\n 'timing_ext'])))\n if bench_dir is not None...
def x(case, summary): for case, case_data in summary.items(): for dof, data in case_data.items(): print(' ' + case + ' ' + dof) print(' -------------------') for header, val in data.items(): print(' ' + header + ' : ' + str(val)) print('')
print_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(case, summary):\n for case, case_data in summary.items():\n for dof, data in case_data.items():\n print(' ' + case + ' ' + dof)\n ...
def x(result, config): timing_var = config['scaling_var'] summary = LIVVDict() for size, res in result.items(): proc_counts = [] bench_times = [] model_times = [] for proc, data in res.items(): proc_counts.append(int(proc[1:])) try: bench_times.append(data['bench'][timing_var]['mean']) except KeyError: pass try: model_times.append(data['model'][timing_var]['mean']) except KeyError: pass if model_times != [] and bench_times != []: time_diff = np.mean(model_times) / np.mean(bench_times) else: time_diff = 'NA' summary[size]['Proc. Counts'] = ', '.join([str(x) for x in sorted( proc_counts)]) summary[size]['Mean Time Diff (% of benchmark)'] = time_diff return summary
summarize_result
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(result, config):\n timing_var = config['scaling_var']\n summary = LIVVDict()\n for size, res in result.items():\n proc_counts = []\n ben...
def x(file_list, var_list): timing_result = dict() timing_summary = dict() for file in file_list: timing_result[file] = functions.parse_gptl(file, var_list) for var in var_list: var_time = [] for f, data in timing_result.items(): try: var_time.append(data[var]) except: continue if len(var_time): timing_summary[var] = {'mean': np.mean(var_time), 'max': np.max (var_time), 'min': np.min(var_time), 'std': np.std(var_time)} return timing_summary
generate_timing_stats
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_list, var_list):\n timing_result = dict()\n timing_summary = dict()\n for file in file_list:\n timing_result[file] = functions.parse_gptl(...
def x(timing_stats, scaling_var, data_points): timing_data = dict() proc_counts = [] bench_means = [] bench_mins = [] bench_maxs = [] model_means = [] model_mins = [] model_maxs = [] for point in data_points: size = point[0] proc = point[1] try: model_data = timing_stats[size][proc]['model'][scaling_var] bench_data = timing_stats[size][proc]['bench'][scaling_var] except KeyError: continue proc_counts.append(proc) model_means.append(model_data['mean']) model_mins.append(model_data['min']) model_maxs.append(model_data['max']) bench_means.append(bench_data['mean']) bench_mins.append(bench_data['min']) bench_maxs.append(bench_data['max']) timing_data['bench'] = dict(mins=bench_mins, means=bench_means, maxs= bench_maxs) timing_data['model'] = dict(mins=model_mins, means=model_means, maxs= model_maxs) timing_data['proc_counts'] = [int(pc[1:]) for pc in proc_counts] return timing_data
weak_scaling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timing_stats, scaling_var, data_points):\n timing_data = dict()\n proc_counts = []\n bench_means = []\n bench_mins = []\n bench_maxs = []\n m...
def x(timing_data, title, ylabel, description, plot_file): proc_counts = timing_data['proc_counts'] if len(proc_counts) > 2: plt.figure(figsize=(10, 8), dpi=150) plt.title(title) plt.xlabel('Number of processors') plt.ylabel(ylabel) for case, case_color in zip(['bench', 'model'], ['#91bfdb', '#fc8d59'] ): case_data = timing_data[case] means = case_data['means'] mins = case_data['mins'] maxs = case_data['maxs'] plt.fill_between(proc_counts, mins, maxs, facecolor=case_color, alpha=0.5) plt.plot(proc_counts, means, 'o-', color=case_color, label=case) plt.legend(loc='best') else: plt.figure(figsize=(5, 3)) plt.axis('off') plt.text(0.4, 0.8, 'ERROR:') plt.text(0.0, 0.6, 'Not enough data points to draw scaling plot') plt.text(0.0, 0.44, 'To generate this data rerun BATS with the') plt.text(0.0, 0.36, 'performance option enabled.') if livvkit.publish: plt.savefig(os.path.splitext(plot_file)[0] + '.eps', dpi=600) plt.savefig(plot_file) plt.close() return elements.image(title, description, os.path.basename(plot_file))
generate_scaling_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timing_data, title, ylabel, description, plot_file):\n proc_counts = timing_data['proc_counts']\n if len(proc_counts) > 2:\n plt.figure(figsize=(1...
def x(timing_stats, scaling_var, title, description, plot_file): cmap_data = colormaps._viridis_data n_subplots = len(six.viewkeys(timing_stats)) fig, ax = plt.subplots(1, n_subplots + 1, figsize=(3 * (n_subplots + 2), 5) ) for plot_num, p_count in enumerate(sorted(six.iterkeys(timing_stats), key=functions.sort_processor_counts)): case_data = timing_stats[p_count] all_timers = set(six.iterkeys(case_data['model'])) | set(six. iterkeys(case_data['bench'])) all_timers = sorted(list(all_timers), reverse=True) cmap_stride = int(len(cmap_data) / (len(all_timers) + 1)) colors = {all_timers[i]: cmap_data[i * cmap_stride] for i in range( len(all_timers))} sub_ax = plt.subplot(1, n_subplots + 1, plot_num + 1) sub_ax.set_title(p_count) sub_ax.set_ylabel('Runtime (s)') for case, var_data in case_data.items(): if case == 'bench': bar_num = 2 else: bar_num = 1 offset = 0 if var_data != {}: for var in sorted(six.iterkeys(var_data), reverse=True): if var != scaling_var: plt.bar(bar_num, var_data[var]['mean'], 0.8, bottom =offset, color=colors[var], label=var if bar_num == 1 else '_none') offset += var_data[var]['mean'] plt.bar(bar_num, var_data[scaling_var]['mean'] - offset, 0.8, bottom=offset, color=colors[scaling_var], label= scaling_var if bar_num == 1 else '_none') sub_ax.set_xticks([1.4, 2.4]) sub_ax.set_xticklabels(('test', 'bench')) plt.legend(loc=6, bbox_to_anchor=(1.05, 0.5)) plt.tight_layout() sub_ax = plt.subplot(1, n_subplots + 1, n_subplots + 1) hid_bar = plt.bar(1, 100) for group in hid_bar: group.set_visible(False) sub_ax.set_visible(False) if livvkit.publish: plt.savefig(os.path.splitext(plot_file)[0] + '.eps', dpi=600) plt.savefig(plot_file) plt.close() return elements.image(title, description, os.path.basename(plot_file))
generate_timing_breakdown_plot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timing_stats, scaling_var, title, description, plot_file):\n cmap_data = colormaps._viridis_data\n n_subplots = len(six.viewkeys(timing_stats))\n fig,...
def x(self, ra, dec, flag='', radius=10 * q.arcsec): id = int(len(self.catalog) + 1) ra = ra.to(q.deg) dec = dec.to(q.deg) datasets = 0 for cat_name, params in self.catalogs.items(): self.Vizier_query(params['cat_loc'], cat_name, ra, dec, radius, ra_col=params['ra_col'], dec_col=params['dec_col'], append=True, group=False) self.catalog = self.catalog.append([id, ra.value, dec.value, flag, datasets], ignore_index=True)
add_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ra, dec, flag='', radius=10 * q.arcsec):\n id = int(len(self.catalog) + 1)\n ra = ra.to(q.deg)\n dec = dec.to(q.deg)\n datasets = 0\n for ...
def x(self, id): self.catalog.set_index('id') self.catalog = self.catalog[self.catalog.id != id] for cat_name in self.catalogs: new_cat = getattr(self, cat_name)[getattr(self, cat_name).source_id != id] print('{} records removed from {} catalog'.format(int(len(getattr( self, cat_name)) - len(new_cat)), cat_name)) setattr(self, cat_name, new_cat)
delete_source
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id):\n self.catalog.set_index('id')\n self.catalog = self.catalog[self.catalog.id != id]\n for cat_name in self.catalogs:\n new_cat = get...
def x(self, data, cat_name, id_col, ra_col='_RAJ2000', dec_col='_DEJ2000', cat_loc='', append=False, count=-1): if not append and cat_name in self.catalogs: print('Catalog {} already ingested.'.format(cat_name)) else: if isinstance(data, str): cat_loc = cat_loc or data data = pd.read_csv(data, sep='\t', comment='#', engine='python')[: count] elif isinstance(data, pd.core.frame.DataFrame): cat_loc = cat_loc or type(data) elif isinstance(data, (at.QTable, at.Table)): cat_loc = cat_loc or type(data) data = pd.DataFrame(list(data), columns=data.colnames) else: print( 'Sorry, but I cannot read that data. Try an ascii file cat_loc, astropy table, or pandas data frame.' ) return if isinstance(data[ra_col][0], str): crds = coord.SkyCoord(ra=data[ra_col], dec=data[dec_col], unit= (q.hour, q.deg), frame='icrs') data.insert(0, 'dec', crds.dec) data.insert(0, 'ra', crds.ra) elif isinstance(data[ra_col][0], float): data.rename(columns={ra_col: 'ra', dec_col: 'dec'}, inplace=True) else: print( "I can't read the RA and DEC of the input data. Please try again." ) return try: last = len(getattr(self, cat_name)) if append else 0 data.insert(0, 'catID', ['{}_{}'.format(cat_name, n + 1) for n in range(last, last + len(data))]) data.insert(0, 'dec_corr', data['dec']) data.insert(0, 'ra_corr', data['ra']) data.insert(0, 'source_id', np.nan) print('Ingesting {} rows from {} catalog...'.format(len(data), cat_name)) if append: setattr(self, cat_name, getattr(self, cat_name).append(data, ignore_index=True)) else: setattr(self, cat_name, data) self.history += '\n{}: Catalog {} ingested.'.format(datetime. datetime.now().strftime('%Y-%m-%d %H:%M:%S'), cat_name) self.catalogs.update({cat_name: {'cat_loc': cat_loc, 'id_col': id_col, 'ra_col': ra_col, 'dec_col': dec_col}}) except AttributeError: print("No catalog named '{}'. Set 'append=False' to create it." .format(cat_name))
ingest_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data, cat_name, id_col, ra_col='_RAJ2000', dec_col='_DEJ2000',\n cat_loc='', append=False, count=-1):\n if not append and cat_name in self.catalogs...
def x(self, source_id): if self.n_sources == 0: print('Please run group_sources() to create the catalog first.') elif source_id > self.n_sources or source_id < 1 or not isinstance( source_id, int): print('Please enter an integer between 1 and', self.n_sources) else: print('Source:') print(at.Table.from_pandas(self.catalog[self.catalog['id'] == source_id]).pprint()) for cat_name in self.catalogs: cat = getattr(self, cat_name) rows = cat[cat['source_id'] == source_id] if not rows.empty: print('\n{}:'.format(cat_name)) at.Table.from_pandas(rows).pprint()
inventory
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source_id):\n if self.n_sources == 0:\n print('Please run group_sources() to create the catalog first.')\n elif source_id > self.n_sources o...
def x(self, cat_name, append=False): good = True if cat_name[0].isdigit(): print('No names beginning with numbers please!') good = False if not append and cat_name in self.catalogs: print( "Catalog {} already ingested. Set 'append=True' to add more records." .format(cat_name)) good = False return good
catalog_check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_name, append=False):\n good = True\n if cat_name[0].isdigit():\n print('No names beginning with numbers please!')\n good = False\...
def x(self, cat_name, ra, dec, radius, group=True, **kwargs): if self._catalog_check(cat_name): tab = at.Table.from_pandas(self.catalog) print( 'Searching SDSS for sources within {} of ({}, {}). Please be patient...' .format(viz_cat, radius, ra, dec)) crds = coord.SkyCoord(ra=ra, dec=dec, frame='icrs') try: data = SDSS.query_region(crds, spectro=True, radius=radius) except: print('No data found in SDSS within {} of ({}, {}).'.format( viz_cat, radius, ra, dec)) return self.ingest_data(data, cat_name, 'id', ra_col=ra_col, dec_col=dec_col) if len(self.catalogs) > 1 and group: self.group_sources(self.xmatch_radius)
SDSS_spectra_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_name, ra, dec, radius, group=True, **kwargs):\n if self._catalog_check(cat_name):\n tab = at.Table.from_pandas(self.catalog)\n print...
def x(self, viz_cat, cat_name, ra, dec, radius, ra_col='RAJ2000', dec_col= 'DEJ2000', columns=['**'], append=False, group=True, **kwargs): if self._catalog_check(cat_name, append=append): print( 'Searching {} for sources within {} of ({}, {}). Please be patient...' .format(viz_cat, radius, ra, dec)) crds = coord.SkyCoord(ra=ra, dec=dec, frame='icrs') V = Vizier(columns=columns, **kwargs) V.ROW_LIMIT = -1 try: data = V.query_region(crds, radius=radius, catalog=viz_cat)[0] except: print('No data found in {} within {} of ({}, {}).'.format( viz_cat, radius, ra, dec)) return self.ingest_data(data, cat_name, 'id', ra_col=ra_col, dec_col= dec_col, cat_loc=viz_cat, append=append) if len(self.catalogs) > 1 and group: self.group_sources(self.xmatch_radius)
Vizier_query
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, viz_cat, cat_name, ra, dec, radius, ra_col='RAJ2000', dec_col=\n 'DEJ2000', columns=['**'], append=False, group=True, **kwargs):\n if self._catalog...
def x(self, viz_cat, cat_name, ra_col='_RAJ2000', dec_col='_DEJ2000', radius='', group=True): if self.catalog.empty: print('Please run group_sources() before cross matching.') return if self._catalog_check(cat_name): viz_cat = 'vizier:{}'.format(viz_cat) tab = at.Table.from_pandas(self.catalog) print('Cross matching {} sources with {} catalog. Please be patient...' .format(len(tab), viz_cat)) data = XMatch.query(cat1=tab, cat2=viz_cat, max_distance=radius or self.xmatch_radius * q.deg, colRA1='ra', colDec1='dec', colRA2= ra_col, colDec2=dec_col) self.ingest_data(data, cat_name, 'id', ra_col=ra_col, dec_col=dec_col) if group: self.group_sources(self.xmatch_radius)
Vizier_xmatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, viz_cat, cat_name, ra_col='_RAJ2000', dec_col='_DEJ2000',\n radius='', group=True):\n if self.catalog.empty:\n print('Please run group_sourc...
def x(self, radius='', plot=False): if len(self.catalogs) == 0: print( 'No catalogs to start grouping! Add one with the ingest_data() method first.' ) else: print('Grouping sources from the following catalogs:', list(self. catalogs.keys())) cats = pd.concat([getattr(self, cat_name) for cat_name in self. catalogs]) cats['oncID'] = np.nan cats['oncflag'] = '' self.xmatch_radius = radius if isinstance(radius, (float, int) ) else self.xmatch_radius coords = cats[['ra_corr', 'dec_corr']].values db = DBSCAN(eps=self.xmatch_radius, min_samples=1, n_jobs=-1).fit( coords) core_samples_mask = np.zeros_like(db.labels_, dtype=bool) core_samples_mask[db.core_sample_indices_] = True source_ids = db.labels_ + 1 unique_source_ids = list(set(source_ids)) self.n_sources = len(unique_source_ids) unique_coords = np.asarray([np.mean(coords[source_ids == id], axis= 0) for id in list(set(source_ids))]) self.catalog = pd.DataFrame(columns=('id', 'ra', 'dec', 'flag', 'datasets')) self.catalog['id'] = unique_source_ids self.catalog[['ra', 'dec']] = unique_coords self.catalog['flag'] = [None] * len(unique_source_ids) self.catalog['datasets'] = Counter(source_ids).values() self.history += '\n{}: Catalog grouped with radius {} arcsec.'.format( datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S'), self. xmatch_radius) cats['source_id'] = source_ids for cat_name in self.catalogs: cat_source_ids = cats.loc[cats['catID'].str.startswith(cat_name)][ 'source_id'] cat = getattr(self, cat_name) cat['source_id'] = cat_source_ids setattr(self, cat_name, cat) del cat, cat_source_ids del cats if plot: plt.figure() plt.title('{} clusters for {} sources'.format(self.n_sources, len(coords))) colors = [plt.cm.Spectral(each) for each in np.linspace(0, 1, self.n_sources)] for k, col in zip(unique_source_ids, colors): class_member_mask = source_ids == k xy = coords[class_member_mask & core_samples_mask] marker = 'o' if len(xy) == 1: col = [0, 0, 0, 1] marker = '+' plt.plot(xy[:, 0], xy[:, 1], color=tuple(col), marker= marker, markerfacecolor=tuple(col))
group_sources
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, radius='', plot=False):\n if len(self.catalogs) == 0:\n print(\n 'No catalogs to start grouping! Add one with the ingest_data() meth...
def x(self, cat_name): self.catalogs.pop(cat_name) delattr(self, cat_name) print('Deleted {} catalog.'.format(cat_name)) self.history += '\n{}: Deleted {} catalog.'.format(datetime.datetime. now().strftime('%Y-%m-%d %H:%M:%S'), cat_name)
drop_catalog
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_name):\n self.catalogs.pop(cat_name)\n delattr(self, cat_name)\n print('Deleted {} catalog.'.format(cat_name))\n self.history += '\\n{}: ...
def x(self, path): DB = joblib.load(path) self.catalog = DB.catalog self.n_sources = DB.n_sources self.name = DB.name self.history = DB.history del DB
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, path):\n DB = joblib.load(path)\n self.catalog = DB.catalog\n self.n_sources = DB.n_sources\n self.name = DB.name\n self.history = DB.hist...
def x(self, cat_name, truth='ACS'): if not self.xmatch_radius: print('Please run group_sources() before running correct_offsets().') else: self.catalog.loc[self.catalog['cat_name'] == cat_name, 'ra_corr' ] = self.catalog.loc[self.catalog['cat_name'] == cat_name, '_RAJ2000'] self.catalog.loc[self.catalog['cat_name'] == cat_name, 'dec_corr' ] = self.catalog.loc[self.catalog['cat_name'] == cat_name, '_DEJ2000'] onc_gr = self.catalog.copy() o2o_new = onc_gr.loc[onc_gr['oncflag'].str.contains('o') & (onc_gr[ 'cat_name'] == cat_name), :].sort_values('oncID') o2o_old = onc_gr.loc[onc_gr['oncID'].isin(o2o_new['oncID']) & ( onc_gr['cat_name'] == truth), :].sort_values('oncID') c_o2o_new = SkyCoord(o2o_new.loc[o2o_new['cat_name'] == cat_name, 'ra_corr'], o2o_new.loc[o2o_new['cat_name'] == cat_name, 'dec_corr'], unit='degree') c_o2o_old = SkyCoord(o2o_old.loc[o2o_old['cat_name'] == truth, 'ra_corr'], o2o_old.loc[o2o_old['cat_name'] == truth, 'dec_corr'], unit='degree') print(len(c_o2o_old), 'one-to-one matches found!') if len(c_o2o_old) > 0: delta_ra = [] delta_dec = [] for i in range(len(c_o2o_old)): ri, di = c_o2o_old[i].spherical_offsets_to(c_o2o_new[i]) delta_ra.append(ri.arcsecond) delta_dec.append(di.arcsecond) progress_meter((i + 1) * 100.0 / len(c_o2o_old)) delta_ra = np.array(delta_ra) delta_dec = np.array(delta_dec) print('\n') mu_ra, std_ra = norm.fit(delta_ra) mu_dec, std_dec = norm.fit(delta_dec) mu_ra = round(mu_ra, 6) mu_dec = round(mu_dec, 6) print('Shifting {} sources by {}" in RA and {}" in Dec...'. format(cat_name, mu_ra, mu_dec)) self.catalog.loc[self.catalog['cat_name'] == cat_name, 'ra_corr' ] += mu_ra self.catalog.loc[self.catalog['cat_name'] == cat_name, 'dec_corr' ] += mu_dec now = datetime.datetime.now().strftime('%Y-%m-%d %H:%M:%S') self.history += ( '\n{}: {} sources shifted by {} deg in RA and {} deg in Declination.' .format(now, cat_name, mu_ra, mu_dec)) self.group_sources(self.xmatch_radius) else: print('Cannot correct offsets in {} sources.'.format(cat_name))
correct_offsets
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, cat_name, truth='ACS'):\n if not self.xmatch_radius:\n print('Please run group_sources() before running correct_offsets().')\n else:\n ...
def x(self): if self._jinja_env is None: self._jinja_env = SandboxedEnvironment(extensions=[ 'jinja2.ext.autoescape', 'jinja2.ext.with_'], autoescape=True) self._jinja_env.globals['url_for'] = url_for for var in self.app.config['PAGES_WHITELIST_CONFIG_KEYS']: self._jinja_env.globals[var] = self.app.config.get(var) return self._jinja_env
jinja_env
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self._jinja_env is None:\n self._jinja_env = SandboxedEnvironment(extensions=[\n 'jinja2.ext.autoescape', 'jinja2.ext.with_'],...
def x(self, source, **kwargs_context): return self.jinja_env.from_string(source).render(kwargs_context)
render_template
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, source, **kwargs_context):\n return self.jinja_env.from_string(source).render(kwargs_context)\n", "role": "user" }, { "content": "render_t...
def x(app): try: existing_handler = app.error_handler_spec[None][404][NotFound] except (KeyError, TypeError): existing_handler = None if existing_handler: app.error_handler_spec[None][404][NotFound ] = lambda error: handle_not_found(error, wrapped=existing_handler) else: app.error_handler_spec.setdefault(None, {}).setdefault(404, {}) app.error_handler_spec[None][404][NotFound] = handle_not_found
wrap_errorhandler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n try:\n existing_handler = app.error_handler_spec[None][404][NotFound]\n except (KeyError, TypeError):\n existing_handler = None\n ...
def x(self, app): self.init_config(app) self.wrap_errorhandler(app) app.extensions['invenio-pages'] = _InvenioPagesState(app) return app.extensions['invenio-pages']
init_app
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, app):\n self.init_config(app)\n self.wrap_errorhandler(app)\n app.extensions['invenio-pages'] = _InvenioPagesState(app)\n return app.extensio...
def x(self, group_id): path = {} data = {} params = {} """ID""" path['group_id'] = group_id self.logger.debug( 'GET /api/v1/groups/{group_id}/conferences with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/groups/{group_id}/conferences'.format(**path), data=data, params=params, all_pages=True)
list_conferences_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):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['group_id'] = group_id\n self.logger.debug(\n 'GET /api...
def x(self, course_id, quiz_assignment_overrides_0_quiz_ids=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """An array of quiz IDs. If omitted, overrides for all quizzes available to the operating user will be returned.""" if quiz_assignment_overrides_0_quiz_ids is not None: params['quiz_assignment_overrides[0][quiz_ids]' ] = quiz_assignment_overrides_0_quiz_ids self.logger.debug( 'GET /api/v1/courses/{course_id}/quizzes/assignment_overrides with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/quizzes/assignment_overrides'.format( **path), data=data, params=params, single_item=True)
retrieve_assignment_overridden_dates_for_quizzes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, quiz_assignment_overrides_0_quiz_ids=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['course_id'] = course...
def x(self, X, y): self._data = X self._classes = np.unique(y) self._labels = y self._is_fitted = True
fit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X, y):\n self._data = X\n self._classes = np.unique(y)\n self._labels = y\n self._is_fitted = True\n", "role": "user" }, { "conte...
def x(self, X): if X.ndim > 1 and X.shape[1] != 1: out = [] for x in X: out += self.predict(x) return out X = X.flatten() if self.metric == 'minkowski': dists = np.sum(np.abs(self._data - X) ** self.p, axis=1) else: raise ValueError('Only Minkowski distance metric implemented...') argument = np.argsort(dists) labels = self._labels[argument[:self.n_neighbors]] if self.weights == 'distance': weights = 1 / dists[argument[:self.n_neighbors]] out = np.zeros((len(self._classes),), 'float') for i, c in enumerate(self._classes): out[i] = np.sum(weights[labels == c]) out /= np.sum(out) y_pred = self._labels[np.argmax(out)] else: y_pred, _ = mode(labels) return y_pred.tolist()
predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, X):\n if X.ndim > 1 and X.shape[1] != 1:\n out = []\n for x in X:\n out += self.predict(x)\n return out\n X = X.fla...
def x(endpoint, filename=None, **values): lookup_result = overlay_url_for(endpoint, filename, **values) if lookup_result is not None: return lookup_result return url_for(endpoint, filename=filename, **values)
replaced_url_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, filename=None, **values):\n lookup_result = overlay_url_for(endpoint, filename, **values)\n if lookup_result is not None:\n return looku...
def x(error, endpoint, values): url = overlay_url_for(endpoint, **values) if url is None: exc_type, exc_value, tb = sys.exc_info() if exc_value is error: reraise(exc_type, exc_value, tb) else: raise error return url
handle_url_error
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(error, endpoint, values):\n url = overlay_url_for(endpoint, **values)\n if url is None:\n exc_type, exc_value, tb = sys.exc_info()\n if exc...
def x(endpoint, filename=None, **values): default_url_for_args = values.copy() if filename: default_url_for_args['filename'] = filename if endpoint == 'static' or endpoint.endswith('.static'): if os.path.sep in filename: filename_parts = filename.split(os.path.sep) component = filename_parts[0] filename = os.path.join(*filename_parts[1:]) returned_url = build_url(component, filename, **values) if returned_url is not None: return returned_url return None
overlay_url_for
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(endpoint, filename=None, **values):\n default_url_for_args = values.copy()\n if filename:\n default_url_for_args['filename'] = filename\n if en...
def x(component, filename, **values): root = current_app.config['BOWER_COMPONENTS_ROOT'] bower_data = None package_data = None if not os.path.isdir(os.path.join(current_app.root_path, root, component)): return None bower_file_path = os.path.join(current_app.root_path, root, component, 'bower.json') if os.path.exists(bower_file_path): with open(bower_file_path, 'r') as bower_file: bower_data = json.load(bower_file) package_file_path = os.path.join(current_app.root_path, root, component, 'package.json') if os.path.exists(package_file_path): with open(package_file_path, 'r') as package_file: package_data = json.load(package_file) if not os.path.exists(os.path.join(current_app.root_path, root, component, filename)): return None if current_app.config['BOWER_TRY_MINIFIED']: if '.min.' not in filename: minified_filename = '%s.min.%s' % tuple(filename.rsplit('.', 1)) minified_path = os.path.join(root, component, minified_filename) if os.path.exists(os.path.join(current_app.root_path, minified_path)): filename = minified_filename if current_app.config['BOWER_QUERYSTRING_REVVING']: if bower_data is not None and 'version' in bower_data: values['version'] = bower_data['version'] elif package_data is not None and 'version' in package_data: values['version'] = package_data['version'] else: values['version'] = os.path.getmtime(os.path.join(current_app. root_path, root, component, filename)) return url_for('bower.serve', component=component, filename=filename, **values)
build_url
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(component, filename, **values):\n root = current_app.config['BOWER_COMPONENTS_ROOT']\n bower_data = None\n package_data = None\n if not os.path.isd...
def x(api, logger, install_dir=None): if api == ApiType.tcl: api_wrapper = IxnTclWrapper(logger, install_dir) elif api == ApiType.python: api_wrapper = IxnPythonWrapper(logger, install_dir) elif api == ApiType.rest: api_wrapper = IxnRestWrapper(logger) else: raise TgnError('{} API not supported - use Tcl, python or REST'. format(api)) return IxnApp(logger, api_wrapper)
init_ixn
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(api, logger, install_dir=None):\n if api == ApiType.tcl:\n api_wrapper = IxnTclWrapper(logger, install_dir)\n elif api == ApiType.python:\n ...
def x(self): if self.root.ref is not None: self.api.disconnect() self.root = None
disconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if self.root.ref is not None:\n self.api.disconnect()\n self.root = None\n", "role": "user" }, { "content": "disconnect", ...
def x(self, ports, force=False, wait_for_up=True, timeout=80): if force: for port in ports: port.release() for port, location in ports.items(): port.reserve(location, False, wait_for_up, timeout)
reserve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, ports, force=False, wait_for_up=True, timeout=80):\n if force:\n for port in ports:\n port.release()\n for port, location in port...
def x(self): assert not self._timer, '%r is already started; to restart it, cancel it first' % self loop = evergreen.current.loop current = evergreen.current.task if self.seconds is None or self.seconds < 0: self._timer = None elif self.exception is None or isinstance(self.exception, bool): self._timer = loop.call_later(self.seconds, self._timer_cb, current .throw, self) else: self._timer = loop.call_later(self.seconds, self._timer_cb, current .throw, self.exception)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n assert not self._timer, '%r is already started; to restart it, cancel it first' % self\n loop = evergreen.current.loop\n current = evergreen....
def x(self): if not self.is_empty(): suffix_comment_buffer = [] if self._info_simulator is not None: suffix_comment_buffer.append(self._info_simulator) if self._info_reads_in_tuple: suffix_comment_buffer.append('reads-in-tuple:{}'.format(len( self.seqs_bases))) if len(suffix_comment_buffer) != 0: suffix_comment = '[{}]'.format(','.join(suffix_comment_buffer)) else: suffix_comment = '' rnf_name = self._rnf_profile.get_rnf_name(rnftools.rnfformat. ReadTuple(segments=self.segments, read_tuple_id=self. current_read_tuple_id, suffix=suffix_comment)) fq_reads = [os.linesep.join(['@{rnf_name}{read_suffix}'.format( rnf_name=rnf_name, read_suffix='/{}'.format(str(i + 1)) if len( self.seqs_bases) > 1 else ''), self.seqs_bases[i], '+', self. seqs_qualities[i]]) for i in range(len(self.seqs_bases))] self._fq_file.write(os.linesep.join(fq_reads)) self._fq_file.write(os.linesep) self.empty()
flush_read_tuple
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if not self.is_empty():\n suffix_comment_buffer = []\n if self._info_simulator is not None:\n suffix_comment_buffer.append...
def x(self, read_tuple_id, bases, qualities, segments): assert type(bases) is str, "Wrong type of bases: '{}'".format(bases) assert type(qualities) is str, "Wrong type of qualities: '{}'".format( qualities) assert type(segments) is tuple or type(segments) is list if self.current_read_tuple_id != read_tuple_id: self.flush_read_tuple() self.current_read_tuple_id = read_tuple_id self.seqs_bases.append(bases) self.seqs_qualities.append(qualities) self.segments.extend(segments)
add_read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, read_tuple_id, bases, qualities, segments):\n assert type(bases) is str, \"Wrong type of bases: '{}'\".format(bases)\n assert type(qualities) is st...
def x(self, name): category = BayesCategory(name) self.categories[name] = category return category
add_category
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n category = BayesCategory(name)\n self.categories[name] = category\n return category\n", "role": "user" }, { "content": "add...
def x(self, line): if line.startswith('Name'): return None if line.startswith('--------'): return None if line.startswith('TOTAL'): return None if '100%' in line: return False if line == '\n': return None if self._last_line_was_printable else False return True
line_is_interesting
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, line):\n if line.startswith('Name'):\n return None\n if line.startswith('--------'):\n return None\n if line.startswith('TOTAL'):\...
def x(cls, path): df = pd.read_csv(path, delim_whitespace=True, names=['source', 'sign', 'target']).drop_duplicates() edges = [(source, target, {'sign': sign}) for _, source, sign, target in df.itertuples()] return cls(data=edges)
read_sif
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, path):\n df = pd.read_csv(path, delim_whitespace=True, names=['source', 'sign',\n 'target']).drop_duplicates()\n edges = [(source, target, {'...
def x(self, node, exclude_compressed=True): preds = super(Graph, self).predecessors(node) if exclude_compressed: return [n for n in preds if not self.node[n].get('compressed', False)] else: return preds
predecessors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, exclude_compressed=True):\n preds = super(Graph, self).predecessors(node)\n if exclude_compressed:\n return [n for n in preds if not s...
def x(self, node, exclude_compressed=True): succs = super(Graph, self).successors(node) if exclude_compressed: return [n for n in succs if not self.node[n].get('compressed', False)] else: return succs
successors
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, node, exclude_compressed=True):\n succs = super(Graph, self).successors(node)\n if exclude_compressed:\n return [n for n in succs if not sel...
def x(self, setup): designated = set(setup.nodes) zipped = self.copy() marked = [(n, d) for n, d in self.nodes(data=True) if n not in designated and not d.get('compressed', False)] while marked: for node, _ in sorted(marked): backward = zipped.predecessors(node) forward = zipped.successors(node) if not backward or len(backward) == 1 and not backward[0 ] in forward: self.__merge_source_targets(node, zipped) elif not forward or len(forward) == 1 and not forward[0 ] in backward: self.__merge_target_sources(node, zipped) else: designated.add(node) marked = [(n, d) for n, d in self.nodes(data=True) if n not in designated and not d.get('compressed', False)] not_compressed = [(n, d) for n, d in zipped.nodes(data=True) if not d. get('compressed', False)] return zipped.subgraph([n for n, _ in not_compressed])
compress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, setup):\n designated = set(setup.nodes)\n zipped = self.copy()\n marked = [(n, d) for n, d in self.nodes(data=True) if n not in\n designa...
def x(*rnf_profiles): for rnf_profile in rnf_profiles: self.prefix_width = max(self.prefix_width, rnf_profile.prefix_width) self.read_tuple_id_width = max(self.read_tuple_id_width, rnf_profile.read_tuple_id_width) self.genome_id_width = max(self.genome_id_width, rnf_profile. genome_id_width) self.chr_id_width = max(self.chr_id_width, rnf_profile.chr_id_width) self.coor_width = max(self.coor_width, rnf_profile.coor_width)
combine
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*rnf_profiles):\n for rnf_profile in rnf_profiles:\n self.prefix_width = max(self.prefix_width, rnf_profile.prefix_width)\n self.read_tuple_id...
def x(self, read_tuple_name): self.prefix_width = 0 self.read_tuple_id_width = 0 self.genome_id_width = 0 self.chr_id_width = 0 self.coor_width = 0 parts = read_tuple_name.split('__') self.prefix_width = len(parts[0]) self.read_tuple_id_width = len(parts[1]) segments = parts[2][1:-1].split('),(') for segment in segments: int_widths = list(map(len, segment.split(','))) self.genome_id_width = max(self.genome_id_width, int_widths[0]) self.chr_id_width = max(self.chr_id_width, int_widths[1]) self.coor_width = max(self.coor_width, int_widths[2], int_widths[3])
load
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, read_tuple_name):\n self.prefix_width = 0\n self.read_tuple_id_width = 0\n self.genome_id_width = 0\n self.chr_id_width = 0\n self.coor_wi...
def x(self, read_tuple_name, read_tuple_id=None, synchronize_widths=True): parts = read_tuple_name.split('__') parts[0] = self._fill_right(parts[0], '-', self.prefix_width) if read_tuple_id is not None: parts[1] = '{:x}'.format(read_tuple_id) parts[1] = self._fill_left(parts[1], '0', self.read_tuple_id_width) if synchronize_widths: new_segments = [] segments = parts[2][1:-1].split('),(') for segment in segments: values = segment.split(',') values[0] = values[0].zfill(self.genome_id_width) values[1] = values[1].zfill(self.chr_id_width) values[3] = values[3].zfill(self.coor_width) values[4] = values[4].zfill(self.coor_width) new_segments.append('(' + ','.join(values) + ')') parts[2] = ','.join(new_segments) return '__'.join(parts)
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, read_tuple_name, read_tuple_id=None, synchronize_widths=True):\n parts = read_tuple_name.split('__')\n parts[0] = self._fill_right(parts[0], '-', s...
def x(self, read_tuple_name): parts = read_tuple_name.split('__') if len(parts[0]) != self.prefix_width or len(parts[1] ) != self.read_tuple_id_width: return False segments = parts[2][1:-1].split('),(') for segment in segments: int_widths = list(map(len, segment.split(','))) if self.genome_id_width != int_widths[0]: return False if self.chr_id_width != int_widths[1]: return False if self.coor_width != int_widths[3] or self.coor_width != int_widths[4 ]: return False return True
check
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, read_tuple_name):\n parts = read_tuple_name.split('__')\n if len(parts[0]) != self.prefix_width or len(parts[1]\n ) != self.read_tuple_id_wi...
def x(self, table): col_defs = self.get_table_definition(table).split('\n') return [i[0:-1].strip().replace(',', ', ') for i in col_defs if i.strip ().startswith('`')]
get_column_definition_all
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table):\n col_defs = self.get_table_definition(table).split('\\n')\n return [i[0:-1].strip().replace(',', ', ') for i in col_defs if i.strip\n ...
def x(self, table, column): for col in self.get_column_definition_all(table): if col.strip('`').startswith(column): return col.strip(',')
get_column_definition
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, table, column):\n for col in self.get_column_definition_all(table):\n if col.strip('`').startswith(column):\n return col.strip(',')\...
def x(modname): original_name = '__original_module_' + modname if original_name in sys.modules: return sys.modules.get(original_name) saver = SysModulesSaver((modname,)) sys.modules.pop(modname, None) try: real_mod = __import__(modname, {}, {}, modname.split('.')[:-1]) sys.modules[original_name] = real_mod finally: saver.restore() return sys.modules[original_name]
original
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(modname):\n original_name = '__original_module_' + modname\n if original_name in sys.modules:\n return sys.modules.get(original_name)\n saver =...
def x(**on): accepted_args = set(('select', 'socket', 'time')) default_on = on.pop('all', None) for k in on.keys(): if k not in accepted_args: raise TypeError('patch() got an unexpected keyword argument %r' % k ) if default_on is None: default_on = not True in list(on.values()) for modname in accepted_args: on.setdefault(modname, default_on) modules_to_patch = [] if on['select'] and not already_patched.get('select'): modules_to_patch += _select_modules() already_patched['select'] = True if on['socket'] and not already_patched.get('socket'): modules_to_patch += _socket_modules() already_patched['socket'] = True if on['time'] and not already_patched.get('time'): modules_to_patch += _time_modules() already_patched['time'] = True imp.acquire_lock() try: for name, mod in modules_to_patch: orig_mod = sys.modules.get(name) if orig_mod is None: orig_mod = __import__(name) for attr_name in mod.__patched__: patched_attr = getattr(mod, attr_name, None) if patched_attr is not None: setattr(orig_mod, attr_name, patched_attr) finally: imp.release_lock()
patch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(**on):\n accepted_args = set(('select', 'socket', 'time'))\n default_on = on.pop('all', None)\n for k in on.keys():\n if k not in accepted_args...
def x(module_name, new_globals, *additional_modules): patched_name = '__patched_module_' + module_name if patched_name in sys.modules: return sys.modules[patched_name] if not additional_modules: additional_modules = _select_modules() + _socket_modules( ) + _time_modules() saver = SysModulesSaver([name for name, m in additional_modules]) saver.save(module_name) for name, mod in additional_modules: sys.modules[name] = mod sys.modules.pop(module_name, None) try: module = __import__(module_name, {}, {}, module_name.split('.')[:-1]) if new_globals is not None: for name in dir(module): if name not in __exclude: new_globals[name] = getattr(module, name) sys.modules[patched_name] = module finally: saver.restore() return module
inject
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(module_name, new_globals, *additional_modules):\n patched_name = '__patched_module_' + module_name\n if patched_name in sys.modules:\n return sys....
def x(source, destination, ignore=[], srckeys=None): if srckeys is None: srckeys = source.__all__ destination.update(dict([(name, getattr(source, name)) for name in srckeys if not (name.startswith('__') or name in ignore)]))
slurp_properties
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(source, destination, ignore=[], srckeys=None):\n if srckeys is None:\n srckeys = source.__all__\n destination.update(dict([(name, getattr(source, ...
def x(self, *module_names): for modname in module_names: self._saved[modname] = sys.modules.get(modname, None)
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *module_names):\n for modname in module_names:\n self._saved[modname] = sys.modules.get(modname, None)\n", "role": "user" }, { "con...
def x(self): try: for modname, mod in self._saved.items(): if mod is not None: sys.modules[modname] = mod else: try: del sys.modules[modname] except KeyError: pass finally: imp.release_lock()
restore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n try:\n for modname, mod in self._saved.items():\n if mod is not None:\n sys.modules[modname] = mod\n el...
def x(self, item_list): if len(item_list) == 1: self[item_list[0]] = LIVVDict() elif len(item_list) > 1: if item_list[0] not in self: self[item_list[0]] = LIVVDict() self[item_list[0]].nested_insert(item_list[1:])
nested_insert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, item_list):\n if len(item_list) == 1:\n self[item_list[0]] = LIVVDict()\n elif len(item_list) > 1:\n if item_list[0] not in self:\n ...
def x(self, key_list, value): if len(key_list) == 1: self[key_list[0]] = value elif len(key_list) > 1: if key_list[0] not in self: self[key_list[0]] = LIVVDict() self[key_list[0]].nested_assign(key_list[1:], value)
nested_assign
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key_list, value):\n if len(key_list) == 1:\n self[key_list[0]] = value\n elif len(key_list) > 1:\n if key_list[0] not in self:\n ...
def x(sender, instance, created, **kwargs): model_label = '.'.join([sender._meta.app_label, sender._meta.object_name]) labels = resolve_labels(model_label) order_field_names = is_orderable(model_label) if order_field_names: orderitem_set = getattr(instance, resolve_order_item_related_set_name(labels)) if not orderitem_set.all(): fields = {} for order_field_name in order_field_names: fields[order_field_name] = 1 orderitem_set.model.objects.create(item=instance, **fields) sanitize_order(orderitem_set.model)
post_save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, created, **kwargs):\n model_label = '.'.join([sender._meta.app_label, sender._meta.object_name])\n labels = resolve_labels(model_label)...