source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
def x(): num_blocks = int(sys.argv[1]) if len(sys.argv) == 2 else 3 clear_db() for block_id in generate_scheduling_block_id(num_blocks=num_blocks, project='sip'): config = {'id': block_id, 'sub_array_id': str(random.choice(range(3 ))), 'processing_blocks': []} for i in range(random.randint(1, 3)): config['processing_blocks'].append({'id': '{}:pb{:03d}'.format( block_id, i), 'workflow': {'name': '{}'.format(random. choice(['vis_ingest_01', 'dask_ical_01', 'dask_maps_01'])), 'template': {}, 'stages': []}}) print('-' * 40) print(json.dumps(config, indent=2)) add_scheduling_block(config)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n num_blocks = int(sys.argv[1]) if len(sys.argv) == 2 else 3\n clear_db()\n for block_id in generate_scheduling_block_id(num_blocks=num_blocks,\n ...
def x(config): try: DB.add_sbi(config) except jsonschema.ValidationError as error: error_dict = error.__dict__ for key in error_dict: error_dict[key] = error_dict[key].__str__() error_response = dict(message='Failed to add scheduling block', reason='JSON validation error', details=error_dict) return error_response, HTTPStatus.BAD_REQUEST response = dict(config=config, message= 'Successfully registered scheduling block instance with ID: {}'. format(config['id'])) response['links'] = {'self': '{}scheduling-block/{}'.format(request. url_root, config['id']), 'list': '{}'.format(request.url), 'home': '{}'.format(request.url_root)} return response, HTTPStatus.ACCEPTED
add_scheduling_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(config):\n try:\n DB.add_sbi(config)\n except jsonschema.ValidationError as error:\n error_dict = error.__dict__\n for key in error_...
def x(func): @wraps(func) def x(*args, **kwargs): try: return func(*args, **kwargs) except ConnectionError as error: return dict(error='Unable to connect to Configuration Db.', error_message=str(error), links=dict(root='{}'.format( get_root_url()))), HTTPStatus.NOT_FOUND return with_exception_handling
missing_db_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @wraps(func)\n def x(*args, **kwargs):\n try:\n return func(*args, **kwargs)\n except ConnectionError as error:\n ...
def x(): log = logging.getLogger('sip.mock_workflow_stage') if len(sys.argv) != 2: log.critical('Expecting JSON string as first argument!') return config = json.loads(sys.argv[1]) log.info('Running mock_workflow_stage (version: %s).', __version__) log.info('Received configuration: %s', json.dumps(config)) log.info('Starting task') i = 0 start_time = time.time() duration = config.get('duration', 20) while time.time() - start_time <= duration: time.sleep(duration / 20) elapsed = time.time() - start_time log.info(' %s %2i / 20 (elapsed %.2f s)', config.get('message', 'Progress '), i + 1, elapsed) i += 1 log.info('Task complete!')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n log = logging.getLogger('sip.mock_workflow_stage')\n if len(sys.argv) != 2:\n log.critical('Expecting JSON string as first argument!')\n ...
def x(sleep_length=0.1): log = logging.getLogger('sip.examples.log_spammer') log.info('Starting to spam log messages every %fs', sleep_length) counter = 0 try: while True: log.info('Hello %06i (log_spammer: %s, sip logging: %s)', counter, _version.__version__, __version__) counter += 1 time.sleep(sleep_length) except KeyboardInterrupt: log.info('Exiting...')
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sleep_length=0.1):\n log = logging.getLogger('sip.examples.log_spammer')\n log.info('Starting to spam log messages every %fs', sleep_length)\n counter...
def x(): fmt = ( '%(asctime)s.%(msecs)03d | %(name)-60s | %(levelname)-7s | %(message)s' ) logging.basicConfig(format=fmt, datefmt='%H:%M:%S', level=logging.DEBUG)
init_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n fmt = (\n '%(asctime)s.%(msecs)03d | %(name)-60s | %(levelname)-7s | %(message)s'\n )\n logging.basicConfig(format=fmt, datefmt='%H:%M...
def x(sub_array_id): if not re.match('^subarray-0[0-9]|subarray-1[0-5]$', sub_array_id): response = dict(error= 'Invalid sub-array ID specified "{}" does not match sub-array ID naming convention (ie. subarray-[00-15]).' .format(sub_array_id)) return response, HTTPStatus.BAD_REQUEST if sub_array_id not in DB.get_sub_array_ids(): response = dict(error= 'Sub-array "{}" does not currently exist. Known sub-arrays = {}' .format(sub_array_id, DB.get_sub_array_ids())) return response, HTTPStatus.NOT_FOUND block_ids = DB.get_sub_array_sbi_ids(sub_array_id) _blocks = [b for b in DB.get_block_details(block_ids)] response = dict(scheduling_blocks=[]) _url = get_root_url() for block in _blocks: block['links'] = {'self': '{}/scheduling-block/{}'.format(_url, block['id'])} response['scheduling_blocks'].append(block) response['links'] = {'self': '{}'.format(request.url), 'list': '{}/sub-arrays'.format(_url), 'home': '{}'.format(_url)} return response, HTTPStatus.OK
get
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sub_array_id):\n if not re.match('^subarray-0[0-9]|subarray-1[0-5]$', sub_array_id):\n response = dict(error=\n 'Invalid sub-array ID spec...
def x(sub_array_id): config = request.data config['sub_array_id'] = 'subarray-{:02d}'.format(sub_array_id) return add_scheduling_block(config)
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sub_array_id):\n config = request.data\n config['sub_array_id'] = 'subarray-{:02d}'.format(sub_array_id)\n return add_scheduling_block(config)\n", ...
def x(sub_array_id, block_id): block_ids = DB.get_sub_array_sbi_ids(sub_array_id) if block_id in block_ids: block = DB.get_block_details([block_id]).__next__() return block, HTTPStatus.OK return dict(error='unknown id'), HTTPStatus.NOT_FOUND
get_scheduling_block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(sub_array_id, block_id):\n block_ids = DB.get_sub_array_sbi_ids(sub_array_id)\n if block_id in block_ids:\n block = DB.get_block_details([block_id...
def x(directory): paths = [] for path, _, file_names in walk(directory): for filename in file_names: paths.append(join('..', path, filename)) return paths
package_files
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(directory):\n paths = []\n for path, _, file_names in walk(directory):\n for filename in file_names:\n paths.append(join('..', path, fi...
def x(): tango_db = Database() device = 'sip_sdp/elt/master' device_info = DbDevInfo() device_info._class = 'SDPMasterDevice' device_info.server = 'sdp_master_ds/1' device_info.name = device devices = tango_db.get_device_name(device_info.server, device_info._class) if device not in devices: LOG.info('Registering device "%s" with device server "%s"', device_info.name, device_info.server) tango_db.add_device(device_info)
register_master
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n tango_db = Database()\n device = 'sip_sdp/elt/master'\n device_info = DbDevInfo()\n device_info._class = 'SDPMasterDevice'\n device_info.se...
def x(args=None, **kwargs): LOG.info('Starting %s', __service_id__) return run([SDPMasterDevice], verbose=True, msg_stream=sys.stdout, args =args, **kwargs)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(args=None, **kwargs):\n LOG.info('Starting %s', __service_id__)\n return run([SDPMasterDevice], verbose=True, msg_stream=sys.stdout, args\n =args,...
def x(): parser = argparse.ArgumentParser(prog='csp_pulsar_sender', description= 'Send fake pulsar data using ftp protocol.') parser.add_argument('config_file', type=argparse.FileType('r'), help= 'JSON configuration file.') parser.add_argument('-v', '--verbose', help='Enable verbose messages.', action='store_true') parser.add_argument('-p', '--print_settings', help= 'Print settings file.', action='store_true') return parser.parse_args()
parse_command_line
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n parser = argparse.ArgumentParser(prog='csp_pulsar_sender', description=\n 'Send fake pulsar data using ftp protocol.')\n parser.add_argument(...
def x(level=logging.DEBUG): log = logging.getLogger(__file__) log.setLevel(level) handler = logging.StreamHandler(sys.stdout) handler.setLevel(level) formatter = logging.Formatter('%(asctime)s: %(message)s', '%Y/%m/%d-%H:%M:%S') handler.setFormatter(formatter) log.addHandler(handler) return log
init_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(level=logging.DEBUG):\n log = logging.getLogger(__file__)\n log.setLevel(level)\n handler = logging.StreamHandler(sys.stdout)\n handler.setLevel(le...
def x(): sender = PulsarSender() args = parse_command_line() _log = _init_log(level=logging.DEBUG if args.verbose else logging.INFO) _log.info('Loading config: %s', args.config_file.name) _config = json.load(args.config_file) if args.print_settings: _log.debug('Settings:\n %s', json.dumps(_config, indent=4, sort_keys=True)) sender.send(_config, _log, 1, 1)
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n sender = PulsarSender()\n args = parse_command_line()\n _log = _init_log(level=logging.DEBUG if args.verbose else logging.INFO)\n _log.info('L...
def x(transport_layer, subscription_call, channel, callback, *args, **kwargs): allow_non_recipe_messages = kwargs.pop('allow_non_recipe_messages', False) log_extender = kwargs.pop('log_extender', None) def x(header, message): if header.get('workflows-recipe') in (True, 'True', 'true', 1): rw = RecipeWrapper(message=message, transport=transport_layer) if log_extender and rw.environment and rw.environment.get('ID'): with log_extender('recipe_ID', rw.environment['ID']): return callback(rw, header, message.get('payload')) return callback(rw, header, message.get('payload')) if allow_non_recipe_messages: return callback(None, header, message) transport_layer.nack(header) return subscription_call(channel, unwrap_recipe, *args, **kwargs)
wrap_subscription
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(transport_layer, subscription_call, channel, callback, *args, **kwargs):\n allow_non_recipe_messages = kwargs.pop('allow_non_recipe_messages', False)\n l...
def x(transport_layer, channel, callback, *args, **kwargs): return _wrap_subscription(transport_layer, transport_layer.subscribe, channel, callback, *args, **kwargs)
wrap_subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(transport_layer, channel, callback, *args, **kwargs):\n return _wrap_subscription(transport_layer, transport_layer.subscribe,\n channel, callback, *a...
def x(transport_layer, channel, callback, *args, **kwargs): return _wrap_subscription(transport_layer, transport_layer. subscribe_broadcast, channel, callback, *args, **kwargs)
wrap_subscribe_broadcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(transport_layer, channel, callback, *args, **kwargs):\n return _wrap_subscription(transport_layer, transport_layer.\n subscribe_broadcast, channel, c...
def x(self): if self.transport: if self.transport.connect(): self.log.debug('Service successfully connected to transport layer') else: raise RuntimeError('Service could not connect to transport layer') self._transport_interceptor_counter = itertools.count() self.transport.subscription_callback_set_intercept(self. _transport_interceptor) else: self.log.debug('No transport layer defined for service. Skipping.')
start_transport
[ { "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.transport:\n if self.transport.connect():\n self.log.debug('Service successfully connected to transport layer')\n ...
def x(self, callback): def x(header, message): queue_item = Priority.TRANSPORT, next(self. _transport_interceptor_counter), (callback, header, message) self.__queue.put(queue_item) return add_item_to_queue
transport_interceptor
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, callback):\n\n def x(header, message):\n queue_item = Priority.TRANSPORT, next(self.\n _transport_interceptor_counter), (callback, h...
def x(self, frontend=None, commands=None): if frontend: self.__pipe_frontend = frontend self.__send_service_status_to_frontend() if commands: self.__pipe_commands = commands
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, frontend=None, commands=None):\n if frontend:\n self.__pipe_frontend = frontend\n self.__send_service_status_to_frontend()\n if comma...
def x(self, field, value): self.__log_extensions.append((field, value)) try: yield except Exception as e: setattr(e, 'workflows_log_' + field, value) raise finally: self.__log_extensions.remove((field, value))
extend_log
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, field, value):\n self.__log_extensions.append((field, value))\n try:\n yield\n except Exception as e:\n setattr(e, 'workflows_log_...
def x(self): self.log.debug('Queue listener thread started') counter = itertools.count() while not self.__shutdown: if self.__pipe_commands.poll(1): try: message = self.__pipe_commands.recv() except EOFError: self.__shutdown = True self.log.error('Pipe closed by frontend, shutting down service' , exc_info=True) break queue_item = Priority.COMMAND, next(counter), message try: self.__queue.put(queue_item, True, 60) except queue.Full: self.__shutdown = True self.log.error( 'Write to service priority queue failed, shutting down service' , exc_info=True) break self.log.debug('Queue listener thread terminating')
command_queue_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.log.debug('Queue listener thread started')\n counter = itertools.count()\n while not self.__shutdown:\n if self.__pipe_commands.p...
def x(self): thread_function = self.__command_queue_listener class QueueListenerThread(threading.Thread): def x(qltself): thread_function() assert not hasattr(self, '__queue_listener_thread') self.log.debug('Starting queue listener thread') self.__queue_listener_thread = QueueListenerThread() self.__queue_listener_thread.daemon = True self.__queue_listener_thread.name = 'Command Queue Listener' self.__queue_listener_thread.start()
start_command_queue_listener
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n thread_function = self.__command_queue_listener\n\n\n class QueueListenerThread(threading.Thread):\n\n def x(qltself):\n threa...
def x(self, logrecord): for field, value in self.__log_extensions: setattr(logrecord, field, value) self.__send_to_frontend({'band': 'log', 'payload': logrecord})
log_send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, logrecord):\n for field, value in self.__log_extensions:\n setattr(logrecord, field, value)\n self.__send_to_frontend({'band': 'log', 'paylo...
def x(self, idle_time, callback): self._idle_callback = callback self._idle_time = idle_time
register_idle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, idle_time, callback):\n self._idle_callback = callback\n self._idle_time = idle_time\n", "role": "user" }, { "content": "register_idle"...
def x(self, statuscode): if self.__service_status != statuscode: self.__service_status = statuscode self.__send_service_status_to_frontend()
update_service_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, statuscode):\n if self.__service_status != statuscode:\n self.__service_status = statuscode\n self.__send_service_status_to_frontend()\n...
def x(self, name): self._service_name = name self.__send_to_frontend({'band': 'set_name', 'name': self._service_name})
set_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, name):\n self._service_name = name\n self.__send_to_frontend({'band': 'set_name', 'name': self._service_name})\n", "role": "user" }, { ...
def x(self): for loggername in ([None] + list(logging.Logger.manager.loggerDict.keys()) ): logger = logging.getLogger(loggername) while logger.handlers: logger.removeHandler(logger.handlers[0]) root_logger = logging.getLogger() root_logger.setLevel(logging.WARN) root_logger.addHandler(workflows.logging.CallbackHandler(self._log_send)) self.log = logging.getLogger(self._logger_name) if self.start_kwargs.get('verbose_log'): self.log_verbosity = logging.DEBUG self.log.setLevel(self.log_verbosity) console = logging.StreamHandler() console.setLevel(logging.CRITICAL) root_logger.addHandler(console)
initialize_logging
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for loggername in ([None] + list(logging.Logger.manager.loggerDict.keys())\n ):\n logger = logging.getLogger(loggername)\n whi...
def x(self, **kwargs): self.start_kwargs.update(kwargs) try: self.initialize_logging() self.__update_service_status(self.SERVICE_STATUS_STARTING) self.start_transport() self.initializing() self._register('command', self.__process_command) if self.__pipe_commands is None: self.__shutdown = True else: self.__start_command_queue_listener() while not self.__shutdown: self.__update_service_status(self.SERVICE_STATUS_IDLE) if self._idle_time is None: task = self.__queue.get() else: try: task = self.__queue.get(True, self._idle_time) except queue.Empty: self.__update_service_status(self.SERVICE_STATUS_TIMER) if self._idle_callback: self._idle_callback() continue self.__update_service_status(self.SERVICE_STATUS_PROCESSING) if task[0] == Priority.COMMAND: message = task[2] if message and 'band' in message: processor = self.__callback_register.get(message['band']) if processor is None: self.log.warning( 'received message on unregistered band\n%s', message) else: processor(message.get('payload')) else: self.log.warning( 'received message without band information\n%s', message) elif task[0] == Priority.TRANSPORT: callback, header, message = task[2] callback(header, message) else: self.log.warning('Unknown item on main service queue\n%r', task ) except KeyboardInterrupt: self.log.warning('Ctrl+C detected. Shutting down.') except Exception as e: self.process_uncaught_exception(e) self.__update_service_status(self.SERVICE_STATUS_ERROR) self.in_shutdown() return try: self.__update_service_status(self.SERVICE_STATUS_SHUTDOWN) self.in_shutdown() self.__update_service_status(self.SERVICE_STATUS_END) except Exception as e: self.process_uncaught_exception(e) self.__update_service_status(self.SERVICE_STATUS_ERROR)
start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, **kwargs):\n self.start_kwargs.update(kwargs)\n try:\n self.initialize_logging()\n self.__update_service_status(self.SERVICE_STATUS_S...
def x(self, e): exc_file_fullpath, exc_file, exc_lineno, exc_func, exc_line = (workflows .logging.get_exception_source()) added_information = {'workflows_exc_lineno': exc_lineno, 'workflows_exc_funcName': exc_func, 'workflows_exc_line': exc_line, 'workflows_exc_pathname': exc_file_fullpath, 'workflows_exc_filename': exc_file} for field in filter(lambda x: x.startswith('workflows_log_'), dir(e)): added_information[field[14:]] = getattr(e, field, None) self.log.critical('Unhandled service exception: %s', e, exc_info=True, extra=added_information)
process_uncaught_exception
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, e):\n exc_file_fullpath, exc_file, exc_lineno, exc_func, exc_line = (workflows\n .logging.get_exception_source())\n added_information = {'wo...
def x(self, *args, **kwargs): if self.use_ssl: factory = irc.connection.Factory(wrapper=ssl.wrap_socket) else: factory = irc.connection.Factory() self.connection.connect(server=self.server, port=self.port, nickname= self.nickname, connect_factory=factory, password=self.password, username=self.username, ircname=self.ircname)
connect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, *args, **kwargs):\n if self.use_ssl:\n factory = irc.connection.Factory(wrapper=ssl.wrap_socket)\n else:\n factory = irc.connection.F...
def x(self, e): metadata = Metadata(source=self.actor_urn).__dict__ metadata['source_connector'] = 'irc' metadata['source_channel'] = e.target metadata['source_user'] = e.source metadata['source_username'] = e.source.split('!')[0] metadata['user_id'] = metadata['source_user'] metadata['display_name'] = metadata['source_username'] return metadata
set_metadata
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, e):\n metadata = Metadata(source=self.actor_urn).__dict__\n metadata['source_connector'] = 'irc'\n metadata['source_channel'] = e.target\n me...
def x(self, c, e): text = e.arguments[0] metadata = self.set_metadata(e) metadata['is_private_message'] = False message = Message(text=text, metadata=metadata).__dict__ self.baseplate.tell(message)
on_pubmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, c, e):\n text = e.arguments[0]\n metadata = self.set_metadata(e)\n metadata['is_private_message'] = False\n message = Message(text=text, meta...
def x(self, c, e): text = e.arguments[0] logger.debug('{0!s}'.format(e.source)) metadata = self.set_metadata(e) metadata['is_private_message'] = True message = Message(text=text, metadata=metadata).__dict__ self.baseplate.tell(message)
on_privmsg
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, c, e):\n text = e.arguments[0]\n logger.debug('{0!s}'.format(e.source))\n metadata = self.set_metadata(e)\n metadata['is_private_message'] = ...
def x(self, c, e): self.backoff = 1 if self.nickserv: if Utilities.isNotEmpty(self.nickserv_pass): self.identify(c, e, self.nickserv_pass) time.sleep(3) else: logger.error('If nickserv is enabled, you must supply a password') if self.nickserv is False and self.nickserv_pass is not None: logger.warn( 'It appears you provided a nickserv password but did not enable nickserv authentication' ) for channel in self.my_channels: logger.debug('Attempting to join {0!s}'.format(channel)) c.join(channel)
on_welcome
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, c, e):\n self.backoff = 1\n if self.nickserv:\n if Utilities.isNotEmpty(self.nickserv_pass):\n self.identify(c, e, self.nickserv_...
def x(self): self._connect() super(irc.bot.SingleServerIRCBot, self).start()
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._connect()\n super(irc.bot.SingleServerIRCBot, self).start()\n", "role": "user" }, { "content": "run", "role": "assistant" ...
def x(self, message): logger.debug(message) if Utilities.isNotEmpty(message['metadata']['opts']): target = message['metadata']['opts']['target'] for split_line in Utilities.tokenize(message['text']): for truncated_line in Utilities.truncate(split_line): self.botThread.connection.privmsg(target, truncated_line) time.sleep(0.25)
handle
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n logger.debug(message)\n if Utilities.isNotEmpty(message['metadata']['opts']):\n target = message['metadata']['opts']['target']\n...
def x(self): if self.sparselib not in self.sparselib_alt: logger.warning('Invalid sparse library <{}>'.format(self.sparselib)) self.sparselib = 'umfpack' if self.sparselib == 'klu' and not KLU: logger.info('Optional package "cvxoptklu" available for speed up') self.sparselib = 'umfpack' 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):\n if self.sparselib not in self.sparselib_alt:\n logger.warning('Invalid sparse library <{}>'.format(self.sparselib))\n self.sparselib ...
def x(self, actual_time): if self.time != actual_time: self.time = actual_time else: return for i in range(self.n): if self.tf[i] == self.time: logger.info(' <Fault> Applying fault on Bus <{}> at t={}.'. format(self.bus[i], self.tf[i])) self.u[i] = 1 self.active += 1 self.angle0 = self.system.dae.y[self.system.Bus.a] self.volt0 = self.system.dae.y[self.system.Bus.n:] self.system.dae.factorize = True elif self.tc[i] == self.time: logger.info(' <Fault> Clearing fault on Bus <{}> at t={}.'. format(self.bus[i], self.tc[i])) self.u[i] = 0 self.active -= 1 self.system.dae.y[self.system.Bus.n:] = self.volt0 self.system.dae.factorize = True
apply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, actual_time):\n if self.time != actual_time:\n self.time = actual_time\n else:\n return\n for i in range(self.n):\n if self...
def x(self, header, message): logmessage = {'time': time.time() % 1000 * 1000, 'header': '', 'message': message} if header: logmessage['header'] = json.dumps(header, indent=2 ) + '\n' + '----------------' + '\n' if isinstance(message, dict): logmessage['message'] = json.dumps(message, indent=2 ) + '\n' + '----------------' + '\n' print('=== Consume ====\n{header}{message}'.format(**logmessage)) self.log.info('Received message @{time}'.format(**logmessage)) self.log.debug('Received message @{time}\n{header}{message}'.format(** logmessage)) time.sleep(0.1)
consume_message
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, header, message):\n logmessage = {'time': time.time() % 1000 * 1000, 'header': '',\n 'message': message}\n if header:\n logmessage['h...
def x(self, message): if self.log_file is not None and message['should_log']: message_copy = Message(message['text'], Metadata(None).__dict__, message['should_log']).__dict__ with open(self.log_file, mode='w') as f: f.write(json.dumps(message_copy)) logger.info(message['metadata']['source']) if self.listening_for(message): self_thread = self.HandlerThread(self.handle, message) self_thread.start() self.cleanup() for child in self.children: child.tell(message)
on_receive
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n if self.log_file is not None and message['should_log']:\n message_copy = Message(message['text'], Metadata(None).__dict__,\n ...
def x(self): self.lock.acquire() logger.debug('Acquired lock in cleanup for ' + str(self)) self.children = [child for child in self.children if child.is_alive()] self.lock.release()
cleanup
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.lock.acquire()\n logger.debug('Acquired lock in cleanup for ' + str(self))\n self.children = [child for child in self.children if child....
def x(self, child_type, *args, **kwargs): try: baseplate = kwargs['baseplate'] except: if self.baseplate is None: baseplate = self.actor_ref else: baseplate = self.baseplate try: lock = kwargs['lock'] except: lock = self.lock child = child_type.start(baseplate, lock, *args, **kwargs) self.children.append(child)
add_child
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, child_type, *args, **kwargs):\n try:\n baseplate = kwargs['baseplate']\n except:\n if self.baseplate is None:\n baseplate ...
def x(self, message, text, opts=None): metadata = Metadata(source=self.actor_urn, dest=message['metadata'][ 'source']).__dict__ metadata['opts'] = opts message = Message(text=text, metadata=metadata, should_log=message[ 'should_log']).__dict__ dest_actor = ActorRegistry.get_by_urn(message['metadata']['dest']) if dest_actor is not None: dest_actor.tell(message) else: raise 'Tried to send message to nonexistent actor'
reply
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, text, opts=None):\n metadata = Metadata(source=self.actor_urn, dest=message['metadata'][\n 'source']).__dict__\n metadata['opts'] =...
def x(self, message, text, attachment, opts=None): if not opts: opts = {} opts['attachment'] = attachment opts['fallback'] = text text += '\n {}'.format(attachment) self.reply(message, text, opts)
reply_attachment
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message, text, attachment, opts=None):\n if not opts:\n opts = {}\n opts['attachment'] = attachment\n opts['fallback'] = text\n text +...
def x(self, message): try: source = message['metadata']['source_channel'] thread = message['metadata'].get('thread_ts') opts = {'target': source, 'thread': thread} except LookupError: source = None opts = None logger.error('Could not identify source from message:{}\n'.format( str(message))) return opts
build_reply_opts
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message):\n try:\n source = message['metadata']['source_channel']\n thread = message['metadata'].get('thread_ts')\n opts = {'targ...
def x(data, system): device = data[0] action = data[1] if data[2] == '*': data[2] = '.*' regex = re.compile(data[2]) prop = data[3] value = float(data[4]) if action == 'MUL': for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] *= value elif action == 'REP': for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] = value elif action == 'DIV': if not value: return for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] /= value elif action == 'SUM': for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] += value elif action == 'SUB': for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] -= value elif action == 'POW': for item in range(system.__dict__[device].n): if regex.search(system.__dict__[device].name[item]): system.__dict__[device].__dict__[prop][item] **= value else: print('ALTER action <%s> is not defined', action)
alter
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, system):\n device = data[0]\n action = data[1]\n if data[2] == '*':\n data[2] = '.*'\n regex = re.compile(data[2])\n prop = data[3]...
def x(file, system, header=True): retval = True fid = open(file, 'r') sep = re.compile('\\s*,\\s*') comment = re.compile('^#\\s*') equal = re.compile('\\s*=\\s*') math = re.compile('[*/+-]') double = re.compile('[+-]? *(?:\\d+(?:\\.\\d*)?|\\.\\d+)(?:[eE][+-]?\\d+)?' ) while True: line = fid.readline() if not line: break line = line.replace('\n', '') line = line.strip() if not line: continue if comment.search(line): continue while line.endswith(',') or line.endswith(';'): newline = fid.readline() line = line.replace('\n', '') newline = newline.strip() if not newline: continue if comment.search(newline): continue line += ' ' + newline data = sep.split(line) device = data.pop(0) device = device.strip() if device == 'ALTER': alter(data, system) continue if device == 'INCLUDE': logger.debug('Parsing include file <{}>'.format(data[0])) newpath = data[0] if not os.path.isfile(newpath): newpath = os.path.join(system.files.path, data[0]) if not os.path.isfile(newpath): raise FileNotFoundError('Unable to locate file in {}'. format(newpath)) read(newpath, system, header=False) logger.debug('Parsing of include file <{}> completed.'.format( data[0])) continue kwargs = {} for item in data: pair = equal.split(item) key = pair[0].strip() value = pair[1].strip() if value.startswith('"'): value = value[1:-1] elif value.startswith('['): array = value[1:-1].split(';') if math.search(value): value = list(map(lambda x: eval(x), array)) else: value = list(map(lambda x: float(x), array)) elif double.search(value): if math.search(value): value = eval(value) else: value = float(value) elif value == 'True': value = True elif value == 'False': value = False else: value = int(value) kwargs[key] = value index = kwargs.pop('idx', None) namex = kwargs.pop('name', None) try: system.__dict__[device].elem_add(idx=index, name=namex, **kwargs) except KeyError: logger.error('Error adding device {:s} to powersystem object.'. format(device)) logger.debug( 'Make sure you have added the jit models in __init__.py') fid.close() return retval
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, system, header=True):\n retval = True\n fid = open(file, 'r')\n sep = re.compile('\\\\s*,\\\\s*')\n comment = re.compile('^#\\\\s*')\n equ...
def x(file, system): out = list() out.append('# DOME format version 1.0') ppl = 7 retval = True dev_list = sorted(system.devman.devices) for dev in dev_list: model = system.__dict__[dev] if not model.n: continue out.append('') header = dev + ', ' space = ' ' * (len(dev) + 2) keys = list(model._data.keys()) keys.extend(['name', 'idx']) keys = sorted(keys) for key in keys: if key not in model.__dict__.keys(): keys.pop(key) nline = int(ceil(len(keys) / ppl)) nelement = model.n vals = [''] * len(keys) for elem in range(nelement): for idx, key in enumerate(keys): if model._flags['sysbase'] and key in model._store.keys(): val = model._store[key][elem] else: val = model.__dict__[key][elem] if isinstance(val, float): val = round(val, 5) elif isinstance(val, str): val = '"{}"'.format(val) elif isinstance(val, list): val = list(val) val = '; '.join(str(i) for i in val) val = '[{}]'.format(val) elif val is None: val = 0 vals[idx] = val pair = [] for key, val in zip(keys, vals): pair.append('{} = {}'.format(key, val)) for line in range(nline): string = ', '.join(pair[ppl * line:ppl * (line + 1)]) if line == 0: string = header + string else: string = space + string if not line == nline - 1: string += ',' out.append(string) fid = open(file, 'w') for line in out: fid.write(line + '\n') fid.close() return retval
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, system):\n out = list()\n out.append('# DOME format version 1.0')\n ppl = 7\n retval = True\n dev_list = sorted(system.devman.devices)\n ...
def x(cls, parser): if 'add_argument' in dir(parser): return cls.add_command_line_options_argparse(parser) else: return cls.add_command_line_options_optparse(parser)
add_command_line_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, parser):\n if 'add_argument' in dir(parser):\n return cls.add_command_line_options_argparse(parser)\n else:\n return cls.add_command_l...
def x(cls, argparser): import argparse class SetParameter(argparse.Action): """callback object for ArgumentParser""" def x(self, parser, namespace, value, option_string=None): cls.config[option_string] = value if option_string == '--stomp-conf': cls.load_configuration_file(value) argparser.add_argument('--stomp-host', metavar='HOST', default=cls. defaults.get('--stomp-host'), help= "Stomp broker address, default '%(default)s'", type=str, action= SetParameter) argparser.add_argument('--stomp-port', metavar='PORT', default=cls. defaults.get('--stomp-port'), help= "Stomp broker port, default '%(default)s'", type=int, action= SetParameter) argparser.add_argument('--stomp-user', metavar='USER', default=cls. defaults.get('--stomp-user'), help= "Stomp user, default '%(default)s'", type=str, action=SetParameter) argparser.add_argument('--stomp-pass', metavar='PASS', default=cls. defaults.get('--stomp-pass'), help='Stomp password', type=str, action=SetParameter) argparser.add_argument('--stomp-prfx', metavar='PRE', default=cls. defaults.get('--stomp-prfx'), help= "Stomp namespace prefix, default '%(default)s'", type=str, action= SetParameter) argparser.add_argument('--stomp-conf', metavar='CNF', default=cls. defaults.get('--stomp-conf'), help= 'Stomp configuration file containing connection information, disables default values' , type=str, action=SetParameter)
add_command_line_options_argparse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, argparser):\n import argparse\n\n\n class SetParameter(argparse.Action):\n \"\"\"callback object for ArgumentParser\"\"\"\n\n def x(se...
def x(cls, optparser): def x(option, opt, value, parser): cls.config[opt] = value if opt == '--stomp-conf': cls.load_configuration_file(value) optparser.add_option('--stomp-host', metavar='HOST', default=cls. defaults.get('--stomp-host'), help= "Stomp broker address, default '%default'", type='string', nargs=1, action='callback', callback=set_parameter) optparser.add_option('--stomp-port', metavar='PORT', default=cls. defaults.get('--stomp-port'), help= "Stomp broker port, default '%default'", type='int', nargs=1, action='callback', callback=set_parameter) optparser.add_option('--stomp-user', metavar='USER', default=cls. defaults.get('--stomp-user'), help="Stomp user, default '%default'", type='string', nargs=1, action='callback', callback=set_parameter) optparser.add_option('--stomp-pass', metavar='PASS', default=cls. defaults.get('--stomp-pass'), help='Stomp password', type='string', nargs=1, action='callback', callback=set_parameter) optparser.add_option('--stomp-prfx', metavar='PRE', default=cls. defaults.get('--stomp-prfx'), help= "Stomp namespace prefix, default '%default'", type='string', nargs= 1, action='callback', callback=set_parameter) optparser.add_option('--stomp-conf', metavar='CNF', default=cls. defaults.get('--stomp-conf'), help= 'Stomp configuration file containing connection information, disables default values' , type='string', nargs=1, action='callback', callback=set_parameter)
add_command_line_options_optparse
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, optparser):\n\n def x(option, opt, value, parser):\n cls.config[opt] = value\n if opt == '--stomp-conf':\n cls.load_configurat...
def x(self): self._connected = self._connected and self._conn.is_connected() return self._connected
is_connected
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self._connected = self._connected and self._conn.is_connected()\n return self._connected\n", "role": "user" }, { "content": "is_conn...
def x(self): if self._connected: self._connected = False self._conn.disconnect()
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._connected:\n self._connected = False\n self._conn.disconnect()\n", "role": "user" }, { "content": "disconnect", ...
def x(self, status): self._broadcast('transient.status', json.dumps(status), headers={ 'expires': str(int((15 + time.time()) * 1000))})
broadcast_status
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status):\n self._broadcast('transient.status', json.dumps(status), headers={\n 'expires': str(int((15 + time.time()) * 1000))})\n", "role":...
def x(self, sub_id, channel, callback, **kwargs): headers = {} if kwargs.get('exclusive'): headers['activemq.exclusive'] = 'true' if kwargs.get('ignore_namespace'): destination = '/queue/' + channel else: destination = '/queue/' + self._namespace + channel if kwargs.get('priority'): headers['activemq.priority'] = kwargs['priority'] if kwargs.get('retroactive'): headers['activemq.retroactive'] = 'true' if kwargs.get('selector'): headers['selector'] = kwargs['selector'] if kwargs.get('transformation'): if kwargs['transformation'] == True: headers['transformation'] = 'jms-object-json' else: headers['transformation'] = kwargs['transformation'] if kwargs.get('acknowledgement'): ack = 'client-individual' else: ack = 'auto' self._conn.subscribe(destination, sub_id, headers=headers, ack=ack)
subscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sub_id, channel, callback, **kwargs):\n headers = {}\n if kwargs.get('exclusive'):\n headers['activemq.exclusive'] = 'true'\n if kwargs.g...
def x(self, sub_id, channel, callback, **kwargs): headers = {} if kwargs.get('ignore_namespace'): destination = '/topic/' + channel else: destination = '/topic/' + self._namespace + channel if kwargs.get('retroactive'): headers['activemq.retroactive'] = 'true' if kwargs.get('transformation'): if kwargs['transformation'] == True: headers['transformation'] = 'jms-object-json' else: headers['transformation'] = kwargs['transformation'] self._conn.subscribe(destination, sub_id, headers=headers)
subscribe_broadcast
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, sub_id, channel, callback, **kwargs):\n headers = {}\n if kwargs.get('ignore_namespace'):\n destination = '/topic/' + channel\n else:\n ...
def x(self, destination, message, headers=None, delay=None, expiration=None, **kwargs): if not headers: headers = {} if 'persistent' not in headers: headers['persistent'] = 'true' if delay: headers['AMQ_SCHEDULED_DELAY'] = int(1000 * delay) if expiration: headers['expires'] = int((time.time() + expiration) * 1000) if kwargs.get('ignore_namespace'): destination = '/queue/' + destination else: destination = '/queue/' + self._namespace + destination try: self._conn.send(destination, message, headers=headers, **kwargs) except stomp.exception.NotConnectedException: self._connected = False raise workflows.Disconnected('No connection to stomp host')
send
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, destination, message, headers=None, delay=None, expiration=None,\n **kwargs):\n if not headers:\n headers = {}\n if 'persistent' not in h...
def x(self, message_id, subscription_id, **kwargs): self._conn.ack(message_id, subscription_id, **kwargs)
ack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message_id, subscription_id, **kwargs):\n self._conn.ack(message_id, subscription_id, **kwargs)\n", "role": "user" }, { "content": "ack", ...
def x(self, message_id, subscription_id, **kwargs): self._conn.nack(message_id, subscription_id, **kwargs)
nack
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, message_id, subscription_id, **kwargs):\n self._conn.nack(message_id, subscription_id, **kwargs)\n", "role": "user" }, { "content": "nack"...
def x(self, dev_name): if dev_name not in self.devices: self.devices.append(dev_name) group_name = self.system.__dict__[dev_name]._group if group_name not in self.group.keys(): self.group[group_name] = {}
register_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dev_name):\n if dev_name not in self.devices:\n self.devices.append(dev_name)\n group_name = self.system.__dict__[dev_name]._group\n if g...
def x(self, dev_name, idx=None): if dev_name not in self.devices: logger.error( 'Device {} missing. call add_device before adding elements'. format(dev_name)) return group_name = self.system.__dict__[dev_name]._group if idx is None: idx = dev_name + '_' + str(len(self.group[group_name].keys())) self.group[group_name][idx] = dev_name return idx
register_element
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, dev_name, idx=None):\n if dev_name not in self.devices:\n logger.error(\n 'Device {} missing. call add_device before adding elements...
def x(self): self.devices.sort() idx = [] names = [] for dev in order: if dev in all_models: all_dev = list(sorted(all_models[dev].keys())) for item in all_dev: if item in self.devices: idx.append(self.devices.index(item)) names.append(item) elif dev in self.devices: idx.append(self.devices.index(dev)) names.append(dev) idx = sorted(idx) for id, name in zip(idx, names): self.devices[id] = name
sort_device
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.devices.sort()\n idx = []\n names = []\n for dev in order:\n if dev in all_models:\n all_dev = list(sorted(all_mode...
def x(self): system = self.system config = self.config if not system.dae.n: freq = 1.0 elif system.dae.n == 1: B = matrix(system.dae.Gx) self.solver.linsolve(system.dae.Gy, B) As = system.dae.Fx - system.dae.Fy * B freq = abs(As[0, 0]) else: freq = 20.0 if freq > system.freq: freq = float(system.freq) tspan = abs(config.tf - config.t0) tcycle = 1 / freq config.deltatmax = min(5 * tcycle, tspan / 100.0) config.deltat = min(tcycle, tspan / 100.0) config.deltatmin = min(tcycle / 64, config.deltatmax / 20) if config.fixt: if config.tstep <= 0: logger.warning('Fixed time step is negative or zero') logger.warning('Switching to automatic time step') config.fixt = False else: config.deltat = config.tstep if config.tstep < config.deltatmin: logger.warning('Fixed time step is below the estimated minimum' ) self.h = config.deltat
calc_time_step_first
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n config = self.config\n if not system.dae.n:\n freq = 1.0\n elif system.dae.n == 1:\n B = matrix(syste...
def x(self): system = self.system config = self.config convergence = self.convergence niter = self.niter t = self.t if t == 0: self._calc_time_step_first() return if convergence: if niter >= 15: config.deltat = max(config.deltat * 0.5, config.deltatmin) elif niter <= 6: config.deltat = min(config.deltat * 1.1, config.deltatmax) else: config.deltat = max(config.deltat * 0.95, config.deltatmin) if config.fixt: config.deltat = min(config.tstep, config.deltat) else: config.deltat *= 0.9 if config.deltat < config.deltatmin: config.deltat = 0 if system.Fault.is_time(t) or system.Breaker.is_time(t): config.deltat = min(config.deltat, 0.002778) elif system.check_event(t): config.deltat = min(config.deltat, 0.002778) if config.method == 'fwdeuler': config.deltat = min(config.deltat, config.tstep) if self.t + config.deltat > config.tf: config.deltat = config.tf - self.t for fixed_t in self.fixed_times: if fixed_t > self.t and fixed_t <= self.t + config.deltat: config.deltat = fixed_t - self.t self.switch = True break self.h = config.deltat
calc_time_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n config = self.config\n convergence = self.convergence\n niter = self.niter\n t = self.t\n if t == 0:\n ...
def x(self): system = self.system config = self.config dae = self.system.dae if system.pflow.solved is False: return t, s = elapsed() system.xy_addr1() system.varname.resize_for_flows() system.varname.bus_line_names() system.dae.init1() for device, init1 in zip(system.devman.devices, system.call.init1): if init1: system.__dict__[device].init1(system.dae) if config.compute_flows: dae.init_fg() self.compute_flows() t, s = elapsed(t) if system.dae.n: logger.debug('Dynamic models initialized in {:s}.'.format(s)) else: logger.debug('No dynamic model loaded.') system.dae.factorize = True system.dae.mu = 1.0 system.dae.kg = 0.0
init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n config = self.config\n dae = self.system.dae\n if system.pflow.solved is False:\n return\n t, s = elapsed...
def x(self): ret = False system = self.system config = self.config dae = self.system.dae if system.pflow.solved is False: logger.warning('Power flow not solved. Simulation cannot continue.') return ret t0, _ = elapsed() t1 = t0 self.streaming_init() logger.info('') logger.info('-> Time Domain Simulation: {} method, t={} s'.format(self. config.method, self.config.tf)) self.load_pert() self.run_step0() config.qrtstart = time() while self.t < config.tf: self.check_fixed_times() self.calc_time_step() if self.callpert is not None: self.callpert(self.t, self.system) if self.h == 0: break self.t += self.h dae.t = self.t self.x0 = matrix(dae.x) self.y0 = matrix(dae.y) self.f0 = matrix(dae.f) self.event_actions() self.err = 1 self.niter = 0 self.convergence = False self.implicit_step() if self.convergence is False: try: self.restore_values() continue except ValueError: self.t = config.tf ret = False break self.step += 1 self.compute_flows() system.varout.store(self.t, self.step) self.streaming_step() perc = max(min((self.t - config.t0) / (config.tf - config.t0) * 100, 100), 0) t2, _ = elapsed(t1) if t2 - t1 >= 30: t1 = t2 logger.info(' ({:.0f}%) time = {:.4f}s, step = {}, niter = {}'. format(100 * self.t / config.tf, self.t, self.step, self.niter) ) if perc > self.next_pc or self.t == config.tf: self.next_pc += 20 logger.info(' ({:.0f}%) time = {:.4f}s, step = {}, niter = {}'. format(100 * self.t / config.tf, self.t, self.step, self.niter) ) rt_end = config.qrtstart + (self.t - config.t0) * config.kqrt if config.qrt: if time() - rt_end > 0: if time() - rt_end > config.kqrt: logger.debug('Simulation over-run at t={:4.4g} s.'. format(self.t)) else: self.headroom += rt_end - time() while time() - rt_end < 0: sleep(1e-05) if config.qrt: logger.debug('RT headroom time: {} s.'.format(str(self.headroom))) if self.t != config.tf: logger.error('Reached minimum time step. Convergence is not likely.') ret = False else: ret = True if system.config.dime_enable: system.streaming.finalize() _, s = elapsed(t0) if ret is True: logger.info(' Time domain simulation finished in {:s}.'.format(s)) else: logger.info(' Time domain simulation failed in {:s}.'.format(s)) self.success = ret self.dump_results(success=self.success) return ret
run
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = False\n system = self.system\n config = self.config\n dae = self.system.dae\n if system.pflow.solved is False:\n logger.wa...
def x(self): if self.convergence is True: return dae = self.system.dae system = self.system inc_g = self.inc[dae.n:dae.m + dae.n] max_g_err_sign = 1 if abs(max(inc_g)) > abs(min(inc_g)) else -1 if max_g_err_sign == 1: max_g_err_idx = list(inc_g).index(max(inc_g)) else: max_g_err_idx = list(inc_g).index(min(inc_g)) logger.debug('Maximum mismatch = {:.4g} at equation <{}>'.format(max( abs(inc_g)), system.varname.unamey[max_g_err_idx])) logger.debug('Reducing time step h={:.4g}s for t={:.4g}'.format(self.h, self.t)) dae.x = matrix(self.x0) dae.y = matrix(self.y0) dae.f = matrix(self.f0)
restore_values
[ { "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.convergence is True:\n return\n dae = self.system.dae\n system = self.system\n inc_g = self.inc[dae.n:dae.m + dae.n]\n m...
def x(self): config = self.config system = self.system dae = self.system.dae In = spdiag([1] * dae.n) h = self.h while self.err > config.tol and self.niter < config.maxit: if self.t - self.t_jac >= 5: dae.rebuild = True self.t_jac = self.t elif self.niter > 4: dae.rebuild = True elif dae.factorize: dae.rebuild = True if dae.rebuild: exec(system.call.int) dae.rebuild = False else: exec(system.call.int_fg) if config.method == 'euler': dae.Ac = sparse([[In - h * dae.Fx, dae.Gx], [-h * dae.Fy, dae. Gy]], 'd') dae.q = dae.x - self.x0 - h * dae.f elif config.method == 'trapezoidal': dae.Ac = sparse([[In - h * 0.5 * dae.Fx, dae.Gx], [-h * 0.5 * dae.Fy, dae.Gy]], 'd') dae.q = dae.x - self.x0 - h * 0.5 * (dae.f + self.f0) dae.reset_Ac() if dae.factorize: self.F = self.solver.symbolic(dae.Ac) dae.factorize = False self.inc = -matrix([dae.q, dae.g]) try: N = self.solver.numeric(dae.Ac, self.F) self.solver.solve(dae.Ac, self.F, N, self.inc) except ArithmeticError: logger.error('Singular matrix') dae.check_diag(dae.Gy, 'unamey') dae.check_diag(dae.Fx, 'unamex') self.niter = config.maxit + 1 break except ValueError: logger.warning('Unexpected symbolic factorization') dae.factorize = True continue else: inc_x = self.inc[:dae.n] inc_y = self.inc[dae.n:dae.m + dae.n] dae.x += inc_x dae.y += inc_y self.err = max(abs(self.inc)) if np.isnan(self.inc).any(): logger.error('Iteration error: NaN detected.') self.niter = config.maxit + 1 break self.niter += 1 if self.niter <= config.maxit: self.convergence = True
implicit_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n config = self.config\n system = self.system\n dae = self.system.dae\n In = spdiag([1] * dae.n)\n h = self.h\n while self.err > confi...
def x(self): system = self.system dae = system.dae if self.switch: system.Breaker.apply(self.t) for item in system.check_event(self.t): system.__dict__[item].apply(self.t) dae.rebuild = True self.switch = False
event_actions
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n dae = system.dae\n if self.switch:\n system.Breaker.apply(self.t)\n for item in system.check_event(self....
def x(self): system = self.system if system.files.pert: try: sys.path.append(system.files.path) module = importlib.import_module(system.files.pert[:-3]) self.callpert = getattr(module, 'pert') except ImportError: logger.warning('Pert file is discarded due to import errors.') self.callpert = None
load_pert
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n if system.files.pert:\n try:\n sys.path.append(system.files.path)\n module = importlib.impor...
def x(self): dae = self.system.dae system = self.system self.inc = zeros(dae.m + dae.n, 1) system.varout.store(self.t, self.step) self.streaming_step()
run_step0
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n dae = self.system.dae\n system = self.system\n self.inc = zeros(dae.m + dae.n, 1)\n system.varout.store(self.t, self.step)\n self.strea...
def x(self): system = self.system if system.config.dime_enable: system.streaming.sync_and_handle() system.streaming.vars_to_modules() system.streaming.vars_to_pmu()
streaming_step
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n if system.config.dime_enable:\n system.streaming.sync_and_handle()\n system.streaming.vars_to_modules()\n ...
def x(self): system = self.system config = self.config if system.config.dime_enable: config.compute_flows = True system.streaming.send_init(recepient='all') logger.info('Waiting for modules to send init info...') sleep(0.5) system.streaming.sync_and_handle()
streaming_init
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n config = self.config\n if system.config.dime_enable:\n config.compute_flows = True\n system.streaming.se...
def x(self): system = self.system config = self.config dae = system.dae if config.compute_flows: exec(system.call.bus_injection) bus_inj = dae.g[:2 * system.Bus.n] exec(system.call.seriesflow) system.Area.seriesflow(system.dae) system.Area.interchange_varout() dae.y = matrix([dae.y, bus_inj, system.Line._line_flows, system. Area.inter_varout])
compute_flows
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n system = self.system\n config = self.config\n dae = system.dae\n if config.compute_flows:\n exec(system.call.bus_injection)\n ...
def x(self, success): system = self.system t, _ = elapsed() if success and not system.files.no_output: system.varout.dump_np_vars() _, s = elapsed(t) logger.info('Simulation data dumped in {:s}.'.format(s))
dump_results
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, success):\n system = self.system\n t, _ = elapsed()\n if success and not system.files.no_output:\n system.varout.dump_np_vars()\n ...
def x(file, system): try: fid = open(file, 'r') raw_file = fid.readlines() except IOError: print('* IOError while reading input card file.') return ret_dict = dict() ret_dict['outfile'] = file.split('.')[0].lower() + '.py' key, val = None, None for idx, line in enumerate(raw_file): line = line.strip() if not line: continue if line.startswith('#'): continue elif '#' in line: line = line.split('#')[0] if '=' in line: key, val = line.split('=') key, val = key.strip(), val.strip() val = [] if val == '' else val ret_dict.update({key: val}) if val: val = val.split(';') else: val.extend(line.split(';')) if val: val = de_blank(val) ret_dict[key] = val ret_dict_ord = dict(ret_dict) for key, val in ret_dict.items(): if not val: continue if type(val) == list: if ':' in val[0]: new_val = {} new_val_ord = [] for item in val: try: m, n = item.split(':') except ValueError: print('* Error: check line <{}>'.format(item)) return m, n = m.strip(), n.strip() if ',' in n: n = n.split(',') n = de_blank(n) n = [to_number(i) for i in n] else: n = to_number(n) new_val.update({m.strip(): n}) new_val_ord.append([m.strip(), n]) ret_dict[key] = new_val ret_dict_ord[key] = new_val_ord ret_dict['name'] = ret_dict['name'][0] ret_dict['doc_string'] = ret_dict['doc_string'][0] ret_dict['group'] = ret_dict['group'][0] ret_dict['service_keys'] = list(ret_dict['service_eq'].keys()) ret_dict['consts'] = list(ret_dict['data'].keys()) + list(ret_dict[ 'service_eq'].keys()) ret_dict['init1_eq'] = ret_dict_ord['init1_eq'] ret_dict['service_eq'] = ret_dict_ord['service_eq'] ret_dict['ctrl'] = ret_dict_ord['ctrl'] copy_algebs = [] copy_states = [] for item in ret_dict['ctrl']: key, val = item if val[3] == 'y': copy_algebs.append(key) elif val[3] == 'x': copy_states.append(key) elif val[3] == 'c': ret_dict['consts'].append(key) ret_dict['copy_algebs'] = copy_algebs ret_dict['copy_states'] = copy_states return run(system, **ret_dict)
read
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, system):\n try:\n fid = open(file, 'r')\n raw_file = fid.readlines()\n except IOError:\n print('* IOError while reading input ...
def x(val): ret = list(val) if type(val) == list: for idx, item in enumerate(val): if item.strip() == '': ret.remove(item) else: ret[idx] = item.strip() return ret
de_blank
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(val):\n ret = list(val)\n if type(val) == list:\n for idx, item in enumerate(val):\n if item.strip() == '':\n ret.remove...
def x(expr, sym_const=None, sym_states=None, sym_algebs=None): if not sym_const: sym_const = [] if not sym_states: sym_states = [] if not sym_algebs: sym_algebs = [] expr_str = [] if type(expr) in (int, float): return expr if expr.is_Atom: if expr in sym_const: expr_str = 'self.{}'.format(expr) elif expr in sym_states: expr_str = 'dae.x[self.{}]'.format(expr) elif expr in sym_algebs: expr_str = 'dae.y[self.{}]'.format(expr) elif expr.is_Number: if expr.is_Integer: expr_str = str(int(expr)) else: expr_str = str(float(expr)) else: raise AttributeError('Unknown free symbol <{}>'.format(expr)) else: nargs = len(expr.args) arg_str = [] for arg in expr.args: arg_str.append(stringfy(arg, sym_const, sym_states, sym_algebs)) if expr.is_Add: expr_str = '' for idx, item in enumerate(arg_str): if idx == 0: if len(item) > 1 and item[1] == ' ': item = item[0] + item[2:] if idx > 0: if item[0] == '-': item = ' ' + item else: item = ' + ' + item expr_str += item elif expr.is_Mul: if nargs == 2 and expr.args[0].is_Integer: if expr.args[0].is_positive: expr_str = '{}*{}'.format(*arg_str) elif expr.args[0] == Integer('-1'): expr_str = '- {}'.format(arg_str[1]) else: expr_str = '{}*{}'.format(*arg_str) elif expr.args[0] == Integer('-1'): expr_str = ', '.join(arg_str[1:]) expr_str = '- mul(' + expr_str + ')' else: expr_str = ', '.join(arg_str) expr_str = 'mul(' + expr_str + ')' elif expr.is_Function: expr_str = ', '.join(arg_str) expr_str = str(expr.func) + '(' + expr_str + ')' elif expr.is_Pow: if arg_str[1] == '-1': expr_str = 'div(1, {})'.format(arg_str[0]) else: expr_str = '({})**{}'.format(*arg_str) elif expr.is_Div: expr_str = ', '.join(arg_str) expr_str = 'div(' + expr_str + ')' else: raise NotImplementedError return expr_str
stringfy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(expr, sym_const=None, sym_states=None, sym_algebs=None):\n if not sym_const:\n sym_const = []\n if not sym_states:\n sym_states = []\n i...
def x(file, system): dyr = {} data = [] end = 0 retval = True sep = ',' fid = open(file, 'r') for line in fid.readlines(): if line.find('/') >= 0: line = line.split('/')[0] end = 1 if line.find(',') >= 0: line = [to_number(item.strip()) for item in line.split(sep)] else: line = [to_number(item.strip()) for item in line.split()] if not line: end = 0 continue data.extend(line) if end == 1: field = data[1] if field not in dyr.keys(): dyr[field] = [] dyr[field].append(data) end = 0 data = [] fid.close() supported = ['GENROU', 'GENCLS', 'ESST3A', 'ESDC2A', 'SEXS', 'EXST1', 'ST2CUT', 'IEEEST', 'TGOV1'] used = list(supported) for model in supported: if model not in dyr.keys(): used.remove(model) continue for data in dyr[model]: add_dyn(system, model, data) needed = list(dyr.keys()) for i in supported: if i in needed: needed.remove(i) logger.warning('Models currently unsupported: {}'.format(', '.join(needed)) ) return retval
readadd
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(file, system):\n dyr = {}\n data = []\n end = 0\n retval = True\n sep = ','\n fid = open(file, 'r')\n for line in fid.readlines():\n ...
def x(recipe): recipe = recipe.copy() for k in list(recipe): if k not in ('start', 'error') and int(k) and k != int(k): recipe[int(k)] = recipe[k] del recipe[k] for k in list(recipe): if 'output' in recipe[k] and not isinstance(recipe[k]['output'], ( list, dict)): recipe[k]['output'] = [recipe[k]['output']] if 'start' in recipe: recipe['start'] = [tuple(x) for x in recipe['start']] return recipe
sanitize
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(recipe):\n recipe = recipe.copy()\n for k in list(recipe):\n if k not in ('start', 'error') and int(k) and k != int(k):\n recipe[int(k)...
def x(self): if not self.recipe: raise workflows.Error('Invalid recipe: No recipe defined') if 'start' not in self.recipe: raise workflows.Error('Invalid recipe: "start" node missing') if not self.recipe['start']: raise workflows.Error('Invalid recipe: "start" node empty') if not all(isinstance(x, (list, tuple)) and len(x) == 2 for x in self. recipe['start']): raise workflows.Error('Invalid recipe: "start" node invalid') if any(x[0] == 'start' for x in self.recipe['start']): raise workflows.Error('Invalid recipe: "start" node points to itself') if 'error' in self.recipe and isinstance(self.recipe['error'], (list, tuple, basestring)): if 'start' in self.recipe['error']: raise workflows.Error( 'Invalid recipe: "error" node points to "start" node') if 'error' in self.recipe['error']: raise workflows.Error( 'Invalid recipe: "error" node points to itself') nodes = list(filter(lambda x: not isinstance(x, int) and x not in ( 'start', 'error'), self.recipe)) if nodes: raise workflows.Error('Invalid recipe: Node "%s" is not numeric' % nodes[0]) touched_nodes = set(['start', 'error']) def x(struct): if struct is None: return [] if isinstance(struct, int): return [struct] if isinstance(struct, list): if not all(isinstance(x, int) for x in struct): raise workflows.Error( 'Invalid recipe: Invalid link in recipe (%s)' % str(struct) ) return struct if isinstance(struct, dict): joined_list = [] for sub_list in struct.values(): joined_list += flatten_links(sub_list) return joined_list raise workflows.Error('Invalid recipe: Invalid link in recipe (%s)' % str(struct)) def x(path): if path[-1] not in self.recipe: raise workflows.Error( 'Invalid recipe: Node "%s" is referenced via "%s" but missing' % (str(path[-1]), str(path[:-1]))) touched_nodes.add(path[-1]) node = self.recipe[path[-1]] for outgoing in ('output', 'error'): if outgoing in node: references = flatten_links(node[outgoing]) for n in references: if n in path: raise workflows.Error( 'Invalid recipe: Recipe contains cycle (%s -> %s)' % (str(path), str(n))) find_cycles(path + [n]) for link in self.recipe['start']: find_cycles(['start', link[0]]) if 'error' in self.recipe: if isinstance(self.recipe['error'], (list, tuple)): for link in self.recipe['error']: find_cycles(['error', link]) else: find_cycles(['error', self.recipe['error']]) for node in self.recipe: if node not in touched_nodes: raise workflows.Error( 'Invalid recipe: Recipe contains unreferenced node "%s"' % str(node))
validate
[ { "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.recipe:\n raise workflows.Error('Invalid recipe: No recipe defined')\n if 'start' not in self.recipe:\n raise workflow...
def x(self, parameters): class SafeString(object): def x(self, s): self.string = s def x(self): return '{' + self.string + '}' def x(self): return '{' + self.string + '}' def x(self, item): return SafeString(self.string + '[' + item + ']') class SafeDict(dict): """A dictionary that returns undefined keys as {keyname}. This can be used to selectively replace variables in datastructures.""" def x(self, key): return SafeString(key) formatter = string.Formatter() ds_formatter = string.Formatter() def x(value, spec): ds_format_field.last = value return '' ds_formatter.format_field = ds_format_field params = SafeDict(parameters) def x(item): if isinstance(item, basestring): if item.startswith('{$REPLACE') and item.endswith('}'): try: ds_formatter.vformat('{' + item[10:-1] + '}', (), parameters) except KeyError: return None return copy.deepcopy(ds_formatter.format_field.last) else: return formatter.vformat(item, (), params) if isinstance(item, dict): return {_recursive_apply(key): _recursive_apply(value) for key, value in item.items()} if isinstance(item, tuple): return tuple(_recursive_apply(list(item))) if isinstance(item, list): return [_recursive_apply(x) for x in item] return item self.recipe = _recursive_apply(self.recipe)
apply_parameters
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, parameters):\n\n\n class SafeString(object):\n\n def x(self, s):\n self.string = s\n\n def x(self):\n return '{' +...
def x(self, other): if not other: return Recipe(self.recipe) if isinstance(other, basestring): return self.merge(Recipe(other)) if not other.recipe: return Recipe(self.recipe) if not self.recipe: return Recipe(other.recipe) self.validate() other.validate() new_recipe = self.recipe max_index = max(1, *filter(lambda x: isinstance(x, int), self.recipe. keys())) next_index = max_index + 1 translation = {} for key, value in other.recipe.items(): if isinstance(key, int): if key not in translation: translation[key] = next_index next_index = next_index + 1 new_recipe[translation[key]] = value def x(x): if isinstance(x, list): return list(map(translate, x)) elif isinstance(x, tuple): return tuple(map(translate, x)) elif isinstance(x, dict): return {k: translate(v) for k, v in x.items()} else: return translation[x] for idx in translation.values(): if 'output' in new_recipe[idx]: new_recipe[idx]['output'] = translate(new_recipe[idx]['output']) if 'error' in new_recipe[idx]: new_recipe[idx]['error'] = translate(new_recipe[idx]['error']) for idx, param in other.recipe['start']: new_recipe['start'].append((translate(idx), param)) if 'error' in other.recipe: if 'error' not in new_recipe: new_recipe['error'] = translate(other.recipe['error']) else: if isinstance(new_recipe['error'], (list, tuple)): new_recipe['error'] = list(new_recipe['error']) else: new_recipe['error'] = list([new_recipe['error']]) if isinstance(other.recipe['error'], (list, tuple)): new_recipe['error'].extend(translate(other.recipe['error'])) else: new_recipe['error'].append(translate(other.recipe['error'])) return Recipe(new_recipe)
merge
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, other):\n if not other:\n return Recipe(self.recipe)\n if isinstance(other, basestring):\n return self.merge(Recipe(other))\n if n...
def x(value): value = value.strip() if value else '' if value and len(value) > 1 and value[0] == value[-1] == '"': value = value[1:-1] if not value: value = '' return value
strip_spaces_and_quotes
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n value = value.strip() if value else ''\n if value and len(value) > 1 and value[0] == value[-1] == '\"':\n value = value[1:-1]\n if no...
def x(data, unquote=default_unquote): if data is None: return None if isinstance(data, bytes): if sys.version_info > (3, 0, 0): data = data.decode('ascii') unquoted = unquote(data) if isinstance(unquoted, bytes): unquoted = unquoted.decode('utf-8') return unquoted
parse_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, unquote=default_unquote):\n if data is None:\n return None\n if isinstance(data, bytes):\n if sys.version_info > (3, 0, 0):\n ...
def x(value): match = Definitions.DATE_RE.match(value) if value else None if not match: return None data = {} captured = match.groupdict() fields = ['year', 'month', 'day', 'hour', 'minute', 'second'] if captured['year']: for field in fields: data[field] = captured[field] else: for field in fields: data[field] = captured[field + '2'] year = data['year'] if len(year) == 2: if int(year) < 70: year = '20' + year else: year = '19' + year year = int(year) data['year'] = max(1900, min(year, 9999)) for field in ['day', 'hour', 'minute', 'second']: if data[field] is None: data[field] = 0 data[field] = int(data[field]) data['month'] = Definitions.month_numbers[data['month'].lower()] return datetime.datetime(**data)
parse_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n match = Definitions.DATE_RE.match(value) if value else None\n if not match:\n return None\n data = {}\n captured = match.groupdict...
def x(value, allow_spaces=True, unquote=default_unquote): if value is None: return None value = strip_spaces_and_quotes(value) value = parse_string(value, unquote=unquote) if not allow_spaces: assert ' ' not in value return value
parse_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, allow_spaces=True, unquote=default_unquote):\n if value is None:\n return None\n value = strip_spaces_and_quotes(value)\n value = parse_...
def x(name): if isinstance(name, bytes): name = name.decode('ascii') if not Definitions.COOKIE_NAME_RE.match(name): return False if name[0] == '$': return False return True
valid_name
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(name):\n if isinstance(name, bytes):\n name = name.decode('ascii')\n if not Definitions.COOKIE_NAME_RE.match(name):\n return False\n if ...
def x(value, quote=default_cookie_quote, unquote=default_unquote): if value is None: return False encoded = encode_cookie_value(value, quote=quote) decoded = parse_string(encoded, unquote=unquote) decoded_normalized = normalize('NFKD', decoded) if not isinstance(decoded, bytes) else decoded value_normalized = normalize('NFKD', value) if not isinstance(value, bytes ) else value if decoded_normalized == value_normalized: return True return False
valid_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value, quote=default_cookie_quote, unquote=default_unquote):\n if value is None:\n return False\n encoded = encode_cookie_value(value, quote=quote...
def x(date): if not hasattr(date, 'tzinfo'): return False if date.tzinfo is None or _total_seconds(date.utcoffset()) < 1.1: return True return False
valid_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n if not hasattr(date, 'tzinfo'):\n return False\n if date.tzinfo is None or _total_seconds(date.utcoffset()) < 1.1:\n return True\n...
def x(domain): domain.encode('ascii') if Definitions.DOMAIN_RE.match(domain): return True return False
valid_domain
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(domain):\n domain.encode('ascii')\n if Definitions.DOMAIN_RE.match(domain):\n return True\n return False\n", "role": "user" }, { "c...
def x(value): value.encode('ascii') if not (value and value[0] == '/'): return False if not Definitions.PATH_RE.match(value): return False return True
valid_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(value):\n value.encode('ascii')\n if not (value and value[0] == '/'):\n return False\n if not Definitions.PATH_RE.match(value):\n return...
def x(number): if isinstance(number, basestring): try: number = long(number) except (ValueError, TypeError): return False if number >= 0 and number % 1 == 0: return True return False
valid_max_age
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(number):\n if isinstance(number, basestring):\n try:\n number = long(number)\n except (ValueError, TypeError):\n return ...
def x(data, quote=default_cookie_quote): if data is None: return None if not isinstance(data, bytes): data = data.encode('utf-8') quoted = quote(data) return quoted
encode_cookie_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(data, quote=default_cookie_quote):\n if data is None:\n return None\n if not isinstance(data, bytes):\n data = data.encode('utf-8')\n qu...
def x(date): if not date: return None assert valid_date(date) weekday = Definitions.weekday_abbr_list[date.weekday()] month = Definitions.month_abbr_list[date.month - 1] return date.strftime('{day}, %d {month} %Y %H:%M:%S GMT').format(day= weekday, month=month)
render_date
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(date):\n if not date:\n return None\n assert valid_date(date)\n weekday = Definitions.weekday_abbr_list[date.weekday()]\n month = Definition...
def x(header_data, ignore_bad_cookies=False): cookies_dict = {} for line in Definitions.EOL.split(header_data.strip()): matches = Definitions.COOKIE_RE.finditer(line) matches = [item for item in matches] for match in matches: invalid = match.group('invalid') if invalid: if not ignore_bad_cookies: raise InvalidCookieError(data=invalid) _report_invalid_cookie(invalid) continue name = match.group('name') values = cookies_dict.get(name) value = match.group('value').strip('"') if values: values.append(value) else: cookies_dict[name] = [value] if not matches: if not ignore_bad_cookies: raise InvalidCookieError(data=line) _report_invalid_cookie(line) return cookies_dict
parse_request
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(header_data, ignore_bad_cookies=False):\n cookies_dict = {}\n for line in Definitions.EOL.split(header_data.strip()):\n matches = Definitions.COOK...
def x(line, ignore_bad_cookies=False, ignore_bad_attributes=True): cookie_dict = {} match = Definitions.SET_COOKIE_HEADER_RE.match(line) if not match: if not ignore_bad_cookies: raise InvalidCookieError(data=line) _report_invalid_cookie(line) return None cookie_dict.update({'name': match.group('name'), 'value': match.group( 'value')}) for match in Definitions.ATTR_RE.finditer(match.group('attrs')): captured = dict((k, v) for k, v in match.groupdict().items() if v) unrecognized = captured.get('unrecognized', None) if unrecognized: if not ignore_bad_attributes: raise InvalidCookieAttributeError(None, unrecognized, 'unrecognized') _report_unknown_attribute(unrecognized) continue for key in ('secure', 'httponly'): if captured.get(key): captured[key] = True timekeys = ('weekday', 'month', 'day', 'hour', 'minute', 'second', 'year') if 'year' in captured: for key in timekeys: del captured[key] elif 'year2' in captured: for key in timekeys: del captured[key + '2'] cookie_dict.update(captured) return cookie_dict
parse_one_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(line, ignore_bad_cookies=False, ignore_bad_attributes=True):\n cookie_dict = {}\n match = Definitions.SET_COOKIE_HEADER_RE.match(line)\n if not match:...
def x(header_data, ignore_bad_cookies=False, ignore_bad_attributes=True): cookie_dicts = [] for line in Definitions.EOL.split(header_data.strip()): if not line: break cookie_dict = parse_one_response(line, ignore_bad_cookies= ignore_bad_cookies, ignore_bad_attributes=ignore_bad_attributes) if not cookie_dict: continue cookie_dicts.append(cookie_dict) if not cookie_dicts: if not ignore_bad_cookies: raise InvalidCookieError(data=header_data) _report_invalid_cookie(header_data) return cookie_dicts
parse_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(header_data, ignore_bad_cookies=False, ignore_bad_attributes=True):\n cookie_dicts = []\n for line in Definitions.EOL.split(header_data.strip()):\n ...