source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(f): f = click.option('--config', envvar='VODKA_HOME', default=click. get_app_dir('vodka'), help='location of config file')(f) return f
options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n f = click.option('--config', envvar='VODKA_HOME', default=click.\n get_app_dir('vodka'), help='location of config file')(f)\n return f\n", ...
def x(config): cfg = vodka.config.Config(read=config) vodka.log.set_loggers(cfg.get('logging')) vodka.app.load_all(cfg) click.echo('Checking config at %s for errors ...' % config) num_crit, num_warn = vodka.config.InstanceHandler.validate(cfg) click.echo('%d config ERRORS, %d config WARNINGS' % (num_crit, num_warn))
check_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n cfg = vodka.config.Config(read=config)\n vodka.log.set_loggers(cfg.get('logging'))\n vodka.app.load_all(cfg)\n click.echo('Checking conf...
def x(config, skip_defaults): configurator = ClickConfigurator(vodka.plugin, skip_defaults=skip_defaults) configurator.configure(vodka.config.instance, vodka.config.InstanceHandler) try: dst = munge_config.parse_url(config) except ValueError: config = os.path.join(config, 'config.yaml') dst = munge_config.parse_url(config) config_dir = os.path.dirname(config) if not os.path.exists(config_dir) and config_dir: os.makedirs(config_dir) dst.cls().dumpu(vodka.config.instance, dst.url.path) if configurator.action_required: click.echo('') click.echo( 'not all required values could be set by this script, please manually edit the config and set the following values' ) click.echo('') for item in configurator.action_required: click.echo('- %s' % item) click.echo('') click.echo('Config written to %s' % dst.url.path)
config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config, skip_defaults):\n configurator = ClickConfigurator(vodka.plugin, skip_defaults=skip_defaults)\n configurator.configure(vodka.config.instance, vod...
def x(path): app_path = os.path.join(VODKA_INSTALL_DIR, 'resources', 'blank_app') if not os.path.exists(path): os.makedirs(path) elif os.path.exists(os.path.join(path, 'application.py')): click.error( 'There already exists a vodka app at %s, please specify a different path' % path) os.makedirs(os.path.join(path, 'plugins')) shutil.copy(os.path.join(app_path, 'application.py'), os.path.join(path, 'application.py')) shutil.copy(os.path.join(app_path, '__init__.py'), os.path.join(path, '__init__.py')) shutil.copy(os.path.join(app_path, 'plugins', 'example.py'), os.path. join(path, 'plugins', 'example.py')) shutil.copy(os.path.join(app_path, 'plugins', '__init__.py'), os.path. join(path, 'plugins', '__init__.py'))
newapp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(path):\n app_path = os.path.join(VODKA_INSTALL_DIR, 'resources', 'blank_app')\n if not os.path.exists(path):\n os.makedirs(path)\n elif os.path...
def x(config): cfg = vodka.config.Config(read=config) vodka.run(cfg, cfg)
serve
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n cfg = vodka.config.Config(read=config)\n vodka.run(cfg, cfg)\n", "role": "user" }, { "content": "serve", "role": "assistant" ...
def x(msg=None): def x(v): if re.match('[\\w\\.\\-]*@[\\w\\.\\-]*\\.\\w+', str(v)): return str(v) else: raise Invalid(msg or 'Endereco de email invalido') return f
Email
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(msg=None):\n\n def x(v):\n if re.match('[\\\\w\\\\.\\\\-]*@[\\\\w\\\\.\\\\-]*\\\\.\\\\w+', str(v)):\n return str(v)\n else:\n ...
def x(): enabled = getattr(settings, 'BCRYPT_ENABLED', True) if not enabled: return False if hasattr(mail, 'outbox'): return getattr(settings, 'BCRYPT_ENABLED_UNDER_TEST', False) return True
is_enabled
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n enabled = getattr(settings, 'BCRYPT_ENABLED', True)\n if not enabled:\n return False\n if hasattr(mail, 'outbox'):\n return getattr...
def x(self, raw_password): pwd_ok = False should_change = False if self.password.startswith('bc$'): salt_and_hash = self.password[3:] pwd_ok = bcrypt.hashpw(smart_str(raw_password), salt_and_hash ) == salt_and_hash if pwd_ok: rounds = int(salt_and_hash.split('$')[2]) should_change = rounds != get_rounds() elif _check_password(self, raw_password): pwd_ok = True should_change = True if pwd_ok and should_change and is_enabled() and migrate_to_bcrypt(): self.set_password(raw_password) salt_and_hash = self.password[3:] assert bcrypt.hashpw(raw_password, salt_and_hash) == salt_and_hash self.save() return pwd_ok
bcrypt_check_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_password):\n pwd_ok = False\n should_change = False\n if self.password.startswith('bc$'):\n salt_and_hash = self.password[3:]\n ...
def x(self, raw_password): if not is_enabled() or raw_password is None: _set_password(self, raw_password) else: salt = bcrypt.gensalt(get_rounds()) self.password = 'bc$' + bcrypt.hashpw(smart_str(raw_password), salt)
bcrypt_set_password
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, raw_password):\n if not is_enabled() or raw_password is None:\n _set_password(self, raw_password)\n else:\n salt = bcrypt.gensalt(get...
def x(app): APP_CHECK_APPLESCRIPT = """try tell application "Finder" set appname to name of application file id "%s" return 0 end tell on error err_msg number err_num return 1 end try""" with open('/tmp/app_check.AppleScript', 'w') as f: f.write(APP_CHECK_APPLESCRIPT % app) app_check_proc = sp.Popen(['osascript', '-e', '/tmp/app_check.AppleScript'] ) if app_check_proc.wait() != 0: return False else: return True
mac_app_exists
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(app):\n APP_CHECK_APPLESCRIPT = \"\"\"try\n\ttell application \"Finder\"\n\t\tset appname to name of application file id \"%s\"\n\t\treturn 0\n\tend tell\n\...
def x(file_path, background=False, return_cmd=False): desktop_env = system.get_name() if desktop_env == 'windows': open_file_cmd = 'explorer.exe ' + "'%s'" % file_path elif desktop_env == 'mac': open_file_cmd = 'open ' + "'%s'" % file_path else: file_mime_type = system.get_cmd_out(['xdg-mime', 'query', 'filetype', file_path]) desktop_file = system.get_cmd_out(['xdg-mime', 'query', 'default', file_mime_type]) open_file_cmd = desktopfile.execute(desktopfile.locate(desktop_file )[0], files=[file_path], return_cmd=True) if return_cmd: return open_file_cmd else: def_program_proc = sp.Popen(open_file_cmd, shell=True) if not background: def_program_proc.wait()
open_file_with_default_program
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file_path, background=False, return_cmd=False):\n desktop_env = system.get_name()\n if desktop_env == 'windows':\n open_file_cmd = 'explorer.exe '...
def x(exec_='', background=False, shell_after_cmd_exec=False, keep_open_after_cmd_exec=False, return_cmd=False): desktop_env = system.get_name() if not exec_: shell_after_cmd_exec = True if desktop_env == 'windows': terminal_cmd_str = 'start powershell.exe' if desktop_env == 'mac': if mac_app_exists('iTerm2'): terminal_cmd_str = 'open -a iTerm2' else: terminal_cmd_str = 'open -a Terminal' elif os.getenv('TERMINAL'): terminal_cmd_str = os.getenv('TERMINAL') elif system.is_in_path('x-terminal-emulator'): terminal_cmd_str = 'x-terminal-emulator' elif system.is_in_path('terminator'): terminal_cmd_str = 'terminator' elif desktop_env in ['gnome', 'unity', 'cinnamon', 'gnome2']: terminal_cmd_str = 'gnome-terminal' elif desktop_env == 'xfce4': terminal_cmd_str = 'xfce4-terminal' elif desktop_env == 'kde' or desktop_env == 'trinity': terminal_cmd_str = 'konsole' elif desktop_env == 'mate': terminal_cmd_str = 'mate-terminal' elif desktop_env == 'i3': terminal_cmd_str = 'i3-sensible-terminal' elif desktop_env == 'pantheon': terminal_cmd_str = 'pantheon-terminal' elif desktop_env == 'enlightenment': terminal_cmd_str = 'terminology' elif desktop_env == 'lxde' or desktop_env == 'lxqt': terminal_cmd_str = 'lxterminal' elif system.is_in_path('gnome-terminal'): terminal_cmd_str = 'gnome-terminal' elif system.is_in_path('urxvt'): terminal_cmd_str = 'urxvt' elif system.is_in_path('rxvt'): terminal_cmd_str = 'rxvt' elif system.is_in_path('xterm'): terminal_cmd_str = 'xterm' if exec_: if desktop_env == 'windows': if keep_open_after_cmd_exec and not shell_after_cmd_exec: exec_ += '; pause' if os.path.isfile(exec_): terminal_cmd_str += exec_ else: terminal_cmd_str += ' -Command ' + '"' + exec_ + '"' if shell_after_cmd_exec: terminal_cmd_str += ' -NoExit' else: if keep_open_after_cmd_exec and not shell_after_cmd_exec: exec_ += '; read' if shell_after_cmd_exec: exec_ += '; ' + os.getenv('SHELL') if desktop_env == 'mac': terminal_cmd_str += ' sh -c {}'.format(shlex.quote(exec_)) else: terminal_cmd_str += ' -e {}'.format(shlex.quote('sh -c {}'. format(shlex.quote(exec_)))) if return_cmd: return terminal_cmd_str terminal_proc = sp.Popen([terminal_cmd_str], shell=True, stdout=sp.PIPE) if not background: terminal_proc.wait()
terminal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(exec_='', background=False, shell_after_cmd_exec=False,\n keep_open_after_cmd_exec=False, return_cmd=False):\n desktop_env = system.get_name()\n if no...
def x(file='', background=False, return_cmd=False): desktop_env = system.get_name() if desktop_env == 'windows': editor_cmd_str = system.get_cmd_out(['ftype', 'textfile']).split('=', 1 )[1] elif desktop_env == 'mac': editor_cmd_str = 'open -a' + system.get_cmd_out(['def', 'read', 'com.apple.LaunchServices', 'LSHandlers-array{LSHandlerContentType=public.plain-text;}']) else: editor_cmd_str = system.get_cmd_out(['xdg-mime', 'query', 'default', 'text/plain']) if '\n' in editor_cmd_str: editor_cmd_str = editor_cmd_str.split('\n')[0] if editor_cmd_str.endswith('.desktop'): editor_cmd_str = desktopfile.parse(desktopfile.locate( editor_cmd_str)[0])['Exec'] for i in editor_cmd_str.split(): if i.startswith('%'): editor_cmd_str = editor_cmd_str.replace(i, '') if i == '--new-document': editor_cmd_str = editor_cmd_str.replace(i, '') if file: editor_cmd_str += ' {}'.format(shlex.quote(file)) if return_cmd: return editor_cmd_str text_editor_proc = sp.Popen([editor_cmd_str], shell=True) if not background: text_editor_proc.wait()
text_editor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file='', background=False, return_cmd=False):\n desktop_env = system.get_name()\n if desktop_env == 'windows':\n editor_cmd_str = system.get_cmd_o...
def x(run_type, module, config): print(' -----------------------------------------------------------------') print(' Beginning ' + run_type.lower() + ' test suite ') print(' -----------------------------------------------------------------') print('') summary = run_quiet(module, config) print(' -----------------------------------------------------------------') print(' ' + run_type.capitalize() + ' test suite complete ') print(' -----------------------------------------------------------------') print('') return summary
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(run_type, module, config):\n print(' -----------------------------------------------------------------')\n print(' Beginning ' + run_type.lower() + ' t...
def x(tests, run_module, group=True, **config): manager = multiprocessing.Manager() test_summaries = manager.dict() process_handles = [multiprocessing.Process(target=run_module.run_suite, args=(test, config[test], test_summaries)) for test in tests] for p in process_handles: p.start() for p in process_handles: p.join() if group: summary = run_module.populate_metadata(tests[0], config[tests[0]]) summary['Data'] = dict(test_summaries) return summary else: test_summaries = dict(test_summaries) summary = [] for ii, test in enumerate(tests): summary.append(run_module.populate_metadata(test, config[test])) if summary[ii]: summary[ii]['Data'] = {test: test_summaries[test]} return summary
launch_processes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tests, run_module, group=True, **config):\n manager = multiprocessing.Manager()\n test_summaries = manager.dict()\n process_handles = [multiprocessing...
def x(width, height): glViewport(0, 0, width, height) glMatrixMode(GL_PROJECTION) glLoadIdentity() gluPerspective(30, 1.0 * width / height, 0.1, 1000.0) glMatrixMode(GL_MODELVIEW) glLoadIdentity()
on_resize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(width, height):\n glViewport(0, 0, width, height)\n glMatrixMode(GL_PROJECTION)\n glLoadIdentity()\n gluPerspective(30, 1.0 * width / height, 0.1, ...
def x(resource=None, methods=['get', 'post', 'put', 'delete'], schema=None): def x(func): def x(self, *args, **kwargs): if kwargs.get('test', False): kwargs.pop('test') func(self, *args, **kwargs) _methods = methods if isinstance(methods, str): _methods = [methods] route = self.router.route(resource) for method in _methods: getattr(route, method)(func, schema) f_locals = sys._getframe(1).f_locals _order = len([v for v in f_locals.itervalues() if hasattr(v, '__call__') and hasattr(v, '__name__') and v.__name__ == 'wrapper'] ) wrapper.__dict__['_order'] = _order return wrapper return _route
Route
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(resource=None, methods=['get', 'post', 'put', 'delete'], schema=None):\n\n def x(func):\n\n def x(self, *args, **kwargs):\n if kwargs.get(...
def x(self, methods): methods = [(n, v) for n, v in methods if v.__name__ == 'wrapper'] methods = sorted(methods, key=lambda x: x[1]._order) for name, value in methods: value() return methods
register_routes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, methods):\n methods = [(n, v) for n, v in methods if v.__name__ == 'wrapper']\n methods = sorted(methods, key=lambda x: x[1]._order)\n for name,...
def x(self): while True: message = self.req_queue.get() if message is None: _logger.debug('_dispatch_message thread is terminated') return if message._type != MessageType.EVENT: self.__dispatch_message(message) elif message._type == MessageType.EVENT: self.__dispatch_event_message(message)
dispatch_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n message = self.req_queue.get()\n if message is None:\n _logger.debug('_dispatch_message thread is terminated...
def x(self): while True: message = self.res_queue.get() if message is None: _logger.debug('_resolve_responses thread is terminated') return self.__resolve_responses(message)
resolve_responses
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n message = self.res_queue.get()\n if message is None:\n _logger.debug('_resolve_responses thread is terminate...
def x(self): def x(): self._create_thread_pool() self.conn_thread = Thread(target=self._conn.connect) self.conn_thread.daemon = True self.conn_thread.start() self.is_ready.wait() if hasattr(self, 'run'): _logger.debug('Start running...') self.run() self.main_thread = Thread(target=main_thread) self.main_thread.daemon = True self.main_thread.start() if threading.current_thread().__class__.__name__ == '_MainThread': while not self.stop_event.wait(1): sleep(1) else: self.stop_event.wait() self.stop() _logger.debug('Shutdown successfully')
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n\n def x():\n self._create_thread_pool()\n self.conn_thread = Thread(target=self._conn.connect)\n self.conn_thread.daemon = Tru...
def x(self, *args, **kwargs): _logger.debug('Bundle [%s] has been shutting down' % self.bundle. profile['name']) if hasattr(self, 'before_stop') and hasattr(self.before_stop, '__call__'): _logger.debug('Invoking before_stop...') self.before_stop() self._conn.disconnect() self._session.stop() self.stop_event.set() for thread, stop in self.thread_list: stop() for thread, stop in self.thread_list: thread.join() self.is_ready.clear()
stop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n _logger.debug('Bundle [%s] has been shutting down' % self.bundle.\n profile['name'])\n if hasattr(self, 'before_stop') a...
def x(self, client, userdata, msg): try: message = Message(msg.payload) except (TypeError, ValueError) as e: _logger.error(e, exc_info=True) return if message.type() == MessageType.UNKNOWN: _logger.debug("Got an UNKNOWN message, don't dispatch") return if message.type() == MessageType.RESPONSE: self.res_queue.put(message) if message.type() == MessageType.REQUEST or message.type( ) == MessageType.DIRECT or message.type( ) == MessageType.HOOK or message.type() == MessageType.EVENT: self.req_queue.put(message)
on_sanji_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, msg):\n try:\n message = Message(msg.payload)\n except (TypeError, ValueError) as e:\n _logger.error(e, exc_info=Tr...
def x(self, client, userdata, flags, rc): _logger.debug('Connection established with result code %s' % rc) if self.reg_thread is not None and self.reg_thread.is_alive(): _logger.debug('Joining previous reg_thread') self.reg_thread.join() def x(): delay = None if hasattr(self.reg_delay, '__call__'): delay = self.reg_delay() else: delay = self.reg_delay sleep(delay) self._conn.set_tunnels(self._conn.tunnels) model_profile = self.get_profile('model') view_profile = self.get_profile('view') self.deregister(model_profile) self.deregister(view_profile) self.register(model_profile) self.register(view_profile) self.is_ready.set() self.reg_thread = Thread(target=reg) self.reg_thread.daemon = True self.reg_thread.start()
on_connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, client, userdata, flags, rc):\n _logger.debug('Connection established with result code %s' % rc)\n if self.reg_thread is not None and self.reg_thre...
def x(self, reg_data, retry=True, interval=1, timeout=3): if len(reg_data['resources']) == 0: _logger.debug('%s no need to register due to no resources' % reg_data['name']) return def x(): try: resp = self.publish.direct.post('/controller/registration', reg_data) if resp.code == 200: return resp except TimeoutError: _logger.debug('Register message is timeout') return False resp = _register() while resp is False: _logger.debug('Register failed.') self.deregister(reg_data) resp = _register() if resp is None: _logger.error("Can't not register to controller") self.stop() return False self._conn.set_tunnel(reg_data['role'], resp.data['tunnel'], self. on_sanji_message) self.bundle.profile['currentTunnels'] = [tunnel for tunnel, callback in self._conn.tunnels.items()] self.bundle.profile['regCount'] = self.bundle.profile.get('reg_count', 0 ) + 1 _logger.debug('Register successfully %s tunnel: %s' % (reg_data['name'], resp.data['tunnel']))
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reg_data, retry=True, interval=1, timeout=3):\n if len(reg_data['resources']) == 0:\n _logger.debug('%s no need to register due to no resources...
def x(self, reg_data, retry=True, interval=1, timeout=3): Retry(target=self.publish.direct.delete, args=( '/controller/registration', reg_data), kwargs={'timeout': timeout}, options={'retry': retry, 'interval': interval}) _logger.debug('Deregister successfully %s tunnel: %s' % (reg_data[ 'name'], self._conn.tunnels[reg_data['role']][0]))
deregister
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, reg_data, retry=True, interval=1, timeout=3):\n Retry(target=self.publish.direct.delete, args=(\n '/controller/registration', reg_data), kwargs...
def x(self): context = super(MailListView, self).get_context() mail_list = registered_mails_names() context['mail_map'] = mail_list return context
get_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n context = super(MailListView, self).get_context()\n mail_list = registered_mails_names()\n context['mail_map'] = mail_list\n return contex...
def x(s3_url): assert isinstance(s3_url, str) match = re_s3_url.match(s3_url) if not match: raise UrlParseError('Error parsing S3 URL: "%s"' % s3_url) parts = match.groupdict() return parts['bucket'], parts['key']
url_split
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s3_url):\n assert isinstance(s3_url, str)\n match = re_s3_url.match(s3_url)\n if not match:\n raise UrlParseError('Error parsing S3 URL: \"%s\"...
def x(s3_url, mode='r', s3_connection=None, **kwargs): connection = s3_connection or boto.connect_s3(**kwargs) bucket_name, key_name = url_split(s3_url) try: bucket = connection.get_bucket(bucket_name) except boto.exception.S3ResponseError: raise BucketNotFoundError('Bucket "%s" was not found.' % bucket_name) f = NamedTemporaryFile() try: if 'w' in mode.lower(): s3_key = bucket.new_key(key_name) yield f f.seek(0) s3_key.set_contents_from_file(f) else: s3_key = bucket.get_key(key_name) if not s3_key: raise KeyNotFoundError('Key "%s" was not found.' % s3_url) s3_key.get_file(f) f.seek(0) yield f finally: f.close()
open
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s3_url, mode='r', s3_connection=None, **kwargs):\n connection = s3_connection or boto.connect_s3(**kwargs)\n bucket_name, key_name = url_split(s3_url)\n ...
def x(self): dt = DATA_TYPES['decimal'] if type(self.data) in dt['type']: self.type = 'DECIMAL' num_split = str(self.data).split('.', 1) self.len = len(num_split[0]) self.len_decimal = len(num_split[1]) return True
is_decimal
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dt = DATA_TYPES['decimal']\n if type(self.data) in dt['type']:\n self.type = 'DECIMAL'\n num_split = str(self.data).split('.', 1)\...
def x(self, data_type): dt = DATA_TYPES[data_type] if dt['min'] and dt['max']: if type(self.data) is dt['type'] and dt['min'] < self.data < dt['max']: self.type = data_type.upper() self.len = len(str(self.data)) return True
is_numeric_data
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data_type):\n dt = DATA_TYPES[data_type]\n if dt['min'] and dt['max']:\n if type(self.data) is dt['type'] and dt['min'] < self.data < dt['ma...
def x(self, account_id, enrollment_term_end_at=None, enrollment_term_name= None, enrollment_term_sis_term_id=None, enrollment_term_start_at=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """The name of the term.""" if enrollment_term_name is not None: data['enrollment_term[name]'] = enrollment_term_name """The day/time the term starts. Accepts times in ISO 8601 format, e.g. 2015-01-10T18:48:00Z.""" if enrollment_term_start_at is not None: data['enrollment_term[start_at]'] = enrollment_term_start_at """The day/time the term ends. Accepts times in ISO 8601 format, e.g. 2015-01-10T18:48:00Z.""" if enrollment_term_end_at is not None: data['enrollment_term[end_at]'] = enrollment_term_end_at """The unique SIS identifier for the term.""" if enrollment_term_sis_term_id is not None: data['enrollment_term[sis_term_id]'] = enrollment_term_sis_term_id self.logger.debug( 'POST /api/v1/accounts/{account_id}/terms with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/accounts/{account_id}/terms'.format(**path), data=data, params=params, single_item=True)
create_enrollment_term
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, enrollment_term_end_at=None, enrollment_term_name=\n None, enrollment_term_sis_term_id=None, enrollment_term_start_at=None):\n path = {...
def x(self, account_id, workflow_state=None): path = {} data = {} params = {} """ID""" path['account_id'] = account_id """If set, only returns terms that are in the given state. Defaults to 'active'.""" if workflow_state is not None: self._validate_enum(workflow_state, ['active', 'deleted', 'all']) params['workflow_state'] = workflow_state self.logger.debug( 'GET /api/v1/accounts/{account_id}/terms with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/accounts/{account_id}/terms'.format(**path), data=data, params=params, data_key='enrollment_terms', all_pages=True)
list_enrollment_terms
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, account_id, workflow_state=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['account_id'] = account_id\n \"\"\"If s...
def x(cls, model_instance, default_value=False, **kwargs): if not isinstance(model_instance, DataCollection): raise TypeError( 'model_instance must be a subclass of prestans.types.DataCollection, %s given' % model_instance.__class__.__name__) elif isinstance(model_instance, Array) and model_instance.is_scalar: return AttributeFilter(is_array_scalar=True) attribute_filter_instance = model_instance.get_attribute_filter( default_value) for name, value in iter(kwargs.items()): if name in attribute_filter_instance: setattr(attribute_filter_instance, name, value) else: raise KeyError(name) return attribute_filter_instance
from_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, model_instance, default_value=False, **kwargs):\n if not isinstance(model_instance, DataCollection):\n raise TypeError(\n 'model_inst...
def x(self): blueprint = dict() for key in self.keys(): blueprint[key] = self.is_attribute_visible(key) 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 for key in self.keys():\n blueprint[key] = self.is_attribute_visible(key)\n return blueprint\n", "role": "use...
def x(self, template_filter): if not isinstance(template_filter, self.__class__): raise TypeError( 'AttributeFilter can only check conformance against another template filter, %s provided' % template_filter.__class__.__name__) template_filter_keys = template_filter.keys() this_filter_keys = self.keys() unwanted_keys = set(this_filter_keys) - set(template_filter_keys) if len(unwanted_keys) > 0: raise exception.AttributeFilterDiffers(list(unwanted_keys)) evaluated_attribute_filter = AttributeFilter() for template_key in template_filter_keys: if template_key in this_filter_keys: value = getattr(self, template_key) if isinstance(value, bool) and value is True and isinstance(getattr (template_filter, template_key), AttributeFilter): setattr(evaluated_attribute_filter, template_key, getattr( template_filter, template_key)) elif isinstance(value, bool): setattr(evaluated_attribute_filter, template_key, value) elif isinstance(value, self.__class__): template_sub_list = getattr(template_filter, template_key) this_sub_list = getattr(self, template_key) setattr(evaluated_attribute_filter, template_key, this_sub_list.conforms_to_template_filter( template_sub_list)) else: setattr(evaluated_attribute_filter, template_key, getattr( template_filter, template_key)) return evaluated_attribute_filter
conforms_to_template_filter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, template_filter):\n if not isinstance(template_filter, self.__class__):\n raise TypeError(\n 'AttributeFilter can only check conform...
def x(self): keys = list() for attribute_name, type_instance in inspect.getmembers(self): if attribute_name.startswith('__') or inspect.ismethod(type_instance): continue keys.append(attribute_name) return keys
keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n keys = list()\n for attribute_name, type_instance in inspect.getmembers(self):\n if attribute_name.startswith('__') or inspect.ismethod(t...
def x(self, key): if key in self: attribute_status = getattr(self, key) if isinstance(attribute_status, self.__class__): return True return False
is_filter_at_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key in self:\n attribute_status = getattr(self, key)\n if isinstance(attribute_status, self.__class__):\n return T...
def x(self, key): if key in self: attribute_status = getattr(self, key) if isinstance(attribute_status, bool) and attribute_status is True: return True elif isinstance(attribute_status, self.__class__ ) and attribute_status.are_any_attributes_visible(): return True return False
is_attribute_visible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key):\n if key in self:\n attribute_status = getattr(self, key)\n if isinstance(attribute_status, bool) and attribute_status is True:\n ...
def x(self): for attribute_name, type_instance in inspect.getmembers(self): if attribute_name.startswith('__') or inspect.ismethod(type_instance): continue if isinstance(type_instance, bool) and type_instance is True: return True elif isinstance(type_instance, self.__class__ ) and type_instance.are_all_attributes_visible() is True: return True return False
are_any_attributes_visible
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for attribute_name, type_instance in inspect.getmembers(self):\n if attribute_name.startswith('__') or inspect.ismethod(type_instance):\n ...
def x(self, value): for attribute_name, type_instance in inspect.getmembers(self): if attribute_name.startswith('__') or inspect.ismethod(type_instance): continue if isinstance(type_instance, bool): self.__dict__[attribute_name] = value elif isinstance(type_instance, self.__class__): type_instance.set_all_attribute_values(value)
set_all_attribute_values
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, value):\n for attribute_name, type_instance in inspect.getmembers(self):\n if attribute_name.startswith('__') or inspect.ismethod(type_instance...
def x(self): output_dictionary = dict() for attribute_name, type_instance in inspect.getmembers(self): if attribute_name.startswith('__') or inspect.ismethod(type_instance): continue if isinstance(type_instance, bool): output_dictionary[attribute_name] = type_instance elif isinstance(type_instance, self.__class__): output_dictionary[attribute_name] = type_instance.as_dict() return output_dictionary
as_dict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n output_dictionary = dict()\n for attribute_name, type_instance in inspect.getmembers(self):\n if attribute_name.startswith('__') or inspe...
def x(self, from_dictionary, template_model=None): if not isinstance(from_dictionary, dict): raise TypeError( 'from_dictionary must be of type dict, %s provided' % from_dictionary.__class__.__name__) rewrite_map = None if template_model is not None: if not isinstance(template_model, DataCollection): msg = ('template_model should be a prestans model %s provided' % template_model.__class__.__name__) raise TypeError(msg) rewrite_map = template_model.attribute_rewrite_reverse_map() for key, value in iter(from_dictionary.items()): target_key = key if rewrite_map is not None: target_key = rewrite_map[key] if template_model is not None and target_key not in template_model: unwanted_keys = list() unwanted_keys.append(target_key) raise exception.AttributeFilterDiffers(unwanted_keys) if not isinstance(value, (bool, dict)): raise TypeError( 'AttributeFilter input for key %s must be boolean or dict, %s provided' % (key, value.__class__.__name__)) if isinstance(value, bool): setattr(self, target_key, value) elif isinstance(value, dict): sub_map = None if template_model is not None: sub_map = getattr(template_model, target_key) if isinstance(sub_map, Array): sub_map = sub_map.element_template setattr(self, target_key, AttributeFilter(from_dictionary=value, template_model=sub_map))
init_from_dictionary
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, from_dictionary, template_model=None):\n if not isinstance(from_dictionary, dict):\n raise TypeError(\n 'from_dictionary must be of ...
def x(self): self._logger.info( 'Computing all predictions and their variance for %s logical networks...' , len(self.networks)) return self.networks.predictions(self.setup.filter(self.networks))
predict
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._logger.info(\n 'Computing all predictions and their variance for %s logical networks...'\n , len(self.networks))\n return se...
def x(self): traffic = self.get_child_static('traffic') return {o.obj_name(): o for o in traffic. get_objects_or_children_by_type('trafficItem')}
get_traffic_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n traffic = self.get_child_static('traffic')\n return {o.obj_name(): o for o in traffic.\n get_objects_or_children_by_type('trafficItem')}\...
def x(self): raw_content = self._manager.api.session.get(self.download_link).content data = BytesIO(raw_content) archive = ZipFile(data) filename = archive.filelist[0] return archive.read(filename)
content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n raw_content = self._manager.api.session.get(self.download_link).content\n data = BytesIO(raw_content)\n archive = ZipFile(data)\n filename...
def x(self, read_tuple_name): if reg_lrn.match(read_tuple_name) is None: self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_read_tuple_name_structure', message= "'{}' is not matched".format(reg_lrn)) else: parts = read_tuple_name.split('__') if reg_prefix_part.match(parts[0]) is None: self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_prefix_part', message="'{}' is not matched".format( reg_prefix_part)) if reg_id_part.match(parts[1]) is None: self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_id_part', message="'{}' is not matched".format( reg_id_part)) if reg_segmental_part.match(parts[2]) is None: self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_segmental_part', message="'{}' is not matched". format(reg_segmental_part)) if reg_suffix_part.match(parts[3]) is None: self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_suffix_part', message="'{}' is not matched".format( reg_suffix_part)) if not self.rnf_profile.check(read_tuple_name): self.report_error(read_tuple_name=read_tuple_name, error_name= 'wrong_profile', message= 'Read has a wrong profile (wrong widths). It should be: {} but it is: {}.' .format(self.rnf_profile, rnftools.rnfformat.RnfProfile( read_tuple_name=read_tuple_name)), warning=True)
validate
[ { "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 if reg_lrn.match(read_tuple_name) is None:\n self.report_error(read_tuple_name=read_tuple_name, error_name=\n 'w...
def x(self, read_tuple_name, error_name, wrong='', message='', warning=False): if not self.report_only_first or error_name not in self.reported_errors: print('\t'.join(['error' if warning == False else 'warning', read_tuple_name, error_name, wrong, message])) self.reported_errors.add(error_name) if warning: self.warning_has_been_reported = True else: self.error_has_been_reported = True
report_error
[ { "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, error_name, wrong='', message='', warning=False):\n if not self.report_only_first or error_name not in self.reported_errors:\n ...
def x(self, environ): exemptions = self.exclude_paths if exemptions: path = environ.get('PATH_INFO') for excluded_p in self.exclude_paths: if path.startswith(excluded_p): return True return False
is_exempt
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, environ):\n exemptions = self.exclude_paths\n if exemptions:\n path = environ.get('PATH_INFO')\n for excluded_p in self.exclude_paths...
def x(model): if type(model) == str: if model in ['ecoli', 'textbook', 'salmonella']: return cb.test.create_test_model(model) elif model == 'recon2': return cb.io.load_json_model('%s/network_models/%s.json' % ( DATASET_PATH, model)) if type(model) == cb.Model: return model
load_network_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(model):\n if type(model) == str:\n if model in ['ecoli', 'textbook', 'salmonella']:\n return cb.test.create_test_model(model)\n eli...
def x(self): max_age = timezone.now() - timedelta(seconds=app_settings. ESI_TOKEN_VALID_DURATION) return self.filter(created__lte=max_age)
get_expired
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n max_age = timezone.now() - timedelta(seconds=app_settings.\n ESI_TOKEN_VALID_DURATION)\n return self.filter(created__lte=max_age)\n", ...
def x(self): session = OAuth2Session(app_settings.ESI_SSO_CLIENT_ID) auth = requests.auth.HTTPBasicAuth(app_settings.ESI_SSO_CLIENT_ID, app_settings.ESI_SSO_CLIENT_SECRET) incomplete = [] for model in self.filter(refresh_token__isnull=False): try: model.refresh(session=session, auth=auth) logging.debug('Successfully refreshed {0}'.format(repr(model))) except TokenError: logger.info('Refresh failed for {0}. Deleting.'.format(repr(model)) ) model.delete() except IncompleteResponseError: incomplete.append(model.pk) self.filter(refresh_token__isnull=True).get_expired().delete() return self.exclude(pk__in=incomplete)
bulk_refresh
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n session = OAuth2Session(app_settings.ESI_SSO_CLIENT_ID)\n auth = requests.auth.HTTPBasicAuth(app_settings.ESI_SSO_CLIENT_ID,\n app_settin...
def x(self): expired = self.get_expired() valid = self.exclude(pk__in=expired) valid_expired = expired.bulk_refresh() return valid_expired | valid
require_valid
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n expired = self.get_expired()\n valid = self.exclude(pk__in=expired)\n valid_expired = expired.bulk_refresh()\n return valid_expired | vali...
def x(self, scope_string): scopes = _process_scopes(scope_string) if not scopes: return self.filter(scopes__isnull=True) from .models import Scope scope_pks = Scope.objects.filter(name__in=scopes).values_list('pk', flat=True) if not len(scopes) == len(scope_pks): return self.none() tokens = self.all() for pk in scope_pks: tokens = tokens.filter(scopes__pk=pk) return tokens
require_scopes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scope_string):\n scopes = _process_scopes(scope_string)\n if not scopes:\n return self.filter(scopes__isnull=True)\n from .models import ...
def x(self, scope_string): num_scopes = len(_process_scopes(scope_string)) pks = [v['pk'] for v in self.annotate(models.Count('scopes')). require_scopes(scope_string).filter(scopes__count=num_scopes). values('pk', 'scopes__id')] return self.filter(pk__in=pks)
require_scopes_exact
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, scope_string):\n num_scopes = len(_process_scopes(scope_string))\n pks = [v['pk'] for v in self.annotate(models.Count('scopes')).\n require_...
def x(self, token): return self.filter(character_id=token.character_id).require_scopes_exact( token.scopes.all()).filter(models.Q(user=token.user) | models.Q( user__isnull=True)).exclude(pk=token.pk)
equivalent_to
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, token):\n return self.filter(character_id=token.character_id).require_scopes_exact(\n token.scopes.all()).filter(models.Q(user=token.user) | mo...
def x(self, code, user=None): logger.debug('Creating new token from code {0}'.format(code[:-5])) oauth = OAuth2Session(app_settings.ESI_SSO_CLIENT_ID, redirect_uri= app_settings.ESI_SSO_CALLBACK_URL) token = oauth.fetch_token(app_settings.ESI_TOKEN_URL, client_secret= app_settings.ESI_SSO_CLIENT_SECRET, code=code) r = oauth.request('get', app_settings.ESI_TOKEN_VERIFY_URL) r.raise_for_status() token_data = r.json() logger.debug(token_data) model = self.create(character_id=token_data['CharacterID'], character_name=token_data['CharacterName'], character_owner_hash= token_data['CharacterOwnerHash'], access_token=token['access_token' ], refresh_token=token['refresh_token'], token_type=token_data[ 'TokenType'], user=user) if 'Scopes' in token_data: from esi.models import Scope for s in token_data['Scopes'].split(): try: scope = Scope.objects.get(name=s) model.scopes.add(scope) except Scope.DoesNotExist: try: help_text = s.split('.')[1].replace('_', ' ').capitalize() except IndexError: help_text = s.replace('_', ' ').capitalize() scope = Scope.objects.create(name=s, help_text=help_text) model.scopes.add(scope) logger.debug('Added {0} scopes to new token.'.format(model.scopes. all().count())) if not app_settings.ESI_ALWAYS_CREATE_TOKEN: queryset = self.get_queryset().equivalent_to(model) if queryset.exists(): logger.debug( 'Identified {0} tokens equivalent to new token. Updating access and refresh tokens.' .format(queryset.count())) queryset.update(access_token=model.access_token, refresh_token= model.refresh_token, created=model.created) if queryset.filter(user=model.user).exists(): logger.debug( 'Equivalent token with same user exists. Deleting new token.' ) model.delete() model = queryset.filter(user=model.user)[0] logger.debug('Successfully created {0} for user {1}'.format(repr(model), user)) return model
create_from_code
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, code, user=None):\n logger.debug('Creating new token from code {0}'.format(code[:-5]))\n oauth = OAuth2Session(app_settings.ESI_SSO_CLIENT_ID, redi...
def x(self, request): logger.debug('Creating new token for {0} session {1}'.format(request. user, request.session.session_key[:5])) code = request.GET.get('code') model = self.create_from_code(code, user=request.user if request.user. is_authenticated else None) return model
create_from_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, request):\n logger.debug('Creating new token for {0} session {1}'.format(request.\n user, request.session.session_key[:5]))\n code = request...
def x(iterable, size): source = iter(iterable) while True: batch = itertools.islice(source, size) yield itertools.chain([next(batch)], batch)
ibatch
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(iterable, size):\n source = iter(iterable)\n while True:\n batch = itertools.islice(source, size)\n yield itertools.chain([next(batch)], ba...
def x(self, items): for key, value in items: self.put(key, value)
put_many
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, items):\n for key, value in items:\n self.put(key, value)\n", "role": "user" }, { "content": "put_many", "role": "assistant" ...
def x(self, prefix, strip_prefix=False): items = self.items(key_from=prefix) start = 0 if strip_prefix: start = len(prefix) for key, value in items: if not key.startswith(prefix): break yield key[start:], value
prefix_items
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix, strip_prefix=False):\n items = self.items(key_from=prefix)\n start = 0\n if strip_prefix:\n start = len(prefix)\n for key, val...
def x(self, prefix, strip_prefix=False): keys = self.keys(key_from=prefix) start = 0 if strip_prefix: start = len(prefix) for key in keys: if not key.startswith(prefix): break yield key[start:]
prefix_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, prefix, strip_prefix=False):\n keys = self.keys(key_from=prefix)\n start = 0\n if strip_prefix:\n start = len(prefix)\n for key in key...
def x(self, date, course_id): path = {} data = {} params = {} """The id of the contextual course for this API call""" path['course_id'] = course_id """The date for which you would like to see detailed information""" path['date'] = date self.logger.debug( 'GET /api/v1/courses/{course_id}/gradebook_history/{date} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/gradebook_history/{date}'.format(** path), data=data, params=params, all_pages=True)
details_for_given_date_in_gradebook_history_for_this_course
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date, course_id):\n path = {}\n data = {}\n params = {}\n \"\"\"The id of the contextual course for this API call\"\"\"\n path['course_id'...
def x(self, date, course_id, grader_id, assignment_id): path = {} data = {} params = {} """The id of the contextual course for this API call""" path['course_id'] = course_id """The date for which you would like to see submissions""" path['date'] = date """The ID of the grader for which you want to see submissions""" path['grader_id'] = grader_id """The ID of the assignment for which you want to see submissions""" path['assignment_id'] = assignment_id self.logger.debug( 'GET /api/v1/courses/{course_id}/gradebook_history/{date}/graders/{grader_id}/assignments/{assignment_id}/submissions with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/gradebook_history/{date}/graders/{grader_id}/assignments/{assignment_id}/submissions' .format(**path), data=data, params=params, all_pages=True)
lists_submissions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, date, course_id, grader_id, assignment_id):\n path = {}\n data = {}\n params = {}\n \"\"\"The id of the contextual course for this API call\"...
def x(self, course_id, ascending=None, assignment_id=None, user_id=None): path = {} data = {} params = {} """The id of the contextual course for this API call""" path['course_id'] = course_id """The ID of the assignment for which you want to see submissions. If absent, versions of submissions from any assignment in the course are included.""" if assignment_id is not None: params['assignment_id'] = assignment_id """The ID of the user for which you want to see submissions. If absent, versions of submissions from any user in the course are included.""" if user_id is not None: params['user_id'] = user_id """Returns submission versions in ascending date order (oldest first). If absent, returns submission versions in descending date order (newest first).""" if ascending is not None: params['ascending'] = ascending self.logger.debug( 'GET /api/v1/courses/{course_id}/gradebook_history/feed with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('GET', '/api/v1/courses/{course_id}/gradebook_history/feed'.format(**path), data=data, params=params, all_pages=True)
list_uncollated_submission_versions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, ascending=None, assignment_id=None, user_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"The id of the contextual course f...
def x(self, *args, **kwargs): if not self.slug: self.slug = slugify(self.name) section = super(Section, self).save(*args, **kwargs) if self.query and self.query != {}: self._save_percolator() return section
save
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if not self.slug:\n self.slug = slugify(self.name)\n section = super(Section, self).save(*args, **kwargs)\n if self.q...
def x(self): index = Content.search_objects.mapping.index query_filter = self.get_content().to_dict() q = {} if 'query' in query_filter: q = {'query': query_filter.get('query', {})} else: return es.index(index=index, doc_type='.percolator', body=q, id=self.es_id)
save_percolator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n index = Content.search_objects.mapping.index\n query_filter = self.get_content().to_dict()\n q = {}\n if 'query' in query_filter:\n ...
def x(self): if 'query' in self.query: q = self.query['query'] else: q = self.query search = custom_search_model(Content, q, field_map={'feature-type': 'feature_type.slug', 'tag': 'tags.slug', 'content-type': '_type'}) return search
get_content
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n if 'query' in self.query:\n q = self.query['query']\n else:\n q = self.query\n search = custom_search_model(Content, q, field_m...
def x(name, reads_in_tuple): if name in [sample_x.get_name() for sample_x in __SAMPLES__]: rnftools.utils.error( 'Multiple samples have the same name. Each sample must have a unique name.' , program='RNFtools', subprogram='MIShmash', exception=ValueError) Sample(name=name, reads_in_tuple=reads_in_tuple) add_input(current_sample().fq_fns())
sample
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name, reads_in_tuple):\n if name in [sample_x.get_name() for sample_x in __SAMPLES__]:\n rnftools.utils.error(\n 'Multiple samples have th...
def x(): try: return django_apps.get_model(settings.POSTGRES_SCHEMA_MODEL, require_ready=False) except ValueError: raise ImproperlyConfigured( "POSTGRES_SCHEMA_MODEL must be of the form 'app_label.model_name'") except LookupError: raise ImproperlyConfigured( "POSTGRES_SCHEMA_MODEL refers to model '%s' that has not been installed" % settings.POSTGRES_SCHEMA_MODEL)
get_schema_model
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n try:\n return django_apps.get_model(settings.POSTGRES_SCHEMA_MODEL,\n require_ready=False)\n except ValueError:\n raise Imp...
def x(self, len=1024): while True: try: return self._sslobj.read(len) except SSLError: ex = sys.exc_info()[1] if ex.args[0] == SSL_ERROR_EOF and self.suppress_ragged_eofs: return b'' elif ex.args[0] == SSL_ERROR_WANT_READ: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_read(timeout=self.timeout, timeout_exc= _SSLErrorReadTimeout) elif ex.args[0] == SSL_ERROR_WANT_WRITE: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_write(timeout=self.timeout, timeout_exc= _SSLErrorReadTimeout) else: raise
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, len=1024):\n while True:\n try:\n return self._sslobj.read(len)\n except SSLError:\n ex = sys.exc_info()[1]\n ...
def x(self, data): while True: try: return self._sslobj.write(data) except SSLError: ex = sys.exc_info()[1] if ex.args[0] == SSL_ERROR_WANT_READ: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_read(timeout=self.timeout, timeout_exc= _SSLErrorWriteTimeout) elif ex.args[0] == SSL_ERROR_WANT_WRITE: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_write(timeout=self.timeout, timeout_exc= _SSLErrorWriteTimeout) else: raise
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, data):\n while True:\n try:\n return self._sslobj.write(data)\n except SSLError:\n ex = sys.exc_info()[1]\n ...
def x(self): while True: try: return self._sslobj.do_handshake() except SSLError: ex = sys.exc_info()[1] if ex.args[0] == SSL_ERROR_WANT_READ: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_read(timeout=self.timeout, timeout_exc= _SSLErrorHandshakeTimeout) elif ex.args[0] == SSL_ERROR_WANT_WRITE: if self.timeout == 0.0: raise six.exc_clear() self._io.wait_write(timeout=self.timeout, timeout_exc= _SSLErrorHandshakeTimeout) else: raise
do_handshake
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n while True:\n try:\n return self._sslobj.do_handshake()\n except SSLError:\n ex = sys.exc_info()[1]\n ...
def x(self, addr): if self._sslobj: raise ValueError('attempt to connect already-connected SSLSocket!') socket.connect(self, addr) if six.PY3: self._sslobj = self.context._wrap_socket(self._sock, False, self. server_hostname) elif self.ciphers is None: self._sslobj = _ssl.sslwrap(self._sock, False, self.keyfile, self. certfile, self.cert_reqs, self.ssl_version, self.ca_certs) else: self._sslobj = _ssl.sslwrap(self._sock, False, self.keyfile, self. certfile, self.cert_reqs, self.ssl_version, self.ca_certs, self .ciphers) if self.do_handshake_on_connect: self.do_handshake()
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, addr):\n if self._sslobj:\n raise ValueError('attempt to connect already-connected SSLSocket!')\n socket.connect(self, addr)\n if six.PY3...
def x(self): newsock, addr = socket.accept(self) ssl_sock = SSLSocket(newsock._sock, keyfile=self.keyfile, certfile=self .certfile, server_side=True, cert_reqs=self.cert_reqs, ssl_version= self.ssl_version, ca_certs=self.ca_certs, do_handshake_on_connect= self.do_handshake_on_connect, suppress_ragged_eofs=self. suppress_ragged_eofs, ciphers=self.ciphers) return ssl_sock, addr
accept
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n newsock, addr = socket.accept(self)\n ssl_sock = SSLSocket(newsock._sock, keyfile=self.keyfile, certfile=self\n .certfile, server_side=Tr...
def x(self, url): while True: try: return urllib.request.urlopen(url) except urllib.error.HTTPError as e: raise serror('Request `%s` failed (%s:%s).' % (url, e.__class__ .__name__, e.code)) except Exception as e: choice = input(serror('Error occured: %s - Retry? [yN]' % type(e))) if choice.strip().lower() != 'y': raise serror(e)
send_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, url):\n while True:\n try:\n return urllib.request.urlopen(url)\n except urllib.error.HTTPError as e:\n raise serr...
def x(self, uri): return self.send_request('{0}://{1}:{2}{3}{4}'.format(self.get_protocol (), self.host, self.port, uri, self.client_id))
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, uri):\n return self.send_request('{0}://{1}:{2}{3}{4}'.format(self.get_protocol\n (), self.host, self.port, uri, self.client_id))\n", "role...
def x(self): id = re.search('"clientID":"([a-z0-9]*)"', self.send_request(self. SC_HOME).read().decode('utf-8')) if not id: raise serror('Cannot retrieve client_id.') return id.group(1)
get_client_id
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n id = re.search('\"clientID\":\"([a-z0-9]*)\"', self.send_request(self.\n SC_HOME).read().decode('utf-8'))\n if not id:\n raise ser...
def x(task): @wraps(task) def x(self, *args, **kwargs): try: return task(self, *args, **kwargs) except Exception as e: self.connected = False if not self.testing: exc_type, exc_obj, exc_tb = sys.exc_info() fname = os.path.split(exc_tb.tb_frame.f_code.co_filename)[1] error_message = ('[' + str(datetime.now()) + '] Error in task "' + task.__name__ + '" (' + fname + '/' + str(exc_tb.tb_lineno) + ')' + e.message) self.logger.error('%s: RPC instruction failed' % error_message) return wrapper
error_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(task):\n\n @wraps(task)\n def x(self, *args, **kwargs):\n try:\n return task(self, *args, **kwargs)\n except Exception as e:\n ...
def x(self, origin, destination, amount): if type(amount) != Decimal: amount = Decimal(amount) if amount <= 0: raise Exception('Amount must be a positive number') all_addresses = [] accounts = self.listaccounts() if origin in accounts: if destination in accounts: with self.openwallet(): result = self.move(origin, destination, amount) return self.record_tx(origin, None, amount, result, destination) for account in accounts: addresses = self.getaddressesbyaccount(account) if destination in addresses: with self.openwallet(): result = self.move(origin, account, amount) return self.record_tx(origin, destination, amount, result, account) else: with self.openwallet(): txhash = self.sendfrom(origin, destination, amount) return self.record_tx(origin, destination, amount, txhash)
payment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, origin, destination, amount):\n if type(amount) != Decimal:\n amount = Decimal(amount)\n if amount <= 0:\n raise Exception('Amount mu...
def x(self, origin, destination, amount, outcome, destination_id=None): if destination_id: tx = db.Transaction(txtype='move', from_user_id=origin, to_user_id= destination_id, txdate=datetime.now(), amount=amount, currency= COINS[self.coin]['ticker'], to_coin_address=destination) else: self.logger.debug(self.gettransaction(outcome)) confirmations = self.gettransaction(outcome)['confirmations'] last_confirmation = datetime.now() if confirmations else None tx = db.Transaction(txtype='sendfrom', from_user_id=origin, txhash= outcome, txdate=datetime.now(), amount=amount, currency=COINS[ self.coin]['ticker'], to_coin_address=destination, confirmations=confirmations, last_confirmation=last_confirmation) db.session.add(tx) db.session.commit() return outcome
record_tx
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, origin, destination, amount, outcome, destination_id=None):\n if destination_id:\n tx = db.Transaction(txtype='move', from_user_id=origin, to_u...
def x(self): if self.coin in COINS: rpc_url = COINS[self.coin]['rpc-url'] + ':' if self.testnet: rpc_url += COINS[self.coin]['rpc-port-testnet'] else: rpc_url += COINS[self.coin]['rpc-port'] self.rpc = pyjsonrpc.HttpClient(url=rpc_url, username=COINS[self. coin]['rpc-user'], password=COINS[self.coin]['rpc-password']) self.logger.debug(self.coin, 'RPC connection ok') self.connected = True else: self.logger.debug(self.coin, 'bridge not found') return self.connected
rpc_connect
[ { "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.coin in COINS:\n rpc_url = COINS[self.coin]['rpc-url'] + ':'\n if self.testnet:\n rpc_url += COINS[self.coin]['rpc...
def x(self, user_id=''): address = self.rpc.call('getaccountaddress', user_id) self.logger.debug('Your', self.coin, 'address is', address) return address
getaccountaddress
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id=''):\n address = self.rpc.call('getaccountaddress', user_id)\n self.logger.debug('Your', self.coin, 'address is', address)\n return addr...
def x(self, user_id='', as_decimal=True): balance = unicode(self.rpc.call('getbalance', user_id)) self.logger.debug('"' + user_id + '"', self.coin, 'balance:', balance) if as_decimal: return Decimal(balance) else: return balance
getbalance
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id='', as_decimal=True):\n balance = unicode(self.rpc.call('getbalance', user_id))\n self.logger.debug('\"' + user_id + '\"', self.coin, 'bala...
def x(self, user_id='', count=10, start_at=0): txlist = self.rpc.call('listtransactions', user_id, count, start_at) self.logger.debug('Got transaction list for ' + str(user_id)) return txlist
listtransactions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id='', count=10, start_at=0):\n txlist = self.rpc.call('listtransactions', user_id, count, start_at)\n self.logger.debug('Got transaction list...
def x(self, fromaccount, toaccount, amount, minconf=1): amount = Decimal(amount).quantize(self.quantum, rounding=ROUND_HALF_EVEN) return self.rpc.call('move', fromaccount, toaccount, float(str(amount)), minconf)
move
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fromaccount, toaccount, amount, minconf=1):\n amount = Decimal(amount).quantize(self.quantum, rounding=ROUND_HALF_EVEN)\n return self.rpc.call('mov...
def x(self, user_id, dest_address, amount, minconf=1): amount = Decimal(amount).quantize(self.quantum, rounding=ROUND_HALF_EVEN) txhash = self.rpc.call('sendfrom', user_id, dest_address, float(str( amount)), minconf) self.logger.debug('Send %s %s from %s to %s' % (str(amount), self.coin, str(user_id), dest_address)) self.logger.debug('Transaction hash: %s' % txhash) return txhash
sendfrom
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, user_id, dest_address, amount, minconf=1):\n amount = Decimal(amount).quantize(self.quantum, rounding=ROUND_HALF_EVEN)\n txhash = self.rpc.call('se...
def x(self, address, message): signature = self.rpc.call('signmessage', address, message) self.logger.debug('Signature: %s' % signature) return signature
signmessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address, message):\n signature = self.rpc.call('signmessage', address, message)\n self.logger.debug('Signature: %s' % signature)\n return signat...
def x(self, address, signature, message): verified = self.rpc.call('verifymessage', address, signature, message) self.logger.debug('Signature verified: %s' % str(verified)) return verified
verifymessage
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, address, signature, message):\n verified = self.rpc.call('verifymessage', address, signature, message)\n self.logger.debug('Signature verified: %s'...
def x(self, command, *args): return self.rpc.call(str(command), *args)
call
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, command, *args):\n return self.rpc.call(str(command), *args)\n", "role": "user" }, { "content": "call", "role": "assistant" } ]
def x(sender, instance, created, *args, **kwargs): if created: for role in ContributorRole.objects.all(): FeatureTypeRate.objects.create(role=role, feature_type=instance, rate=0)
update_feature_type_rates
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, created, *args, **kwargs):\n if created:\n for role in ContributorRole.objects.all():\n FeatureTypeRate.objects.create(r...
def x(sender, instance, action, model, pk_set, **kwargs): if action != 'pre_add': return else: for author in model.objects.filter(pk__in=pk_set): update_content_contributions(instance, author)
update_contributions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sender, instance, action, model, pk_set, **kwargs):\n if action != 'pre_add':\n return\n else:\n for author in model.objects.filter(pk__in=...
def x(self, calendar_event_context_code, calendar_event_child_event_data_X_context_code=None, calendar_event_child_event_data_X_end_at=None, calendar_event_child_event_data_X_start_at=None, calendar_event_description=None, calendar_event_duplicate_append_iterator=None, calendar_event_duplicate_count=None, calendar_event_duplicate_frequency =None, calendar_event_duplicate_interval=None, calendar_event_end_at= None, calendar_event_location_address=None, calendar_event_location_name=None, calendar_event_start_at=None, calendar_event_time_zone_edited=None, calendar_event_title=None): path = {} data = {} params = {} """Context code of the course/group/user whose calendar this event should be added to.""" data['calendar_event[context_code]'] = calendar_event_context_code """Short title for the calendar event.""" if calendar_event_title is not None: data['calendar_event[title]'] = calendar_event_title """Longer HTML description of the event.""" if calendar_event_description is not None: data['calendar_event[description]'] = calendar_event_description """Start date/time of the event.""" if calendar_event_start_at is not None: data['calendar_event[start_at]'] = calendar_event_start_at """End date/time of the event.""" if calendar_event_end_at is not None: data['calendar_event[end_at]'] = calendar_event_end_at """Location name of the event.""" if calendar_event_location_name is not None: data['calendar_event[location_name]'] = calendar_event_location_name """Location address""" if calendar_event_location_address is not None: data['calendar_event[location_address]' ] = calendar_event_location_address """Time zone of the user editing the event. Allowed time zones are {http://www.iana.org/time-zones IANA time zones} or friendlier {http://api.rubyonrails.org/classes/ActiveSupport/TimeZone.html Ruby on Rails time zones}.""" if calendar_event_time_zone_edited is not None: data['calendar_event[time_zone_edited]' ] = calendar_event_time_zone_edited """Section-level start time(s) if this is a course event. X can be any identifier, provided that it is consistent across the start_at, end_at and context_code""" if calendar_event_child_event_data_X_start_at is not None: data['calendar_event[child_event_data][X][start_at]' ] = calendar_event_child_event_data_X_start_at """Section-level end time(s) if this is a course event.""" if calendar_event_child_event_data_X_end_at is not None: data['calendar_event[child_event_data][X][end_at]' ] = calendar_event_child_event_data_X_end_at """Context code(s) corresponding to the section-level start and end time(s).""" if calendar_event_child_event_data_X_context_code is not None: data['calendar_event[child_event_data][X][context_code]' ] = calendar_event_child_event_data_X_context_code """Number of times to copy/duplicate the event.""" if calendar_event_duplicate_count is not None: data['calendar_event[duplicate][count]' ] = calendar_event_duplicate_count """Defaults to 1 if duplicate `count` is set. The interval between the duplicated events.""" if calendar_event_duplicate_interval is not None: data['calendar_event[duplicate][interval]' ] = calendar_event_duplicate_interval """Defaults to "weekly". The frequency at which to duplicate the event""" if calendar_event_duplicate_frequency is not None: self._validate_enum(calendar_event_duplicate_frequency, ['daily', 'weekly', 'monthly']) data['calendar_event[duplicate][frequency]' ] = calendar_event_duplicate_frequency """Defaults to false. If set to `true`, an increasing counter number will be appended to the event title when the event is duplicated. (e.g. Event 1, Event 2, Event 3, etc)""" if calendar_event_duplicate_append_iterator is not None: data['calendar_event[duplicate][append_iterator]' ] = calendar_event_duplicate_append_iterator self.logger.debug( 'POST /api/v1/calendar_events with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/calendar_events'.format(** path), data=data, params=params, no_data=True)
create_calendar_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, calendar_event_context_code,\n calendar_event_child_event_data_X_context_code=None,\n calendar_event_child_event_data_X_end_at=None,\n calendar_...
def x(self, id, cancel_existing=None, comments=None, participant_id=None): path = {} data = {} params = {} """ID""" path['id'] = id """User or group id for whom you are making the reservation (depends on the participant type). Defaults to the current user (or user's candidate group).""" if participant_id is not None: data['participant_id'] = participant_id """Comments to associate with this reservation""" if comments is not None: data['comments'] = comments """Defaults to false. If true, cancel any previous reservation(s) for this participant and appointment group.""" if cancel_existing is not None: data['cancel_existing'] = cancel_existing self.logger.debug( 'POST /api/v1/calendar_events/{id}/reservations with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/calendar_events/{id}/reservations'.format(**path), data= data, params=params, no_data=True)
reserve_time_slot
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, cancel_existing=None, comments=None, participant_id=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n ...
def x(self, id, calendar_event_child_event_data_X_context_code=None, calendar_event_child_event_data_X_end_at=None, calendar_event_child_event_data_X_start_at=None, calendar_event_context_code=None, calendar_event_description=None, calendar_event_end_at=None, calendar_event_location_address=None, calendar_event_location_name=None, calendar_event_start_at=None, calendar_event_time_zone_edited=None, calendar_event_title=None): path = {} data = {} params = {} """ID""" path['id'] = id """Context code of the course/group/user to move this event to. Scheduler appointments and events with section-specific times cannot be moved between calendars.""" if calendar_event_context_code is not None: data['calendar_event[context_code]'] = calendar_event_context_code """Short title for the calendar event.""" if calendar_event_title is not None: data['calendar_event[title]'] = calendar_event_title """Longer HTML description of the event.""" if calendar_event_description is not None: data['calendar_event[description]'] = calendar_event_description """Start date/time of the event.""" if calendar_event_start_at is not None: data['calendar_event[start_at]'] = calendar_event_start_at """End date/time of the event.""" if calendar_event_end_at is not None: data['calendar_event[end_at]'] = calendar_event_end_at """Location name of the event.""" if calendar_event_location_name is not None: data['calendar_event[location_name]'] = calendar_event_location_name """Location address""" if calendar_event_location_address is not None: data['calendar_event[location_address]' ] = calendar_event_location_address """Time zone of the user editing the event. Allowed time zones are {http://www.iana.org/time-zones IANA time zones} or friendlier {http://api.rubyonrails.org/classes/ActiveSupport/TimeZone.html Ruby on Rails time zones}.""" if calendar_event_time_zone_edited is not None: data['calendar_event[time_zone_edited]' ] = calendar_event_time_zone_edited """Section-level start time(s) if this is a course event. X can be any identifier, provided that it is consistent across the start_at, end_at and context_code""" if calendar_event_child_event_data_X_start_at is not None: data['calendar_event[child_event_data][X][start_at]' ] = calendar_event_child_event_data_X_start_at """Section-level end time(s) if this is a course event.""" if calendar_event_child_event_data_X_end_at is not None: data['calendar_event[child_event_data][X][end_at]' ] = calendar_event_child_event_data_X_end_at """Context code(s) corresponding to the section-level start and end time(s).""" if calendar_event_child_event_data_X_context_code is not None: data['calendar_event[child_event_data][X][context_code]' ] = calendar_event_child_event_data_X_context_code self.logger.debug( 'PUT /api/v1/calendar_events/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('PUT', '/api/v1/calendar_events/{id}'. format(**path), data=data, params=params, no_data=True)
update_calendar_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, calendar_event_child_event_data_X_context_code=None,\n calendar_event_child_event_data_X_end_at=None,\n calendar_event_child_event_data_X_start...
def x(self, id, cancel_reason=None): path = {} data = {} params = {} """ID""" path['id'] = id """Reason for deleting/canceling the event.""" if cancel_reason is not None: params['cancel_reason'] = cancel_reason self.logger.debug( 'DELETE /api/v1/calendar_events/{id} with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('DELETE', '/api/v1/calendar_events/{id}'. format(**path), data=data, params=params, no_data=True)
delete_calendar_event
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, id, cancel_reason=None):\n path = {}\n data = {}\n params = {}\n \"\"\"ID\"\"\"\n path['id'] = id\n \"\"\"Reason for deleting/canceling...
def x(self, course_id, timetables_course_section_id=None, timetables_course_section_id_end_time=None, timetables_course_section_id_location_name=None, timetables_course_section_id_start_time=None, timetables_course_section_id_weekdays=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """An array of timetable objects for the course section specified by course_section_id. If course_section_id is set to "all", events will be created for the entire course.""" if timetables_course_section_id is not None: data['timetables[course_section_id]'] = timetables_course_section_id """A comma-separated list of abbreviated weekdays (Mon-Monday, Tue-Tuesday, Wed-Wednesday, Thu-Thursday, Fri-Friday, Sat-Saturday, Sun-Sunday)""" if timetables_course_section_id_weekdays is not None: data['timetables[course_section_id][weekdays]' ] = timetables_course_section_id_weekdays """Time to start each event at (e.g. "9:00 am")""" if timetables_course_section_id_start_time is not None: data['timetables[course_section_id][start_time]' ] = timetables_course_section_id_start_time """Time to end each event at (e.g. "9:00 am")""" if timetables_course_section_id_end_time is not None: data['timetables[course_section_id][end_time]' ] = timetables_course_section_id_end_time """A location name to set for each event""" if timetables_course_section_id_location_name is not None: data['timetables[course_section_id][location_name]' ] = timetables_course_section_id_location_name self.logger.debug( 'POST /api/v1/courses/{course_id}/calendar_events/timetable with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/calendar_events/timetable'.format(** path), data=data, params=params, no_data=True)
set_course_timetable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, timetables_course_section_id=None,\n timetables_course_section_id_end_time=None,\n timetables_course_section_id_location_name=None,\n ...
def x(self, course_id, course_section_id=None, events=None, events_code= None, events_end_at=None, events_location_name=None, events_start_at=None): path = {} data = {} params = {} """ID""" path['course_id'] = course_id """Events will be created for the course section specified by course_section_id. If not present, events will be created for the entire course.""" if course_section_id is not None: data['course_section_id'] = course_section_id """An array of event objects to use.""" if events is not None: data['events'] = events """Start time for the event""" if events_start_at is not None: data['events[start_at]'] = events_start_at """End time for the event""" if events_end_at is not None: data['events[end_at]'] = events_end_at """Location name for the event""" if events_location_name is not None: data['events[location_name]'] = events_location_name """A unique identifier that can be used to update the event at a later time If one is not specified, an identifier will be generated based on the start and end times""" if events_code is not None: data['events[code]'] = events_code self.logger.debug( 'POST /api/v1/courses/{course_id}/calendar_events/timetable_events with query params: {params} and form data: {data}' .format(params=params, data=data, **path)) return self.generic_request('POST', '/api/v1/courses/{course_id}/calendar_events/timetable_events'. format(**path), data=data, params=params, no_data=True)
create_or_update_events_directly_for_course_timetable
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, course_id, course_section_id=None, events=None, events_code=\n None, events_end_at=None, events_location_name=None, events_start_at=None):\n path =...
def x(scopes='', new=False): def x(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def x(request, *args, **kwargs): token = _check_callback(request) if token and new: tokens = Token.objects.filter(pk=token.pk) logger.debug('Returning new token.') return view_func(request, tokens, *args, **kwargs) if not new: if not request.user.is_authenticated: logger.debug( 'Session {0} is not logged in. Redirecting to login.' .format(request.session.session_key[:5])) from django.contrib.auth.views import redirect_to_login return redirect_to_login(request.get_full_path()) tokens = Token.objects.filter(user__pk=request.user.pk ).require_scopes(scopes).require_valid() if tokens.exists(): logger.debug('Retrieved {0} tokens for {1} session {2}' .format(tokens.count(), request.user, request. session.session_key[:5])) return view_func(request, tokens, *args, **kwargs) logger.debug( 'No tokens identified for {0} session {1}. Redirecting to SSO.' .format(request.user, request.session.session_key[:5])) from esi.views import sso_redirect return sso_redirect(request, scopes=scopes) return _wrapped_view return decorator
tokens_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scopes='', new=False):\n\n def x(view_func):\n\n @wraps(view_func, assigned=available_attrs(view_func))\n def x(request, *args, **kwargs):\n ...
def x(scopes='', new=False): def x(view_func): @wraps(view_func, assigned=available_attrs(view_func)) def x(request, *args, **kwargs): token = _check_callback(request) if token and new: logger.debug( 'Got new token from {0} session {1}. Returning to view.' .format(request.user, request.session.session_key[:5])) return view_func(request, token, *args, **kwargs) if request.method == 'POST': if request.POST.get('_add', False): logger.debug( '{0} has selected to add new token. Redirecting to SSO.' .format(request.user)) from esi.views import sso_redirect return sso_redirect(request, scopes=scopes) token_pk = request.POST.get('_token', None) if token_pk: logger.debug('{0} has selected token {1}'.format( request.user, token_pk)) try: token = Token.objects.get(pk=token_pk) if (token.user and token.user == request.user or not token.user) and Token.objects.filter(pk= token_pk).require_scopes(scopes).require_valid( ).exists(): logger.debug( 'Selected token fulfills requirements of view. Returning.' ) return view_func(request, token, *args, **kwargs) except Token.DoesNotExist: logger.debug('Token {0} not found.'.format(token_pk)) pass if not new: tokens = Token.objects.filter(user__pk=request.user.pk ).require_scopes(scopes).require_valid() if tokens.exists(): logger.debug('Returning list of available tokens for {0}.' .format(request.user)) from esi.views import select_token return select_token(request, scopes=scopes, new=new) else: logger.debug( 'No tokens found for {0} session {1} with scopes {2}' .format(request.user, request.session.session_key[: 5], scopes)) logger.debug('Redirecting {0} session {1} to SSO.'.format( request.user, request.session.session_key[:5])) from esi.views import sso_redirect return sso_redirect(request, scopes=scopes) return _wrapped_view return decorator
token_required
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(scopes='', new=False):\n\n def x(view_func):\n\n @wraps(view_func, assigned=available_attrs(view_func))\n def x(request, *args, **kwargs):\n ...