source_code stringlengths 45 7.24k | function_name stringlengths 1 111 | messages list |
|---|---|---|
def x(self, value: str, force: bool=False) ->datetime:
value = value.lower()
if not force:
current_state = self.current_state
if current_state == 'unknown':
allowed_transitions = self._allowed_states
else:
allowed_transitions = self._allowed_transitions[current_st... | update_current_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value: str, force: bool=False) ->datetime:\n value = value.lower()\n if not force:\n current_state = self.current_state\n if current_... |
def x(self, initial_state: str='unknown') ->dict:
initial_state = initial_state.lower()
if (initial_state != 'unknown' and initial_state not in self.
_allowed_states):
raise ValueError('Invalid initial state: {}'.format(initial_state))
_initial_state = dict(current_state=initial_state, targe... | initialise | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, initial_state: str='unknown') ->dict:\n initial_state = initial_state.lower()\n if (initial_state != 'unknown' and initial_state not in self.\n ... |
def x(self, state_type: str, value: str) ->datetime:
timestamp = datetime.utcnow()
field = '{}_state'.format(state_type)
old_state = DB.get_hash_value(self._key, field)
DB.set_hash_value(self._key, field, value, pipeline=True)
DB.set_hash_value(self._key, '{}_timestamp'.format(state_type),
t... | update_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state_type: str, value: str) ->datetime:\n timestamp = datetime.utcnow()\n field = '{}_state'.format(state_type)\n old_state = DB.get_hash_value... |
def x(dictionary: dict):
return {key.lower(): [value.lower() for value in value] for key, value in
dictionary.items()}
| dict_lower | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(dictionary: dict):\n return {key.lower(): [value.lower() for value in value] for key, value in\n dictionary.items()}\n",
"role": "user"
},
{
... |
def x(self, config_dict):
schema = self._get_schema()
LOG.debug('Adding SBI with config: %s', config_dict)
validate(config_dict, schema)
updated_block = self._add_status(config_dict)
scheduling_block_data, processing_block_data = (self.
_split_sched_block_instance(updated_block))
name = ... | add_sched_block_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config_dict):\n schema = self._get_schema()\n LOG.debug('Adding SBI with config: %s', config_dict)\n validate(config_dict, schema)\n updated_... |
def x(self):
scheduling_block_ids = []
pattern = 'scheduling_block:*'
block_ids = self._db.get_ids(pattern)
for block_id in block_ids:
if 'processing_block' not in block_id:
id_split = block_id.split(':')[-1]
scheduling_block_ids.append(id_split)
return sorted(schedul... | get_sched_block_instance_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n scheduling_block_ids = []\n pattern = 'scheduling_block:*'\n block_ids = self._db.get_ids(pattern)\n for block_id in block_ids:\n i... |
def x(self):
_processing_block_ids = []
pattern = '*:processing_block:*'
block_ids = self._db.get_ids(pattern)
for block_id in block_ids:
id_split = block_id.split(':')[-1]
_processing_block_ids.append(id_split)
return sorted(_processing_block_ids)
| get_processing_block_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _processing_block_ids = []\n pattern = '*:processing_block:*'\n block_ids = self._db.get_ids(pattern)\n for block_id in block_ids:\n ... |
def x(self):
_scheduling_block_ids = []
_sub_array_ids = []
for blocks_id in self.get_sched_block_instance_ids():
_scheduling_block_ids.append(blocks_id)
block_details = self.get_block_details(_scheduling_block_ids)
for details in block_details:
_sub_array_ids.append(details['sub_arr... | get_sub_array_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _scheduling_block_ids = []\n _sub_array_ids = []\n for blocks_id in self.get_sched_block_instance_ids():\n _scheduling_block_ids.appen... |
def x(self, sub_array_id):
_ids = []
sbi_ids = self.get_sched_block_instance_ids()
for details in self.get_block_details(sbi_ids):
if details['sub_array_id'] == sub_array_id:
_ids.append(details['id'])
return sorted(_ids)
| get_sub_array_sbi_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sub_array_id):\n _ids = []\n sbi_ids = self.get_sched_block_instance_ids()\n for details in self.get_block_details(sbi_ids):\n if details... |
def x(self, block_ids):
if not hasattr(block_ids, '__iter__'):
block_ids = [block_ids]
for _id in block_ids:
block_key = self._db.get_block(_id)[0]
block_data = self._db.get_all_field_value(block_key)
for key in block_data:
for char in ['[', '{']:
if c... | get_block_details | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_ids):\n if not hasattr(block_ids, '__iter__'):\n block_ids = [block_ids]\n for _id in block_ids:\n block_key = self._db.get_blo... |
def x(self, block_id, field, value):
block_name = self._db.get_block(block_id)
for name in block_name:
self._db.set_value(name, field, value)
| update_value | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_id, field, value):\n block_name = self._db.get_block(block_id)\n for name in block_name:\n self._db.set_value(name, field, value)\n",
... |
def x(self, block_id):
LOG.debug('Deleting SBI %s', block_id)
scheduling_blocks = self._db.get_all_blocks(block_id)
if not scheduling_blocks:
raise RuntimeError('Scheduling block not found: {}'.format(block_id))
if scheduling_blocks:
for blocks in scheduling_blocks:
if 'proce... | delete_sched_block_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_id):\n LOG.debug('Deleting SBI %s', block_id)\n scheduling_blocks = self._db.get_all_blocks(block_id)\n if not scheduling_blocks:\n ... |
def x(self, processing_block_id):
LOG.debug('Deleting Processing Block %s ...', processing_block_id)
processing_block = self._db.get_block(processing_block_id)
if not processing_block:
raise RuntimeError('Invalid Processing Block ID: {}'.format(
processing_block_id))
for block in pro... | delete_processing_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, processing_block_id):\n LOG.debug('Deleting Processing Block %s ...', processing_block_id)\n processing_block = self._db.get_block(processing_block... |
def x():
schema_path = os.path.join(os.path.dirname(__file__), 'schema',
'scheduling_block_schema.json')
with open(schema_path, 'r') as file:
schema_data = file.read()
schema = json.loads(schema_data)
return schema
| get_schema | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n schema_path = os.path.join(os.path.dirname(__file__), 'schema',\n 'scheduling_block_schema.json')\n with open(schema_path, 'r') as file:\n ... |
def x(scheduling_block):
scheduling_block['status'] = 'created'
for block in scheduling_block:
if isinstance(scheduling_block[block], list):
for field in scheduling_block[block]:
field['status'] = 'created'
return scheduling_block
| add_status | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(scheduling_block):\n scheduling_block['status'] = 'created'\n for block in scheduling_block:\n if isinstance(scheduling_block[block], list):\n ... |
def x(self, scheduling_block):
_scheduling_block_data = {}
_processing_block_data = {}
_processing_block_id = []
for block in scheduling_block:
values = scheduling_block[block]
if block != 'processing_blocks':
_scheduling_block_data[block] = values
else:
p... | split_sched_block_instance | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, scheduling_block):\n _scheduling_block_data = {}\n _processing_block_data = {}\n _processing_block_id = []\n for block in scheduling_block:\n... |
def x():
init_logging()
arlexecute.set_client(get_dask_Client())
arlexecute.run(init_logging)
LOG.info('Results dir = %s', RESULTS_DIR)
LOG.info('Starting imaging-modeling')
PARFILE = 'parameters.json'
if len(sys.argv) > 1:
PARFILE = sys.argv[1]
LOG.info('JSON parameter file = %s... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n init_logging()\n arlexecute.set_client(get_dask_Client())\n arlexecute.run(init_logging)\n LOG.info('Results dir = %s', RESULTS_DIR)\n LOG.... |
def x(logger_name='sip', log_level=None, p3_mode: bool=True, show_thread:
bool=False, propagate: bool=False, show_log_origin=False):
log = logging.getLogger(logger_name)
log.propagate = propagate
for handler in log.handlers:
log.removeHandler(handler)
_debug = '%(filename)s:%(lineno)d | ' if... | init_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger_name='sip', log_level=None, p3_mode: bool=True, show_thread:\n bool=False, propagate: bool=False, show_log_origin=False):\n log = logging.getLogge... |
def x(logger_name: str, propagate: bool=False):
log = logging.getLogger(logger_name)
log.propagate = propagate
for handler in log.handlers:
log.removeHandler(handler)
| disable_logger | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger_name: str, propagate: bool=False):\n log = logging.getLogger(logger_name)\n log.propagate = propagate\n for handler in log.handlers:\n l... |
def x(logger_name: str, log_level: str, propagate: bool=False):
log = logging.getLogger(logger_name)
log.propagate = propagate
log.setLevel(log_level)
| set_log_level | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(logger_name: str, log_level: str, propagate: bool=False):\n log = logging.getLogger(logger_name)\n log.propagate = propagate\n log.setLevel(log_level)... |
def x(self, record, datefmt=None):
_seconds_fraction = record.created - int(record.created)
_datetime_utc = time.mktime(time.gmtime(record.created))
_datetime_utc += _seconds_fraction
_created = self.converter(_datetime_utc)
if datefmt:
time_string = _created.strftime(datefmt)
else:
... | formatTime | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, record, datefmt=None):\n _seconds_fraction = record.created - int(record.created)\n _datetime_utc = time.mktime(time.gmtime(record.created))\n _... |
def x(index: int=None):
date = datetime.datetime.utcnow().strftime('%Y%m%d')
if index is None:
index = randint(0, 999)
sbi_id = 'SBI-{}-sip-demo-{:03d}'.format(date, index)
sb_id = 'SBI-{}-sip-demo-{:03d}'.format(date, index)
pb_id = 'PB-{}-sip-demo-{:03d}'.format(date, index)
print('* G... | generate_sbi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(index: int=None):\n date = datetime.datetime.utcnow().strftime('%Y%m%d')\n if index is None:\n index = randint(0, 999)\n sbi_id = 'SBI-{}-sip-d... |
def x(self, config, log, obs_id, beam_id):
log.info('Starting Pulsar Data Transfer...')
socket = self._ftp.transfercmd('STOR {0}_{1}'.format(obs_id, beam_id))
socket.send(json.dumps(config).encode())
socket.send(bytearray(1000 * 1000))
config['metadata']['name'] = 'candidate_two'
socket.send(jso... | send | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, config, log, obs_id, beam_id):\n log.info('Starting Pulsar Data Transfer...')\n socket = self._ftp.transfercmd('STOR {0}_{1}'.format(obs_id, beam_i... |
def x(block_id):
_url = get_root_url()
try:
block = DB.get_block_details([block_id]).__next__()
response = block
response['links'] = {'self': '{}'.format(request.url), 'list':
'{}/processing-blocks'.format(_url), 'home': '{}'.format(_url)}
return block
except Inde... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_id):\n _url = get_root_url()\n try:\n block = DB.get_block_details([block_id]).__next__()\n response = block\n response['links... |
def x(block_id):
_url = get_root_url()
try:
DB.delete_processing_block(block_id)
response = dict(message='Deleted block', id='{}'.format(block_id),
links=dict(list='{}/processing-blocks'.format(_url), home='{}'.
format(_url)))
return response, HTTPStatus.OK
ex... | delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_id):\n _url = get_root_url()\n try:\n DB.delete_processing_block(block_id)\n response = dict(message='Deleted block', id='{}'.format(... |
def x(self):
Device.init_device(self)
time.sleep(0.1)
self.set_state(DevState.STANDBY)
| init_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n Device.init_device(self)\n time.sleep(0.1)\n self.set_state(DevState.STANDBY)\n",
"role": "user"
},
{
"content": "init_device",
... |
def x(self, sbi_config: str):
config_dict = json.loads(sbi_config)
self.debug_stream('SBI configuration:\n%s', json.dumps(config_dict,
indent=2))
try:
sbi = Subarray(self.get_name()).configure_sbi(config_dict)
except jsonschema.exceptions.ValidationError as error:
return json.dum... | configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sbi_config: str):\n config_dict = json.loads(sbi_config)\n self.debug_stream('SBI configuration:\\n%s', json.dumps(config_dict,\n indent=2))... |
def x(self):
sbi_ids = Subarray(self.get_name()).sbi_ids
pbs = []
for sbi_id in sbi_ids:
sbi = SchedulingBlockInstance(sbi_id)
pbs.append(sbi.processing_block_ids)
return 'PB', pbs
| processing_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sbi_ids = Subarray(self.get_name()).sbi_ids\n pbs = []\n for sbi_id in sbi_ids:\n sbi = SchedulingBlockInstance(sbi_id)\n pbs.a... |
def x(value: str):
if sys.version_info >= (3, 7):
return datetime.fromisoformat(value)
return datetime.strptime(value, '%Y-%m-%dT%H:%M:%S.%f')
| datetime_from_isoformat | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(value: str):\n if sys.version_info >= (3, 7):\n return datetime.fromisoformat(value)\n return datetime.strptime(value, '%Y-%m-%dT%H:%M:%S.%f')\n",... |
def x(self):
Device.init_device(self)
self._set_master_state('on')
self._devProxy = DeviceProxy(self.get_name())
| init_device | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n Device.init_device(self)\n self._set_master_state('on')\n self._devProxy = DeviceProxy(self.get_name())\n",
"role": "user"
},
{
"... |
def x(self):
_logT = self._devProxy.get_logging_target()
if 'device::sip_sdp_logger' not in _logT:
try:
self._devProxy.add_logging_target('device::sip_sdp/elt/logger')
self.info_stream("Test of Tango logging from 'tc_tango_master'")
except Exception as e:
LOG.... | always_executed_hook | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _logT = self._devProxy.get_logging_target()\n if 'device::sip_sdp_logger' not in _logT:\n try:\n self._devProxy.add_logging_ta... |
def x(self, value):
if self._sdp_state.current_state != 'on':
raise RuntimeWarning("Unable to configure SBIs unless SDP is 'on'.")
sbi_config_dict = json.loads(value)
sbi_list = SchedulingBlockInstanceList()
LOG.info('SBIs before: %s', sbi_list.active)
if sbi_config_dict.get('id') in sbi_lis... | configure | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, value):\n if self._sdp_state.current_state != 'on':\n raise RuntimeWarning(\"Unable to configure SBIs unless SDP is 'on'.\")\n sbi_config_di... |
def x(service_id: str):
LOG.debug('Getting state of service %s', service_id)
services = get_service_id_list()
service_ids = [s for s in services if service_id in s]
if len(service_ids) != 1:
return 'Service not found! services = {}'.format(str(services))
subsystem, name, version = service_id... | get_service_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(service_id: str):\n LOG.debug('Getting state of service %s', service_id)\n services = get_service_id_list()\n service_ids = [s for s in services if se... |
def x(self, service_id: str):
state = self._get_service_state(service_id)
return state.current_state
| get_current_service_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service_id: str):\n state = self._get_service_state(service_id)\n return state.current_state\n",
"role": "user"
},
{
"content": "get_cu... |
def x(self, service_id: str):
state = self._get_service_state(service_id)
return state.target_state
| get_target_service_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, service_id: str):\n state = self._get_service_state(service_id)\n return state.target_state\n",
"role": "user"
},
{
"content": "get_tar... |
def x(self):
_current_state = self._sdp_state.current_state
_allowed_target_states = self._sdp_state.allowed_target_states[
_current_state]
return json.dumps(dict(allowed_target_sdp_states=_allowed_target_states))
| allowed_target_sdp_states | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n _current_state = self._sdp_state.current_state\n _allowed_target_states = self._sdp_state.allowed_target_states[\n _current_state]\n r... |
def x(self, state):
LOG.info('Setting SDP target state to %s', state)
if self._sdp_state.current_state == state:
LOG.info('Target state ignored, SDP is already "%s"!', state)
if state == 'on':
self.set_state(DevState.ON)
if state == 'off':
self.set_state(DevState.OFF)
if stat... | target_sdp_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n LOG.info('Setting SDP target state to %s', state)\n if self._sdp_state.current_state == state:\n LOG.info('Target state ignored, S... |
def x(self):
return json.dumps(dict(uptime='{:.3f}s'.format(time.time() - self.
_start_time)))
| health | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return json.dumps(dict(uptime='{:.3f}s'.format(time.time() - self.\n _start_time)))\n",
"role": "user"
},
{
"content": "health",... |
def x(self):
sbi_list = SchedulingBlockInstanceList()
return json.dumps(dict(active=sbi_list.active, completed=sbi_list.
completed, aborted=sbi_list.aborted))
| scheduling_block_instances | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n sbi_list = SchedulingBlockInstanceList()\n return json.dumps(dict(active=sbi_list.active, completed=sbi_list.\n completed, aborted=sbi_li... |
def x(self):
pb_list = ProcessingBlockList()
return json.dumps(dict(active=pb_list.active, completed=pb_list.
completed, aborted=pb_list.aborted))
| processing_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n pb_list = ProcessingBlockList()\n return json.dumps(dict(active=pb_list.active, completed=pb_list.\n completed, aborted=pb_list.aborted))... |
def x(self):
tango_db = Database()
pb_device_class = 'ProcessingBlockDevice'
pb_device_server_instance = 'processing_block_ds/1'
pb_devices = tango_db.get_device_name(pb_device_server_instance,
pb_device_class)
LOG.info('Number of PB devices in the pool = %d', len(pb_devices))
pb_device_... | processing_block_devices | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n tango_db = Database()\n pb_device_class = 'ProcessingBlockDevice'\n pb_device_server_instance = 'processing_block_ds/1'\n pb_devices = tan... |
def x(self, state):
if state == 'init':
self._service_state.update_current_state('init', force=True)
self.set_state(DevState.INIT)
elif state == 'on':
self.set_state(DevState.ON)
self._service_state.update_current_state('on')
| set_master_state | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, state):\n if state == 'init':\n self._service_state.update_current_state('init', force=True)\n self.set_state(DevState.INIT)\n elif s... |
def x():
tango_db = Database()
LOG.info('Registering Subarray devices:')
device_info = DbDevInfo()
device_info._class = 'SubarrayDevice'
device_info.server = 'subarray_ds/1'
for index in range(16):
device_info.name = 'sip_sdp/elt/subarray_{:02d}'.format(index)
LOG.info('\t%s', de... | register_subarray_devices | [
{
"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 LOG.info('Registering Subarray devices:')\n device_info = DbDevInfo()\n device_info._class = 'SubarrayDevice'\n dev... |
def x(sbi_config: dict):
registered_workflows = []
for i in range(len(sbi_config['processing_blocks'])):
workflow_config = sbi_config['processing_blocks'][i]['workflow']
workflow_name = '{}:{}'.format(workflow_config['id'],
workflow_config['version'])
if workflow_name in regi... | add_workflow_definitions | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sbi_config: dict):\n registered_workflows = []\n for i in range(len(sbi_config['processing_blocks'])):\n workflow_config = sbi_config['processing_... |
def x(max_major: int=1, max_minor: int=7, max_patch: int=15) ->str:
major = randint(0, max_major)
minor = randint(0, max_minor)
patch = randint(0, max_patch)
return '{:d}.{:d}.{:d}'.format(major, minor, patch)
| generate_version | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_major: int=1, max_minor: int=7, max_patch: int=15) ->str:\n major = randint(0, max_major)\n minor = randint(0, max_minor)\n patch = randint(0, max... |
def x(date: datetime.datetime, project: str, programme_block: str) ->dict:
date = date.strftime('%Y%m%d')
instance_id = randint(0, 9999)
sb_id = 'SB-{}-{}-{:04d}'.format(date, project, instance_id)
return dict(id=sb_id, project=project, programme_block=programme_block)
| generate_sb | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date: datetime.datetime, project: str, programme_block: str) ->dict:\n date = date.strftime('%Y%m%d')\n instance_id = randint(0, 9999)\n sb_id = 'SB-{... |
def x(pb_id: str, pb_config: dict=None, workflow_config: dict=None) ->dict:
if workflow_config is None:
workflow_config = dict()
if pb_config is None:
pb_config = dict()
pb_type = pb_config.get('type', choice(PB_TYPES))
workflow_id = workflow_config.get('id')
if workflow_id is None:
... | generate_pb_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pb_id: str, pb_config: dict=None, workflow_config: dict=None) ->dict:\n if workflow_config is None:\n workflow_config = dict()\n if pb_config is N... |
def x(num_pbs: int=3, project: str='sip', programme_block: str='sip_demos',
pb_config: Union[dict, List[dict]]=None, workflow_config: Union[dict,
List[dict]]=None, register_workflows=False) ->dict:
if isinstance(workflow_config, dict):
workflow_config = [workflow_config]
if isinstance(pb_config,... | generate_sbi_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_pbs: int=3, project: str='sip', programme_block: str='sip_demos',\n pb_config: Union[dict, List[dict]]=None, workflow_config: Union[dict,\n List[dict... |
def x(num_pbs: int=3, project: str='sip', programme_block: str='sip_demos',
pb_config: Union[dict, List[dict]]=None, workflow_config: Union[dict,
List[dict]]=None, register_workflows=True) ->str:
return json.dumps(generate_sbi_config(num_pbs, project, programme_block,
pb_config, workflow_config, reg... | generate_sbi_json | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_pbs: int=3, project: str='sip', programme_block: str='sip_demos',\n pb_config: Union[dict, List[dict]]=None, workflow_config: Union[dict,\n List[dict... |
def x(self, argin):
tm = datetime.datetime.fromtimestamp(float(argin[0]) / 1000.0)
fmt = '%Y-%m-%d %H:%M:%S'
message = 'TANGO Log message - {} - {} {} {}'.format(tm.strftime(fmt),
argin[1], argin[2], argin[3])
LOG.info(message)
| log | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, argin):\n tm = datetime.datetime.fromtimestamp(float(argin[0]) / 1000.0)\n fmt = '%Y-%m-%d %H:%M:%S'\n message = 'TANGO Log message - {} - {} {}... |
def x(block_id):
try:
sbi_details = DB.get_block_details([block_id]).__next__()
sbi_details['processing_blocks'] = []
pb_ids = sbi_details['processing_block_ids']
for pb_details in DB.get_block_details(pb_ids):
sbi_details['processing_blocks'].append(pb_details)
d... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_id):\n try:\n sbi_details = DB.get_block_details([block_id]).__next__()\n sbi_details['processing_blocks'] = []\n pb_ids = sbi_de... |
def x(block_id):
_url = get_root_url()
LOG.debug('Requested delete of SBI %s', block_id)
try:
DB.delete_sched_block_instance(block_id)
response = dict(message='Deleted block: _id = {}'.format(block_id))
response['_links'] = {'list': '{}/scheduling-blocks'.format(_url)}
return... | delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(block_id):\n _url = get_root_url()\n LOG.debug('Requested delete of SBI %s', block_id)\n try:\n DB.delete_sched_block_instance(block_id)\n ... |
def x(num_blocks, start_id, project):
for i in range(num_blocks):
_root = '{}-{}'.format(strftime('%Y%m%d', gmtime()), project)
yield '{}-sb{:03d}'.format(_root, i + start_id), '{}-sbi{:03d}'.format(
_root, i + start_id)
| scheduling_block_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_blocks, start_id, project):\n for i in range(num_blocks):\n _root = '{}-{}'.format(strftime('%Y%m%d', gmtime()), project)\n yield '{}-sb{:... |
def x(start_id, min_blocks=0, max_blocks=4):
processing_blocks = []
num_blocks = random.randint(min_blocks, max_blocks)
for i in range(start_id, start_id + num_blocks):
_id = 'sip-pb{:03d}'.format(i)
block = dict(id=_id, resources_requirement={}, workflow={})
processing_blocks.append... | generate_processing_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(start_id, min_blocks=0, max_blocks=4):\n processing_blocks = []\n num_blocks = random.randint(min_blocks, max_blocks)\n for i in range(start_id, start... |
def x(num_blocks=5, start_sbi_id=0, start_pb_id=0, project='sip'):
pb_id = start_pb_id
for sb_id, sbi_id in _scheduling_block_ids(num_blocks, start_sbi_id,
project):
sub_array_id = 'subarray-{:02d}'.format(random.choice(range(5)))
config = dict(id=sbi_id, sched_block_id=sb_id, sub_array_... | scheduling_block_config | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_blocks=5, start_sbi_id=0, start_pb_id=0, project='sip'):\n pb_id = start_pb_id\n for sb_id, sbi_id in _scheduling_block_ids(num_blocks, start_sbi_id,... |
def x(num_blocks, clear=True):
db_client = ConfigDb()
if clear:
LOG.info('Resetting database ...')
db_client.clear()
start_sbi_id = 0
start_pb_id = 0
else:
start_sbi_id = len(db_client.get_sched_block_instance_ids())
start_pb_id = len(db_client.get_processing_... | add_scheduling_blocks | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(num_blocks, clear=True):\n db_client = ConfigDb()\n if clear:\n LOG.info('Resetting database ...')\n db_client.clear()\n start_sbi_i... |
def x():
log = logging.getLogger('SIP.EC.PCI.DB')
handler = logging.StreamHandler()
handler.setFormatter(logging.Formatter(
'%(name)-20s | %(filename)-15s | %(levelname)-5s | %(message)s'))
log.addHandler(handler)
log.setLevel(os.getenv('SIP_PCI_LOG_LEVEL', 'INFO'))
num_blocks = int(sys.... | 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.EC.PCI.DB')\n handler = logging.StreamHandler()\n handler.setFormatter(logging.Formatter(\n '%(name)-20s | %(... |
def x(args=None, **kwargs):
LOG.info('Starting SDP PB devices.')
return run([ProcessingBlockDevice], 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 SDP PB devices.')\n return run([ProcessingBlockDevice], verbose=True, msg_stream=sys.stdout,\n args=arg... |
def x(date: datetime.datetime) ->str:
date = date.strftime('%Y%m%d')
return 'PB-{}-{}-{:03d}'.format(date, 'sip', randint(0, 100))
| get_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(date: datetime.datetime) ->str:\n date = date.strftime('%Y%m%d')\n return 'PB-{}-{}-{:03d}'.format(date, 'sip', randint(0, 100))\n",
"role": "user"
... |
def x(self) ->List[Dependency]:
dependencies_str = DB.get_hash_value(self.key, 'dependencies')
dependencies = []
for dependency in ast.literal_eval(dependencies_str):
dependencies.append(Dependency(dependency))
return dependencies
| dependencies | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[Dependency]:\n dependencies_str = DB.get_hash_value(self.key, 'dependencies')\n dependencies = []\n for dependency in ast.literal_eval(de... |
def x(self) ->List[Resource]:
resources_str = DB.get_hash_value(self.key, 'resources_assigned')
resources_assigned = []
for resource in ast.literal_eval(resources_str):
resources_assigned.append(Resource(resource))
return resources_assigned
| resources_assigned | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[Resource]:\n resources_str = DB.get_hash_value(self.key, 'resources_assigned')\n resources_assigned = []\n for resource in ast.literal_ev... |
def x(self) ->List[WorkflowStage]:
workflow_stages = []
stages = DB.get_hash_value(self.key, 'workflow_stages')
for index in range(len(ast.literal_eval(stages))):
workflow_stages.append(WorkflowStage(self.id, index))
return workflow_stages
| workflow_stages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[WorkflowStage]:\n workflow_stages = []\n stages = DB.get_hash_value(self.key, 'workflow_stages')\n for index in range(len(ast.literal_eva... |
def x(self, resource_type: str, value: Union[str, int, float, bool],
parameters: dict=None):
if parameters is None:
parameters = dict()
resources = DB.get_hash_value(self.key, 'resources_assigned')
resources = ast.literal_eval(resources)
resources.append(dict(type=resource_type, value=value,... | add_assigned_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_type: str, value: Union[str, int, float, bool],\n parameters: dict=None):\n if parameters is None:\n parameters = dict()\n resou... |
def x(self, resource_type: str, value: Union[str, int, float, bool]=None,
parameters: dict=None):
resources = DB.get_hash_value(self.key, 'resources_assigned')
resources = ast.literal_eval(resources)
new_resources = []
for resource in resources:
if resource['type'] != resource_type:
... | remove_assigned_resource | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, resource_type: str, value: Union[str, int, float, bool]=None,\n parameters: dict=None):\n resources = DB.get_hash_value(self.key, 'resources_assign... |
def x(self):
LOG.debug('Aborting PB %s', self._id)
self.set_status('aborted')
pb_type = DB.get_hash_value(self.key, 'type')
key = '{}:active'.format(self._type)
DB.remove_from_list(key, self._id)
key = '{}:active:{}'.format(self._type, pb_type)
DB.remove_from_list(key, self._id)
key = '{... | abort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n LOG.debug('Aborting PB %s', self._id)\n self.set_status('aborted')\n pb_type = DB.get_hash_value(self.key, 'type')\n key = '{}:active'.for... |
def x(self):
timestamp = datetime.datetime.utcnow().isoformat()
DB.set_hash_value(self.key, 'updated', timestamp)
| mark_updated | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n timestamp = datetime.datetime.utcnow().isoformat()\n DB.set_hash_value(self.key, 'updated', timestamp)\n",
"role": "user"
},
{
"cont... |
def x():
_url = get_root_url()
LOG.debug('GET Sub array list')
sub_array_ids = sorted(DB.get_sub_array_ids())
response = dict(sub_arrays=[])
for array_id in sub_array_ids:
array_summary = dict(sub_arrary_id=array_id)
block_ids = DB.get_sub_array_sbi_ids(array_id)
LOG.debug('S... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _url = get_root_url()\n LOG.debug('GET Sub array list')\n sub_array_ids = sorted(DB.get_sub_array_ids())\n response = dict(sub_arrays=[])\n ... |
def x():
_url = get_root_url()
LOG.debug('POST subarray SBI.')
sbi_config = {}
DB.add_sbi(sbi_config)
response = dict()
return response, status.HTTP_200_OK
| post | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n _url = get_root_url()\n LOG.debug('POST subarray SBI.')\n sbi_config = {}\n DB.add_sbi(sbi_config)\n response = dict()\n return response... |
def x(self, parameters_dict):
DB.set_hash_value(self._key, 'parameters', parameters_dict)
self.publish('parameters_updated')
| set_parameters | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, parameters_dict):\n DB.set_hash_value(self._key, 'parameters', parameters_dict)\n self.publish('parameters_updated')\n",
"role": "user"
},
... |
def x(self) ->List[str]:
return ast.literal_eval(DB.get_hash_value(self._key, 'sbi_ids'))
| sbi_ids | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[str]:\n return ast.literal_eval(DB.get_hash_value(self._key, 'sbi_ids'))\n",
"role": "user"
},
{
"content": "sbi_ids",
"role": ... |
def x(self, sbi_config: dict, schema_path: str=None):
if not self.active:
raise RuntimeError('Unable to add SBIs to inactive subarray!')
sbi_config['subarray_id'] = self._id
sbi = SchedulingBlockInstance.from_config(sbi_config, schema_path)
self._add_sbi_id(sbi_config['id'])
return sbi
| configure_sbi | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sbi_config: dict, schema_path: str=None):\n if not self.active:\n raise RuntimeError('Unable to add SBIs to inactive subarray!')\n sbi_confi... |
def x(self):
for sbi_id in self.sbi_ids:
sbi = SchedulingBlockInstance(sbi_id)
sbi.abort()
self.set_state('ABORTED')
| abort | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n for sbi_id in self.sbi_ids:\n sbi = SchedulingBlockInstance(sbi_id)\n sbi.abort()\n self.set_state('ABORTED')\n",
"role": "use... |
def x(self):
DB.set_hash_value(self._key, 'active', 'False')
for sbi_id in self.sbi_ids:
SchedulingBlockInstance(sbi_id).clear_subarray()
DB.set_hash_value(self._key, 'sbi_ids', [])
self.publish('subarray_deactivated')
| deactivate | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n DB.set_hash_value(self._key, 'active', 'False')\n for sbi_id in self.sbi_ids:\n SchedulingBlockInstance(sbi_id).clear_subarray()\n DB.... |
def x(self, sbi_id):
sbi_ids = self.sbi_ids
sbi_ids.remove(sbi_id)
DB.set_hash_value(self._key, 'sbi_ids', sbi_ids)
| remove_sbi_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sbi_id):\n sbi_ids = self.sbi_ids\n sbi_ids.remove(sbi_id)\n DB.set_hash_value(self._key, 'sbi_ids', sbi_ids)\n",
"role": "user"
},
{
... |
def x(self, sbi_id):
sbi_ids = self.sbi_ids
sbi_ids.append(sbi_id)
DB.set_hash_value(self._key, 'sbi_ids', sbi_ids)
| add_sbi_id | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sbi_id):\n sbi_ids = self.sbi_ids\n sbi_ids.append(sbi_id)\n DB.set_hash_value(self._key, 'sbi_ids', sbi_ids)\n",
"role": "user"
},
{
... |
def x(self) ->Union[Event, None]:
message = self._queue.get_message()
if message and message['type'] == 'message':
event_id = DB.get_event(self._pub_key, self._processed_key)
event_data_str = DB.get_hash_value(self._data_key, event_id)
event_dict = ast.literal_eval(event_data_str)
... | get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->Union[Event, None]:\n message = self._queue.get_message()\n if message and message['type'] == 'message':\n event_id = DB.get_event(self._p... |
def x(self, process=True) ->List[Event]:
LOG.debug('Getting published events (%s)', self._pub_key)
if process:
LOG.debug('Marking returned published events as processed.')
DB.watch(self._pub_key, pipeline=True)
event_ids = DB.get_list(self._pub_key, pipeline=True)
if event_ids:
... | get_published_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, process=True) ->List[Event]:\n LOG.debug('Getting published events (%s)', self._pub_key)\n if process:\n LOG.debug('Marking returned publish... |
def x(self) ->List[Event]:
event_ids = DB.get_list(self._processed_key)
events = []
for event_id in event_ids:
event_str = DB.get_hash_value(self._data_key, event_id)
event_dict = ast.literal_eval(event_str)
event_dict['id'] = event_id
event_dict['subscriber'] = self._subscri... | get_processed_events | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self) ->List[Event]:\n event_ids = DB.get_list(self._processed_key)\n events = []\n for event_id in event_ids:\n event_str = DB.get_hash_value(... |
def x(self, event_id: str):
event_ids = DB.get_list(self._processed_key)
if event_id not in event_ids:
raise KeyError(
'Unable to complete event. Event {} has not been processed (ie. it is not in the processed list).'
.format(event_id))
DB.remove_from_list(self._processed_key... | complete_event | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, event_id: str):\n event_ids = DB.get_list(self._processed_key)\n if event_id not in event_ids:\n raise KeyError(\n 'Unable to com... |
def x(workflow_definition: dict, templates_root: str):
schema_path = join(dirname(__file__), 'schema', 'workflow_definition.json')
with open(schema_path, 'r') as file:
schema = json.loads(file.read())
jsonschema.validate(workflow_definition, schema)
_id = workflow_definition['id']
_version =... | add | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_definition: dict, templates_root: str):\n schema_path = join(dirname(__file__), 'schema', 'workflow_definition.json')\n with open(schema_path, '... |
def x(workflow_id, workflow_version):
name = 'workflow_definitions:{}:{}'.format(workflow_id, workflow_version)
workflow_definition = dict(id=workflow_id, version=workflow_version,
stages=[])
DB.save_dict(name, workflow_definition, hierarchical=False)
| register | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_id, workflow_version):\n name = 'workflow_definitions:{}:{}'.format(workflow_id, workflow_version)\n workflow_definition = dict(id=workflow_id, ... |
def x(workflow_id: str=None, workflow_version: str=None):
if workflow_id is None and workflow_version is None:
keys = DB.get_keys('workflow_definitions:*')
DB.delete(*keys)
elif workflow_id is not None and workflow_version is None:
keys = DB.get_keys('workflow_definitions:{}:*'.format(wo... | delete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_id: str=None, workflow_version: str=None):\n if workflow_id is None and workflow_version is None:\n keys = DB.get_keys('workflow_definitions... |
def x(workflow_id: str, workflow_version: str) ->dict:
name = 'workflow_definitions:{}:{}'.format(workflow_id, workflow_version)
workflow = DB.get_hash_dict(name)
workflow['stages'] = ast.literal_eval(workflow['stages'])
return workflow
| get_workflow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_id: str, workflow_version: str) ->dict:\n name = 'workflow_definitions:{}:{}'.format(workflow_id, workflow_version)\n workflow = DB.get_hash_dic... |
def x() ->dict:
keys = DB.get_keys('workflow_definitions:*')
known_workflows = dict()
for key in keys:
values = key.split(':')
if values[1] not in known_workflows:
known_workflows[values[1]] = list()
known_workflows[values[1]].append(values[2])
return known_workflows
| get_workflows | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x() ->dict:\n keys = DB.get_keys('workflow_definitions:*')\n known_workflows = dict()\n for key in keys:\n values = key.split(':')\n if va... |
def x(workflow: dict, templates_root: str):
workflow_template_path = join(templates_root, workflow['id'], workflow[
'version'])
for i, stage_config in enumerate(workflow['stages']):
stage_template_path = join(workflow_template_path, stage_config[
'id'], stage_config['version'])
... | load_templates | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow: dict, templates_root: str):\n workflow_template_path = join(templates_root, workflow['id'], workflow[\n 'version'])\n for i, stage_confi... |
def x():
parser = argparse.ArgumentParser(description='Register PB devices.')
parser.add_argument('num_pb', type=int, help=
'Number of PBs devices to register.')
args = parser.parse_args()
log = logging.getLogger('sip.tango_control.subarray')
tango_db = Database()
log.info('Deleting PB d... | delete_pb_devices | [
{
"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(description='Register PB devices.')\n parser.add_argument('num_pb', type=int, help=\n 'Number of PBs devices... |
def x():
if len(sys.argv) != 2:
raise RuntimeError('Usage: python3 async_send.py <json config>')
sip_logging.init_logger(show_thread=False)
spead_config = json.loads(sys.argv[1])
try:
_path = os.path.dirname(os.path.abspath(__file__))
schema_path = os.path.join(_path, 'config_sch... | main | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x():\n if len(sys.argv) != 2:\n raise RuntimeError('Usage: python3 async_send.py <json config>')\n sip_logging.init_logger(show_thread=False)\n s... |
def x(heap_data, i_chan):
now = datetime.datetime.utcnow()
time_full = now.timestamp()
time_count = int(time_full)
time_fraction = int((time_full - time_count) * (2 ** 32 - 1))
diff = now - now.replace(hour=0, minute=0, second=0, microsecond=0)
time_data = diff.seconds + 1e-06 * diff.microsecond... | fill_buffer | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(heap_data, i_chan):\n now = datetime.datetime.utcnow()\n time_full = now.timestamp()\n time_count = int(time_full)\n time_fraction = int((time_full... |
async def _run_loop(self, executor):
"""Main loop."""
max_duration_sec = self._config['max_duration_sec']
num_stations = self._config['heap']['num_stations']
num_pols = self._config['heap']['num_pols']
num_baselines = num_stations * (num_stations + 1) // 2
reporting_interval_sec = self._config['... | run_loop | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "async def _run_loop(self, executor):\n \"\"\"Main loop.\"\"\"\n max_duration_sec = self._config['max_duration_sec']\n num_stations = self._config['heap']['n... |
def x(self):
executor = concurrent.futures.ThreadPoolExecutor(max_workers=self.
_config['num_workers'])
now = int(datetime.datetime.utcnow().timestamp())
start_time = (now + 29) // 30 * 30
self._log.info('Waiting until {}'.format(datetime.datetime.
fromtimestamp(start_time)))
while i... | run | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n executor = concurrent.futures.ThreadPoolExecutor(max_workers=self.\n _config['num_workers'])\n now = int(datetime.datetime.utcnow().times... |
def x(self, object_id: str):
if object_id in self.active:
DB.remove_from_list('{}:active'.format(self.type), object_id)
DB.append_to_list('{}:completed'.format(self.type), object_id)
| set_complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_id: str):\n if object_id in self.active:\n DB.remove_from_list('{}:active'.format(self.type), object_id)\n DB.append_to_list('{}:... |
def x(self, object_id: str, event_type: str, event_data: dict=None):
object_key = SchedulingObject.get_key(self.type, object_id)
publish(event_type=event_type, event_data=event_data, object_type=self.
type, object_id=object_id, object_key=object_key, origin=None)
| publish | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, object_id: str, event_type: str, event_data: dict=None):\n object_key = SchedulingObject.get_key(self.type, object_id)\n publish(event_type=event_t... |
def x(pb: ProcessingBlock, pb_id: str, workflow_stage_dict: dict,
workflow_stage: WorkflowStage, docker: DockerSwarmClient):
stage_data = workflow_stage_dict[workflow_stage.id]
stage_data['start'] = False
if stage_data['status'] == 'none':
if not workflow_stage.dependencies:
stage_da... | start_workflow_stages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pb: ProcessingBlock, pb_id: str, workflow_stage_dict: dict,\n workflow_stage: WorkflowStage, docker: DockerSwarmClient):\n stage_data = workflow_stage_di... |
def x(stage_data: dict, workflow_stage: WorkflowStage, docker:
DockerSwarmClient):
service_status_complete = []
if stage_data['status'] != 'complete':
for service_id, service_dict in stage_data['services'].items():
service_state = docker.get_service_state(service_id)
if servi... | update_workflow_stages | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(stage_data: dict, workflow_stage: WorkflowStage, docker:\n DockerSwarmClient):\n service_status_complete = []\n if stage_data['status'] != 'complete':... |
def x(pb: ProcessingBlock, workflow_stage_dict: dict, docker: DockerSwarmClient
):
_abort_flag = False
if _abort_flag:
for workflow_stage in pb.workflow_stages:
for service_id, _ in workflow_stage_dict[workflow_stage.id][
'services'].items():
docker.delete... | abort_workflow | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pb: ProcessingBlock, workflow_stage_dict: dict, docker: DockerSwarmClient\n ):\n _abort_flag = False\n if _abort_flag:\n for workflow_stage in ... |
def x(workflow_stage_dict: dict):
complete_stages = []
for _, stage_config in workflow_stage_dict.items():
complete_stages.append(stage_config['status'] == 'complete')
if all(complete_stages):
LOG.info('PB workflow complete!')
return True
return False
| workflow_complete | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(workflow_stage_dict: dict):\n complete_stages = []\n for _, stage_config in workflow_stage_dict.items():\n complete_stages.append(stage_config['st... |
def x(pb_id: str, log_level='DEBUG'):
init_logger('sip', show_log_origin=True, propagate=False, log_level=
log_level)
LOG.info('+' * 40)
LOG.info('+ Executing Processing block: %s!', pb_id)
LOG.info('+' * 40)
LOG.info('Processing Block Controller version: %s', __version__)
LOG.info('Dock... | execute_processing_block | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pb_id: str, log_level='DEBUG'):\n init_logger('sip', show_log_origin=True, propagate=False, log_level=\n log_level)\n LOG.info('+' * 40)\n LOG.... |
def x(self, block_id, priority, pb_type='offline'):
if pb_type not in ('offline', 'realtime'):
raise ValueError('Invalid PB type.')
with self._mutex:
added_time = datetime.datetime.utcnow().isoformat()
entry = (priority, sys.maxsize - self._index, block_id, pb_type,
added_tim... | put | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_id, priority, pb_type='offline'):\n if pb_type not in ('offline', 'realtime'):\n raise ValueError('Invalid PB type.')\n with self._mut... |
def x(self):
with self._mutex:
entry = self._queue.pop()
del self._block_map[entry[2]]
return entry[2]
| get | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n with self._mutex:\n entry = self._queue.pop()\n del self._block_map[entry[2]]\n return entry[2]\n",
"role": "user"
},
... |
def x(self, block_id):
with self._mutex:
entry = self._block_map[block_id]
self._queue.remove(entry)
| remove | [
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, block_id):\n with self._mutex:\n entry = self._block_map[block_id]\n self._queue.remove(entry)\n",
"role": "user"
},
{
"cont... |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.