source_code
stringlengths
45
7.24k
function_name
stringlengths
1
111
messages
list
async def psubscribe(self, container, *keys): """ Subscribe to specified globs :param container: routine container :param \\*keys: subscribed globs :returns: list of event matchers for the specified globs """ await self._get_subscribe_connection(container) realkeys = [] for k in keys: count = self._psubscribecounter.get(k, 0) if count == 0: realkeys.append(k) self._psubscribecounter[k] = count + 1 await self._protocol.execute_command(self._subscribeconn, container, 'PSUBSCRIBE', *realkeys) return [self._protocol.subscribematcher(self._subscribeconn, k, None, RedisSubscribeMessageEvent.PMESSAGE) for k in keys]
psubscribe
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def psubscribe(self, container, *keys):\n \"\"\"\n Subscribe to specified globs\n \n :param container: routine container\n \n ...
async def shutdown(self, container, force=False): """ Shutdown all connections. Exclusive connections created by get_connection will shutdown after release() """ p = self._connpool self._connpool = [] self._shutdown = True if self._defaultconn: p.append(self._defaultconn) self._defaultconn = None if self._subscribeconn: p.append(self._subscribeconn) self._subscribeconn = None await container.execute_all([self._shutdown_conn(container, o, force) for o in p])
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def shutdown(self, container, force=False):\n \"\"\"\n Shutdown all connections. Exclusive connections created by get_connection will shutdown after ...
def x(self, container, connected=True): if not self._subscribeconn: self._subscribeconn = self._create_client(container) return RedisConnectionStateEvent.createMatcher( RedisConnectionStateEvent.CONNECTION_UP if connected else RedisConnectionStateEvent.CONNECTION_DOWN, self._subscribeconn)
subscribe_state_matcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, container, connected=True):\n if not self._subscribeconn:\n self._subscribeconn = self._create_client(container)\n return RedisConnectionSta...
def x(key): return _tobytes(key).replace(b'$', b'$_').replace(b'/', b'$+').replace( b'\\', b'$$')
escape_path
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(key):\n return _tobytes(key).replace(b'$', b'$_').replace(b'/', b'$+').replace(\n b'\\\\', b'$$')\n", "role": "user" }, { "content": "esc...
def x(payload): options = [] option_indices = {} def x(partials): for p in partials: if p.tag == OPTION_END: break if p.tag == OPTION_PAD: continue if p.tag in option_indices: options[option_indices[p.tag]][1].append(p.data) else: options.append((p.tag, [p.data])) option_indices[p.tag] = len(options) - 1 process_option_list(payload.options) if OPTION_OVERLOAD in option_indices: data = b''.join(options[option_indices[OPTION_OVERLOAD]][1]) overload_option = dhcp_overload.create(data) if overload_option & OVERLOAD_FILE: process_option_list(dhcp_option_partial[0].create(payload.file)) if overload_option & OVERLOAD_SNAME: process_option_list(dhcp_option_partial[0].create(payload.sname)) def x(tag, data): opt = dhcp_option(tag=tag) opt._setextra(data) opt._autosubclass() return opt return [_create_dhcp_option(tag, b''.join(data)) for tag, data in options]
reassemble_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(payload):\n options = []\n option_indices = {}\n\n def x(partials):\n for p in partials:\n if p.tag == OPTION_END:\n ...
def x(payload, options, maxsize=576, overload=OVERLOAD_FILE | OVERLOAD_SNAME, allowpartial=True): if maxsize < 576: maxsize = 576 max_options_size = maxsize - 240 options = [o for o in options if o.tag not in (OPTION_PAD, OPTION_END)] option_data = [(o.tag, o._tobytes()[2:]) for o in options] def x(option_data, limits): partial_options = [] buffers = [0] if not options: return [], 0 def x(): while partial_options and partial_options[-1][1]: partial_options.pop() buffers.append(len(partial_options)) r = [[po for po, _ in partial_options[buffers[i]:buffers[i + 1] ]] for i in range(0, len(buffers) - 1)] while r and not r[-1]: r.pop() return r current_size = 0 limit_iter = iter(limits) try: next_limit = next(limit_iter) except (StopIteration, GeneratorExit): return [], False for i, (tag, data) in enumerate(option_data): data_size = 0 nosplit = len(data) <= 32 while True: next_size = min(next_limit - current_size - 2, 255, len( data) - data_size) if next_size < 0 or next_size == 0 and data_size < len(data ) or next_size < len(data) - data_size and nosplit: try: next_limit = next(limit_iter) except (StopIteration, GeneratorExit): return create_result(), len(option_data) - i buffers.append(len(partial_options)) current_size = 0 else: partial_options.append((dhcp_option_partial(tag=tag, data=data[data_size:data_size + next_size]), next_size < len(data) - data_size)) data_size += next_size current_size += next_size + 2 if data_size >= len(data): break return create_result(), 0 result, not_finished = split_options(option_data, [max_options_size - 1]) if not_finished: if overload & (OVERLOAD_FILE | OVERLOAD_SNAME): limits = [max_options_size - 4] if overload & OVERLOAD_FILE: limits.append(127) if overload & OVERLOAD_SNAME: limits.append(63) result2, not_finished2 = split_options(option_data, limits) if len(result2) > 1: result = result2 not_finished = not_finished2 if not allowpartial and not_finished: raise ValueError('%d options cannot fit into a DHCP message' % ( not_finished,)) if not result: return not_finished elif len(result) <= 1: payload.options = result[0] + [dhcp_option_partial(tag=OPTION_END)] else: overload_option = 0 if len(result) >= 2 and result[1]: overload_option |= OVERLOAD_FILE payload.file = dhcp_option_partial[0].tobytes(result[1] + [ dhcp_option_partial(tag=OPTION_END)]) if len(result) >= 3 and result[2]: overload_option |= OVERLOAD_SNAME payload.sname = dhcp_option_partial[0].tobytes(result[2] + [ dhcp_option_partial(tag=OPTION_END)]) payload.options = [dhcp_option_partial(tag=OPTION_OVERLOAD, data= dhcp_overload.tobytes(overload_option))] + result[0] + [ dhcp_option_partial(tag=OPTION_END)] return not_finished
build_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(payload, options, maxsize=576, overload=OVERLOAD_FILE |\n OVERLOAD_SNAME, allowpartial=True):\n if maxsize < 576:\n maxsize = 576\n max_options...
def x(tag, value): dhcp_option.parser() fake_opt = dhcp_option(tag=tag) for c in dhcp_option.subclasses: if c.criteria(fake_opt): if hasattr(c, '_parse_from_value'): return c(tag=tag, value=c._parse_from_value(value)) else: raise ValueError('Invalid DHCP option ' + str(tag) + ': ' + repr(value)) else: fake_opt._setextra(_tobytes(value)) return fake_opt
create_option_from_value
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(tag, value):\n dhcp_option.parser()\n fake_opt = dhcp_option(tag=tag)\n for c in dhcp_option.subclasses:\n if c.criteria(fake_opt):\n ...
def x(input_dict, ignoreError=False, generateNone=False): retdict = {} for k, v in dict(input_dict).items(): try: if generateNone and v is None: retdict[k] = None else: try: retdict[k] = create_option_from_value(k, v) except _EmptyOptionException: if generateNone: retdict[k] = None except Exception: if ignoreError: continue else: raise return retdict
create_dhcp_options
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(input_dict, ignoreError=False, generateNone=False):\n retdict = {}\n for k, v in dict(input_dict).items():\n try:\n if generateNone and...
def x(*args): def x(cls): for c in cls.__bases__: if hasattr(c, '_indicesNames'): cls._classnameIndex = c._classnameIndex + 1 for i in range(0, cls._classnameIndex): setattr(cls, '_classname' + str(i), getattr(c, '_classname' + str(i))) setattr(cls, '_classname' + str(cls._classnameIndex), cls. _getTypename()) cls._indicesNames = c._indicesNames + ('_classname' + str( cls._classnameIndex),) + args cls._generateTemplate() return cls cls._classnameIndex = -1 cls._indicesNames = args cls._generateTemplate() return cls return decorator
with_indices
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n\n def x(cls):\n for c in cls.__bases__:\n if hasattr(c, '_indicesNames'):\n cls._classnameIndex = c._classnameInd...
def x(self, b, extra_add=(), extra_remove=()): if self is b: return (), () if isinstance(b, DiffRef_): extra_remove = extra_remove + b.add b = b.origin if extra_add == extra_remove: extra_add = extra_remove = () if isinstance(b, Diff_): if self.base is b.base: first = self.add + b.remove second = self.remove + b.add elif self.base is b: first = self.add second = self.remove elif b.base is self: first = b.remove second = b.add else: first = self second = b else: first = self second = b if not first and not extra_add: return (), tuple(second) + tuple(extra_remove) elif not second and not extra_remove: return tuple(first) + tuple(extra_add), () else: first = set(first) first.update(extra_add) second = set(second) second.update(extra_remove) return tuple(first.difference(second)), tuple(second.difference(first))
two_way_difference
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, b, extra_add=(), extra_remove=()):\n if self is b:\n return (), ()\n if isinstance(b, DiffRef_):\n extra_remove = extra_remove + b.ad...
def x(cls): if cls is Event: return None else: for c in cls.__bases__: if issubclass(c, Event): if c is Event: return cls._getTypename() else: return c.getTypename()
getTypename
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls):\n if cls is Event:\n return None\n else:\n for c in cls.__bases__:\n if issubclass(c, Event):\n if c is Eve...
def x(cls, *args, **kwargs): if kwargs and not args: return EventMatcher(tuple(getattr(cls, ind) if ind[:10] == '_classname' else kwargs.get(ind) for ind in cls.indicesNames() ), kwargs.get('_ismatch')) else: return EventMatcher(tuple(cls._generateIndices(args)), kwargs.get( '_ismatch'))
createMatcher
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, *args, **kwargs):\n if kwargs and not args:\n return EventMatcher(tuple(getattr(cls, ind) if ind[:10] ==\n '_classname' else kwargs.g...
async def limit(self, use=1): """ Acquire "resources", wait until enough "resources" are acquired. For each loop, `limit` number of "resources" are permitted. :param use: number of "resouces" to be used. :return: True if is limited """ c = self._counter self._counter = c + use if self._task is None: self._task = self._container.subroutine(self._limiter_task(), False) if c >= self._bottom_line: await RateLimitingEvent.createMatcher(self, c // self._limit) return True else: return False
limit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def limit(self, use=1):\n \"\"\"\n Acquire \"resources\", wait until enough \"resources\" are acquired. For each loop,\n `limit` number of \"r...
async def run_task(self, container, task, newthread=False): """Run task() in task pool. Raise an exception or return the return value""" e = TaskEvent(self, task=task, newthread=newthread) await container.wait_for_send(e) ev = await TaskDoneEvent.createMatcher(e) if hasattr(ev, 'exception'): raise ev.exception else: return ev.result
run_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def run_task(self, container, task, newthread=False):\n \"\"\"Run task() in task pool. Raise an exception or return the return value\"\"\"\n e = TaskEven...
async def run_gen_task(self, container, gentask, newthread=True): """Run generator gentask() in task pool, yield customized events""" e = TaskEvent(self, gen_task=gentask, newthread=newthread) await container.wait_for_send(e) ev = await TaskDoneEvent.createMatcher(e) if hasattr(ev, 'exception'): raise ev.exception else: return ev.result
run_gen_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def run_gen_task(self, container, gentask, newthread=True):\n \"\"\"Run generator gentask() in task pool, yield customized events\"\"\"\n e = TaskEvent(s...
async def run_async_task(self, container, asynctask, newthread=True): """Run asynctask(sender) in task pool, call sender(events) to send customized events, return result""" e = TaskEvent(self, async_task=asynctask, newthread=newthread) await container.wait_for_send(e) ev = await TaskDoneEvent.createMatcher(e) if hasattr(ev, 'exception'): raise ev.exception else: return ev.result
run_async_task
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def run_async_task(self, container, asynctask, newthread=True):\n \"\"\"Run asynctask(sender) in task pool, call sender(events) to send customized events, r...
async def lock(self, container=None): """Wait for lock acquire""" if container is None: container = RoutineContainer.get_container(self.scheduler) if self.locked: pass elif self.lockroutine: await LockedEvent.createMatcher(self) else: await container.wait_for_send(LockEvent(self.context, self.key, self)) self.locked = True
lock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def lock(self, container=None):\n \"\"\"Wait for lock acquire\"\"\"\n if container is None:\n container = RoutineContainer.get_container(self.sche...
def x(self): if self.locked: return True if self.lockroutine: return False waiter = self.scheduler.send(LockEvent(self.context, self.key, self)) if waiter: return False else: self.locked = True return True
trylock
[ { "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.locked:\n return True\n if self.lockroutine:\n return False\n waiter = self.scheduler.send(LockEvent(self.context, self...
def x(self, container): if self.locked: return True if self.lockroutine: return False self.lockroutine = container.subroutine(self._lockroutine(container), False ) return self.locked
beginlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, container):\n if self.locked:\n return True\n if self.lockroutine:\n return False\n self.lockroutine = container.subroutine(self._...
def x(self): if self.lockroutine: self.lockroutine.close() self.lockroutine = None if self.locked: self.locked = False self.scheduler.ignore(LockEvent.createMatcher(self.context, self. key, self))
unlock
[ { "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.lockroutine:\n self.lockroutine.close()\n self.lockroutine = None\n if self.locked:\n self.locked = False\n ...
def x(self): self.queue = self.scheduler.queue.addSubQueue(self.priority, LockEvent. createMatcher(self.context, self.key), maxdefault=self.size, defaultQueueClass=CBQueue.AutoClassQueue.initHelper('locker', subqueuelimit=1))
create
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n self.queue = self.scheduler.queue.addSubQueue(self.priority, LockEvent.\n createMatcher(self.context, self.key), maxdefault=self.size,\n ...
async def destroy(self, container=None): """ Destroy the created subqueue to change the behavior back to Lock """ if container is None: container = RoutineContainer(self.scheduler) if self.queue is not None: await container.syscall_noreturn(syscall_removequeue(self.scheduler .queue, self.queue)) self.queue = None
destroy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def destroy(self, container=None):\n \"\"\"\n Destroy the created subqueue to change the behavior back to Lock\n \"\"\"\n if container is N...
async def shutdown(self, force=False, connmark=-1): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.SHUTDOWN, force, connmark))
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def shutdown(self, force=False, connmark=-1):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = self...
async def reconnect(self, force=True, connmark=None): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.RECONNECT, force, connmark))
reconnect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def reconnect(self, force=True, connmark=None):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = se...
async def reset(self, force=True, connmark=None): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.RESET, force, connmark))
reset
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def reset(self, force=True, connmark=None):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = self.c...
async def write(self, event, ignoreException=True): """ Can call without delegate """ connmark = self.connmark if self.connected: def x(): if not self.connected or self.connmark != connmark: return True r = await self.wait_for_send(event, until=_until) if r: if ignoreException: return else: raise elif not ignoreException: raise ConnectionResetException
write
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def write(self, event, ignoreException=True):\n \"\"\"\n Can call without delegate\n \"\"\"\n connmark = self.connmark\n if self.connect...
async def shutdown(self, connmark=-1): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.SHUTDOWN, True, connmark))
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def shutdown(self, connmark=-1):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = self.connmark\n ...
async def stoplisten(self, connmark=-1): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.STOPLISTEN, True, connmark))
stoplisten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def stoplisten(self, connmark=-1):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = self.connmark\n...
async def startlisten(self, connmark=-1): """ Can call without delegate """ if connmark is None: connmark = self.connmark self.scheduler.emergesend(ConnectionControlEvent(self, ConnectionControlEvent.STARTLISTEN, True, connmark))
startlisten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def startlisten(self, connmark=-1):\n \"\"\"\n Can call without delegate\n \"\"\"\n if connmark is None:\n connmark = self.connmark\...
def x(): config, daemon, pidfile, startup, fork = parsearg() if config is None: if os.path.isfile('/etc/vlcp.conf'): config = '/etc/vlcp.conf' else: print('/etc/vlcp.conf is not found; start without configurations.') elif not config: config = None main(config, startup, daemon, pidfile, fork)
default_start
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x():\n config, daemon, pidfile, startup, fork = parsearg()\n if config is None:\n if os.path.isfile('/etc/vlcp.conf'):\n config = '/etc/v...
def x(self): if self.stream: self.stream.close(self.scheduler) self.stream = None
close
[ { "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.stream:\n self.stream.close(self.scheduler)\n self.stream = None\n", "role": "user" }, { "content": "close", ...
async def shutdown(self): """Force stop the output stream, if there are more data to download, shutdown the connection""" if self.stream: if not self.stream.dataeof and not self.stream.dataerror: self.stream.close(self.scheduler) await self.connection.shutdown() else: self.stream.close(self.scheduler) self.stream = None
shutdown
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def shutdown(self):\n \"\"\"Force stop the output stream, if there are more data to download, shutdown the connection\"\"\"\n if self.stream:\n if...
def x(type, create_processor=partial(default_processor, excluding=('id', 'type')), reorder_dict=default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: id_ = parameters['id'] new_network = create_new(PhysicalNetwork, value, id_) new_network.type = type create_processor(new_network, walk, write, parameters= parameters) write(key, new_network) new_networkmap = PhysicalNetworkMap.create_instance(id_) new_networkmap.network = new_network.create_weakreference() write(new_networkmap.getkey(), new_networkmap) try: physet = walk(PhysicalNetworkSet.default_key()) except KeyError: pass else: physet.set.dataset().add(new_network.create_weakreference() ) write(physet.getkey(), physet) return walker
createphysicalnetwork
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(type, create_processor=partial(default_processor, excluding=('id',\n 'type')), reorder_dict=default_iterate_dict):\n\n def x(walk, write, timestamp, para...
def x(check_processor=default_physicalnetwork_delete_check, reorder_dict= default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: id_ = parameters['id'] try: phy_map = walk(PhysicalNetworkMap.default_key(id_)) except KeyError: pass else: check_processor(value, phy_map, walk, write, parameters =parameters) write(phy_map.getkey(), None) try: phynetset = walk(PhysicalNetworkSet.default_key()) except KeyError: pass else: phynetset.set.dataset().discard(value. create_weakreference()) write(phynetset.getkey(), phynetset) write(key, None) return walker
deletephysicalnetwork
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(check_processor=default_physicalnetwork_delete_check, reorder_dict=\n default_iterate_dict):\n\n def x(walk, write, timestamp, parameters_dict):\n ...
def x(create_processor=partial(default_processor, excluding=('vhost', 'systemid', 'bridge', 'name', 'physicalnetwork')), reorder_dict= default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: p = create_new(PhysicalPort, value, parameters['vhost'], parameters['systemid'], parameters['bridge'], parameters['name']) try: physicalnetwork = walk(PhysicalNetwork.default_key( parameters['physicalnetwork'])) except KeyError: pass else: p.physicalnetwork = physicalnetwork.create_reference() try: phymap = walk(PhysicalNetworkMap._network.leftkey( physicalnetwork)) except KeyError: pass else: create_processor(p, physicalnetwork, phymap, walk, write, parameters=parameters) phymap.ports.dataset().add(p.create_weakreference()) write(phymap.getkey(), phymap) try: phyportset = walk(PhysicalPortSet.default_key()) except KeyError: pass else: phyportset.set.dataset().add(p.create_weakreference()) write(phyportset.getkey(), phyportset) write(p.getkey(), p) return walker
createphysicalport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(create_processor=partial(default_processor, excluding=('vhost',\n 'systemid', 'bridge', 'name', 'physicalnetwork')), reorder_dict=\n default_iterate_dict...
def x(update_processor=partial(default_processor, excluding=('vhost', 'systemid', 'bridge', 'name'), disabled=('physicalnetwork',)), reorder_dict=default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: if update_processor(value, walk, write, parameters=parameters): write(key, value) return walker
updatephysicalport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(update_processor=partial(default_processor, excluding=('vhost',\n 'systemid', 'bridge', 'name'), disabled=('physicalnetwork',)),\n reorder_dict=default_i...
def x(check_processor=_false_processor, reorder_dict=default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: try: phynet = walk(value.physicalnetwork.getkey()) except KeyError: pass else: try: phymap = walk(PhysicalNetworkMap._network.leftkey( phynet)) except KeyError: pass else: check_processor(value, phynet, phymap, walk, write, parameters=parameters) phymap.ports.dataset().discard(value. create_weakreference()) write(phymap.getkey(), phymap) try: physet = walk(PhysicalPortSet.default_key()) except KeyError: pass else: physet.set.dataset().discard(value.create_weakreference()) write(physet.getkey(), physet) write(key, None) return walker
deletephysicalport
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(check_processor=_false_processor, reorder_dict=default_iterate_dict):\n\n def x(walk, write, timestamp, parameters_dict):\n for key, parameters in re...
def x(create_processor=partial(default_processor, excluding=('id', 'physicalnetwork')), reorder_dict=default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: id_ = parameters['id'] lognet = create_new(LogicalNetwork, value, id_) logmap = LogicalNetworkMap.create_instance(id_) logmap.network = lognet.create_reference() try: phynet = walk(PhysicalNetwork.default_key(parameters[ 'physicalnetwork'])) except KeyError: pass else: lognet.physicalnetwork = phynet.create_reference() try: phymap = walk(PhysicalNetworkMap._network.leftkey( phynet)) except KeyError: pass else: create_processor(lognet, logmap, phynet, phymap, walk, write, parameters=parameters) phymap.logicnetworks.dataset().add(lognet. create_weakreference()) write(phymap.getkey(), phymap) write(lognet.getkey(), lognet) write(logmap.getkey(), logmap) try: logicalnetworkset = walk(LogicalNetworkSet.default_key()) except KeyError: pass else: logicalnetworkset.set.dataset().add(lognet. create_weakreference()) write(logicalnetworkset.getkey(), logicalnetworkset) return walker
createlogicalnetwork
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(create_processor=partial(default_processor, excluding=('id',\n 'physicalnetwork')), reorder_dict=default_iterate_dict):\n\n def x(walk, write, timestamp,...
def x(check_processor=default_logicalnetwork_delete_check, reorder_dict= default_iterate_dict): def x(walk, write, timestamp, parameters_dict): for key, parameters in reorder_dict(parameters_dict): try: value = walk(key) except KeyError: pass else: try: logmap = walk(LogicalNetworkMap._network.leftkey(key)) except KeyError: pass else: try: phynet = walk(value.physicalnetwork.getkey()) except KeyError: pass else: try: phymap = walk(PhysicalNetworkMap._network. leftkey(phynet)) except KeyError: pass else: check_processor(value, logmap, phynet, phymap, walk, write, parameters=parameters) phymap.logicnetworks.dataset().discard(value. create_weakreference()) write(phymap.getkey(), phymap) write(key, None) write(logmap.getkey(), None) try: logicalnetworkset = walk(LogicalNetworkSet.default_key()) except KeyError: pass else: logicalnetworkset.set.dataset().discard(value. create_weakreference()) write(logicalnetworkset.getkey(), logicalnetworkset) return walker
deletelogicalnetwork
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(check_processor=default_logicalnetwork_delete_check, reorder_dict=\n default_iterate_dict):\n\n def x(walk, write, timestamp, parameters_dict):\n ...
async def restart_walk(self): """ Force a re-walk """ if not self._restartwalk: self._restartwalk = True await self.wait_for_send(FlowUpdaterNotification(self, FlowUpdaterNotification.STARTWALK))
restart_walk
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def restart_walk(self):\n \"\"\"\n Force a re-walk\n \"\"\"\n if not self._restartwalk:\n self._restartwalk = True\n await se...
async def _dataobject_update_detect(self, _initialkeys, _savedresult): """ Coroutine that wait for retrieved value update notification """ def x(newvalues, updatedvalues): if any(v.getkey() in _initialkeys for v in updatedvalues if v is not None): return True else: return self.shouldupdate(newvalues, updatedvalues) while True: updatedvalues, _ = await multiwaitif(_savedresult, self, expr, True) if not self._updatedset: self.scheduler.emergesend(FlowUpdaterNotification(self, FlowUpdaterNotification.DATAUPDATED)) self._updatedset.update(updatedvalues)
dataobject_update_detect
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _dataobject_update_detect(self, _initialkeys, _savedresult):\n \"\"\"\n Coroutine that wait for retrieved value update notification\n \"\"...
def x(self, updatedvalues): if not self._updatedset: self.scheduler.emergesend(FlowUpdaterNotification(self, FlowUpdaterNotification.DATAUPDATED)) self._updatedset.update(set(updatedvalues).intersection(self._savedresult))
updateobjects
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, updatedvalues):\n if not self._updatedset:\n self.scheduler.emergesend(FlowUpdaterNotification(self,\n FlowUpdaterNotification.DATAU...
async def _flowupdater(self): """ Coroutine calling `updateflow()` """ lastresult = set(v for v in self._savedresult if v is not None and not v.isdeleted()) flowupdate = FlowUpdaterNotification.createMatcher(self, FlowUpdaterNotification.FLOWUPDATE) while True: currentresult = [v for v in self._savedresult if v is not None and not v.isdeleted()] additems = [] updateditems = [] updatedset2 = self._updatedset2 for v in currentresult: if v not in lastresult: additems.append(v) else: lastresult.remove(v) if v in updatedset2: updateditems.append(v) removeitems = lastresult self._updatedset2.clear() lastresult = set(currentresult) if not additems and not removeitems and not updateditems: await flowupdate continue await self.updateflow(self._connection, set(additems), removeitems, set(updateditems))
flowupdater
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def _flowupdater(self):\n \"\"\"\n Coroutine calling `updateflow()`\n \"\"\"\n lastresult = set(v for v in self._savedresult if v is not No...
async def main(self): """ Main coroutine """ try: lastkeys = set() dataupdate = FlowUpdaterNotification.createMatcher(self, FlowUpdaterNotification.DATAUPDATED) startwalk = FlowUpdaterNotification.createMatcher(self, FlowUpdaterNotification.STARTWALK) self.subroutine(self._flowupdater(), False, '_flowupdateroutine') presave_update = set() while True: self._restartwalk = False presave_update.update(self._updatedset) self._updatedset.clear() _initialkeys = set(self._initialkeys) try: walk_result = await call_api(self, 'objectdb', 'walk', { 'keys': self._initialkeys, 'walkerdict': self. _walkerdict, 'requestid': (self._requstid, self. _requestindex)}) except Exception: self._logger.warning( 'Flow updater %r walk step failed, conn = %r', self, self._connection, exc_info=True) await call_api(self, 'objectdb', 'unwatchall', {'requestid': (self._requstid, self._requestindex)}) await self.wait_with_timeout(2) self._requestindex += 1 if self._restartwalk: continue if self._updatedset: if any(v.getkey() in _initialkeys for v in self._updatedset): continue lastkeys = set(self._savedkeys) _savedkeys, _savedresult = walk_result removekeys = tuple(lastkeys.difference(_savedkeys)) self.reset_initialkeys(_savedkeys, _savedresult) _initialkeys = set(self._initialkeys) if self._dataupdateroutine: self.terminate(self._dataupdateroutine) self.subroutine(self._dataobject_update_detect(_initialkeys, _savedresult), False, '_dataupdateroutine') self._updatedset.update(v for v in presave_update) presave_update.clear() await self.walkcomplete(_savedkeys, _savedresult) if removekeys: await call_api(self, 'objectdb', 'munwatch', {'keys': removekeys, 'requestid': (self._requstid, self. _requestindex)}) self._updatedset2.update(self._updatedset) self._updatedset.clear() self._savedkeys = _savedkeys self._savedresult = _savedresult await self.wait_for_send(FlowUpdaterNotification(self, FlowUpdaterNotification.FLOWUPDATE)) while not self._restartwalk: if self._updatedset: if any(v.getkey() in _initialkeys for v in self._updatedset ): break else: self._updatedset2.update(self._updatedset) self._updatedset.clear() self.scheduler.emergesend(FlowUpdaterNotification( self, FlowUpdaterNotification.FLOWUPDATE)) await M_(dataupdate, startwalk) except Exception: self._logger.exception( 'Flow updater %r stops update by an exception, conn = %r', self, self._connection) raise finally: self.subroutine(send_api(self, 'objectdb', 'unwatchall', { 'requestid': (self._requstid, self._requestindex)}), False) if self._flowupdateroutine: self.terminate(self._flowupdateroutine) self._flowupdateroutine = None if self._dataupdateroutine: self.terminate(self._dataupdateroutine) self._dataupdateroutine = None
main
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def main(self):\n \"\"\"\n Main coroutine\n \"\"\"\n try:\n lastkeys = set()\n dataupdate = FlowUpdaterNotification.createMat...
def x(*events): def x(scheduler, processor): for e in events: processor(e) return _syscall
syscall_direct
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*events):\n\n def x(scheduler, processor):\n for e in events:\n processor(e)\n return _syscall\n", "role": "user" }, { "con...
def x(generator): def x(scheduler, processor): for e in generator(): processor(e) return _syscall
syscall_generator
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(generator):\n\n def x(scheduler, processor):\n for e in generator():\n processor(e)\n return _syscall\n", "role": "user" }, { ...
def x(queue): def x(scheduler, processor): qes, qees = queue.clear() events = scheduler.queue.unblockqueue(queue) for e in events: scheduler.eventtree.remove(e) for e in qes: processor(e) for e in qees: processor(e) return _syscall
syscall_clearqueue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queue):\n\n def x(scheduler, processor):\n qes, qees = queue.clear()\n events = scheduler.queue.unblockqueue(queue)\n for e in events:\...
def x(queue, index): def x(scheduler, processor): events = scheduler.queue.unblockqueue(queue[index]) for e in events: scheduler.eventtree.remove(e) qes, qees = queue.removeSubQueue(index) for e in qes: processor(e) for e in qees: processor(e) return _syscall
syscall_removequeue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queue, index):\n\n def x(scheduler, processor):\n events = scheduler.queue.unblockqueue(queue[index])\n for e in events:\n schedule...
def x(queue, index): def x(scheduler, processor): qes, qees = queue[index].clear() events = scheduler.queue.unblockqueue(queue[index]) for e in events: scheduler.eventtree.remove(e) qes2, qees2 = queue.removeSubQueue(index) for e in qes: processor(e) for e in qes2: processor(e) for e in qees: processor(e) for e in qees2: processor(e) return _syscall
syscall_clearremovequeue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(queue, index):\n\n def x(scheduler, processor):\n qes, qees = queue[index].clear()\n events = scheduler.queue.unblockqueue(queue[index])\n ...
def x(self, matchers, runnable): if getattr(self, 'syscallfunc', None) is not None and getattr(self, 'syscallrunnable', None) is None: self.syscallrunnable = runnable else: for m in matchers: self.matchtree.insert(m, runnable) events = self.eventtree.findAndRemove(m) for e in events: self.queue.unblock(e) if m.indices[0] == PollEvent._classname0 and len(m.indices) >= 2: self.polling.onmatch(m.indices[1], None if len(m.indices) <= 2 else m.indices[2], True) self.registerIndex.setdefault(runnable, set()).update(matchers)
register
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, matchers, runnable):\n if getattr(self, 'syscallfunc', None) is not None and getattr(self,\n 'syscallrunnable', None) is None:\n self.sy...
def x(self, matchers, runnable): for m in matchers: self.matchtree.remove(m, runnable) if m.indices[0] == PollEvent._classname0 and len(m.indices) >= 2: self.polling.onmatch(m.indices[1], None if len(m.indices) <= 2 else m.indices[2], False) self.registerIndex.setdefault(runnable, set()).difference_update(matchers)
unregister
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, matchers, runnable):\n for m in matchers:\n self.matchtree.remove(m, runnable)\n if m.indices[0] == PollEvent._classname0 and len(m.indi...
def x(self, runnable): if runnable in self.registerIndex: for m in self.registerIndex[runnable]: self.matchtree.remove(m, runnable) if m.indices[0] == PollEvent._classname0 and len(m.indices) >= 2: self.polling.onmatch(m.indices[1], None if len(m.indices) <= 2 else m.indices[2], False) del self.registerIndex[runnable] self.daemons.discard(runnable)
unregisterall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, runnable):\n if runnable in self.registerIndex:\n for m in self.registerIndex[runnable]:\n self.matchtree.remove(m, runnable)\n ...
def x(self, matcher): events = self.eventtree.findAndRemove(matcher) for e in events: self.queue.unblock(e) e.canignore = True
ignore
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, matcher):\n events = self.eventtree.findAndRemove(matcher)\n for e in events:\n self.queue.unblock(e)\n e.canignore = True\n", "r...
def x(self, daemononly=False): if not self.quitting: self.quitting = True self.queue.append(SystemControlEvent(SystemControlEvent.QUIT, daemononly=daemononly), True)
quit
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, daemononly=False):\n if not self.quitting:\n self.quitting = True\n self.queue.append(SystemControlEvent(SystemControlEvent.QUIT,\n ...
def x(self, start, interval=None): if isinstance(start, datetime): timestamp = (start - datetime.fromtimestamp(0)).total_seconds() else: timestamp = self.current_time + start if interval is not None: if not interval > 0: raise ValueError('interval must be positive.') th = self.TimerHandle(timestamp, interval) self.timers.push(th, timestamp) return th
setTimer
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, start, interval=None):\n if isinstance(start, datetime):\n timestamp = (start - datetime.fromtimestamp(0)).total_seconds()\n else:\n ...
def x(self, fd, options=POLLING_IN | POLLING_OUT, daemon=False): self.polling.register(fd, options, daemon)
registerPolling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fd, options=POLLING_IN | POLLING_OUT, daemon=False):\n self.polling.register(fd, options, daemon)\n", "role": "user" }, { "content": "regi...
def x(self, fd, daemon=False): self.polling.unregister(fd, daemon)
unregisterPolling
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, fd, daemon=False):\n self.polling.unregister(fd, daemon)\n", "role": "user" }, { "content": "unregisterPolling", "role": "assistant" ...
def x(self, runnable, isdaemon, noregister=False): if not noregister and runnable not in self.registerIndex: self.register((), runnable) if isdaemon: self.daemons.add(runnable) else: self.daemons.discard(runnable)
setDaemon
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, runnable, isdaemon, noregister=False):\n if not noregister and runnable not in self.registerIndex:\n self.register((), runnable)\n if isdaem...
def x(self, func): if getattr(self, 'syscallfunc', None) is not None: return None self.syscallfunc = func self.syscallmatcher = SyscallReturnEvent.createMatcher() return self.syscallmatcher
syscall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, func):\n if getattr(self, 'syscallfunc', None) is not None:\n return None\n self.syscallfunc = func\n self.syscallmatcher = SyscallReturn...
def x(self, vhost=None): if vhost is not None: return [s for s in self.connections if s.protocol.vhost == vhost] else: return list(self.connections)
getservers
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vhost=None):\n if vhost is not None:\n return [s for s in self.connections if s.protocol.vhost == vhost]\n else:\n return list(self.c...
async def stoplisten(self, vhost=None): """ Stop listen on current servers :param vhost: return only servers of vhost if specified. '' to return only default servers. None for all servers. """ servers = self.getservers(vhost) for s in servers: await s.stoplisten() return len(servers)
stoplisten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def stoplisten(self, vhost=None):\n \"\"\"\n Stop listen on current servers\n \n :param vhost: return only servers of vhost if specifie...
async def startlisten(self, vhost=None): """ Start listen on current servers :param vhost: return only servers of vhost if specified. '' to return only default servers. None for all servers. """ servers = self.getservers(vhost) for s in servers: await s.startlisten() return len(servers)
startlisten
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def startlisten(self, vhost=None):\n \"\"\"\n Start listen on current servers\n \n :param vhost: return only servers of vhost if specif...
async def updateconfig(self): """Reload configurations, remove non-exist servers, add new servers, and leave others unchanged""" exists = {} for s in self.connections: exists[s.protocol.vhost, s.rawurl] = s self._createServers(self, '', exists=exists) for _, v in exists.items(): await v.shutdown() self.connections.remove(v)
updateconfig
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def updateconfig(self):\n \"\"\"Reload configurations, remove non-exist servers, add new servers, and leave others unchanged\"\"\"\n exists = {}\n for...
def x(self, vhost=None): if vhost is None: return list(self.managed_connections) else: return [c for c in self.managed_connections if c.protocol.vhost == vhost]
getconnections
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, vhost=None):\n if vhost is None:\n return list(self.managed_connections)\n else:\n return [c for c in self.managed_connections if c.p...
def x(func): @functools.wraps(func) def x(k, v): func(k, v) return v return decorator
return_self_updater
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(func):\n\n @functools.wraps(func)\n def x(k, v):\n func(k, v)\n return v\n return decorator\n", "role": "user" }, { "content...
def x(timestamp=None): global _last_date_time_string _last_timestamp, _last_str = _last_date_time_string if timestamp is None: timestamp = time.time() _curr_timestamp = int(timestamp) if _curr_timestamp == _last_timestamp: return _last_str else: year, month, day, hh, mm, ss, wd, y, z = time.gmtime(timestamp) s = b'%s, %02d %3s %4d %02d:%02d:%02d GMT' % (weekdayname[wd], day, monthname[month], year, hh, mm, ss) _last_date_time_string = _curr_timestamp, s return s
date_time_string
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(timestamp=None):\n global _last_date_time_string\n _last_timestamp, _last_str = _last_date_time_string\n if timestamp is None:\n timestamp = ti...
def x(s, quote=True): s = s.replace(b'&', b'&amp;') s = s.replace(b'<', b'&lt;') s = s.replace(b'>', b'&gt;') if quote: s = s.replace(b'"', b'&quot;') return s
escape_b
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(s, quote=True):\n s = s.replace(b'&', b'&amp;')\n s = s.replace(b'<', b'&lt;')\n s = s.replace(b'>', b'&gt;')\n if quote:\n s = s.replace(b'...
def x(keys, result, reqid, container, module='objectdb'): try: keys = [k for k, r in zip(keys, result) if r is not None] yield result finally: if keys: async def clearup(): try: await send_api(container, module, 'munwatch', {'keys': keys, 'requestid': reqid}) except QuitException: pass container.subroutine(clearup(), False)
watch_context
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(keys, result, reqid, container, module='objectdb'):\n try:\n keys = [k for k, r in zip(keys, result) if r is not None]\n yield result\n fin...
def x(f): @functools.wraps(f) def x(keys, values): result = f(*values) return keys[:len(result)], result return wrapped_updater
updater
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(f):\n\n @functools.wraps(f)\n def x(keys, values):\n result = f(*values)\n return keys[:len(result)], result\n return wrapped_updater\n"...
def x(*args): neg_index = [i for v, i in izip(args, itertools.count()) if v is not None and v < 0] if len(neg_index) > 1: raise ValueError('Cannot use negative values more than once') if not neg_index: slice_list = [] size = 0 for arg in args: if arg is None: slice_list.append(size) size += 1 else: slice_list.append(slice(size, size + arg)) size += arg else: sep = neg_index[0] slice_list = [] size = 0 for arg in args[:sep]: if arg is None: slice_list.append(size) size += 1 else: slice_list.append(slice(size, size + arg)) size += arg rslice_list = [] rsize = 0 for arg in args[:sep:-1]: if arg is None: rslice_list.append(-1 - rsize) rsize += 1 else: rslice_list.append(slice(None if not rsize else -rsize, -( rsize + arg))) rsize += arg slice_list.append(slice(size, rsize)) slice_list.extend(reversed(rslice_list)) def x(f): @functools.wraps(f) def x(keys, values): result = f(*[values[s] for s in slice_list]) return keys[:len(result)], result return wrapped_updater return inner_wrapper
list_updater
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(*args):\n neg_index = [i for v, i in izip(args, itertools.count()) if v is not\n None and v < 0]\n if len(neg_index) > 1:\n raise ValueErro...
def x(cls, oldvalue, *args): if oldvalue is not None: raise AlreadyExistsException('%r already exists' % (oldvalue,)) return cls.create_instance(*args)
create_new
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, oldvalue, *args):\n if oldvalue is not None:\n raise AlreadyExistsException('%r already exists' % (oldvalue,))\n return cls.create_instance(*...
def x(cls, oldvalue, key): if oldvalue is not None: raise AlreadyExistsException('%r already exists' % (oldvalue,)) return cls.create_from_key(key)
create_from_key
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(cls, oldvalue, key):\n if oldvalue is not None:\n raise AlreadyExistsException('%r already exists' % (oldvalue,))\n return cls.create_from_key(key...
def x(obj, attributes=True, _refset=None): if _refset is None: _refset = set() if obj is None: return None elif isinstance(obj, DataObject): if id(obj) in _refset: attributes = False else: _refset.add(id(obj)) cls = type(obj) clsname = getattr(cls, '__module__', '<unknown>') + '.' + getattr(cls, '__name__', '<unknown>') baseresult = {'_type': clsname, '_key': obj.getkey()} if not attributes: return baseresult else: baseresult.update((k, dump(v, attributes, _refset)) for k, v in vars(obj).items() if k[:1] != '_') _refset.remove(id(obj)) return baseresult elif isinstance(obj, ReferenceObject): if obj._ref is not None: return dump(obj._ref, attributes, _refset) else: return {'_ref': obj.getkey()} elif isinstance(obj, WeakReferenceObject): return {'_weakref': obj.getkey()} elif isinstance(obj, DataObjectSet): return dump(list(obj.dataset())) elif isinstance(obj, dict): return dict((k, dump(v, attributes, _refset)) for k, v in obj.items()) elif isinstance(obj, list) or isinstance(obj, tuple) or isinstance(obj, set ): return [dump(v, attributes, _refset) for v in obj] else: return obj
dump
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(obj, attributes=True, _refset=None):\n if _refset is None:\n _refset = set()\n if obj is None:\n return None\n elif isinstance(obj, Data...
async def action_handler(self): """ Call vtep controller in sequence, merge mutiple calls if possible When a bind relationship is updated, we always send all logical ports to a logicalswitch, to make sure it recovers from some failed updates (so called idempotency). When multiple calls are pending, we only need to send the last of them. """ bind_event = VtepControllerCall.createMatcher(self._conn) event_queue = [] timeout_flag = [False] async def handle_action(): while event_queue or timeout_flag[0]: events = event_queue[:] del event_queue[:] for e in events: physname = e.physname phyiname = e.phyiname if e.type == VtepControllerCall.UNBINDALL: self._store_event[physname, phyiname] = {'all': e} elif e.type == VtepControllerCall.BIND: vlanid = e.vlanid if (physname, phyiname) in self._store_event: v = self._store_event[physname, phyiname] if vlanid in v: logicalports = e.logicalports v.update({vlanid: (e.type, e.logicalnetworkid, e.vni, logicalports)}) self._store_event[physname, phyiname] = v else: v.update({vlanid: (e.type, e.logicalnetworkid, e.vni, e.logicalports)}) self._store_event[physname, phyiname] = v else: self._store_event[physname, phyiname] = {vlanid: (e .type, e.logicalnetworkid, e.vni, e.logicalports)} elif e.type == VtepControllerCall.UNBIND: vlanid = e.vlanid if (physname, phyiname) in self._store_event: v = self._store_event[physname, phyiname] v.update({vlanid: (e.type, e.logicalnetworkid)}) self._store_event[physname, phyiname] = v else: self._store_event[physname, phyiname] = {vlanid: (e .type, e.logicalnetworkid)} else: self._parent._logger.warning( 'catch error type event %r , ignore it', exc_info=True) continue call = [] target_name = 'vtepcontroller' for k, v in self._store_event.items(): if 'all' in v: call.append(self.api(self, target_name, 'unbindphysicalport', {'physicalswitch': k[0], 'physicalport': k[1]}, timeout=10)) del v['all'] try: await self.execute_all(call) except Exception: self._parent._logger.warning('unbindall remove call failed', exc_info=True) for k, v in self._store_event.items(): for vlanid, e in dict(v).items(): if vlanid != 'all': if e[0] == VtepControllerCall.BIND: params = {'physicalswitch': k[0], 'physicalport': k[1], 'vlanid': vlanid, 'logicalnetwork': e[1], 'vni': e[2], 'logicalports': e[3]} try: await self.api(self, target_name, 'updatelogicalswitch', params, timeout=10) except Exception: self._parent._logger.warning( 'update logical switch error,try next %r', params, exc_info=True) else: del self._store_event[k][vlanid] elif e[0] == VtepControllerCall.UNBIND: params = {'logicalnetwork': e[1], 'physicalswitch': k[0], 'physicalport': k[1 ], 'vlanid': vlanid} try: await self.api(self, target_name, 'unbindlogicalswitch', params, timeout=10) except Exception: self._parent._logger.warning( 'unbind logical switch error,try next %r', params, exc_info=True) else: del self._store_event[k][vlanid] self._store_event = dict((k, v) for k, v in self._store_event. items() if v) if timeout_flag[0]: timeout_flag[0] = False def x(event, matcher): event_queue.append(event) while True: timeout, ev, m = await self.wait_with_timeout(10, bind_event) if not timeout: event_queue.append(ev) else: timeout_flag[0] = True await self.with_callback(handle_action(), append_event, bind_event)
action_handler
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def action_handler(self):\n \"\"\"\n Call vtep controller in sequence, merge mutiple calls if possible\n \n When a bind relationship is...
async def update_ports(self, ports, ovsdb_ports): """ Called from main module to update port information """ new_port_names = dict((p['name'], _to32bitport(p['ofport'])) for p in ovsdb_ports) new_port_ids = dict((p['id'], _to32bitport(p['ofport'])) for p in ovsdb_ports if p['id']) if new_port_names == self._portnames and new_port_ids == self._portids: return self._portnames.clear() self._portnames.update(new_port_names) self._portids.clear() self._portids.update(new_port_ids) logicalportkeys = [LogicalPort.default_key(id) for id in self._portids] self._original_initialkeys = logicalportkeys + [PhysicalPortSet. default_key()] self._initialkeys = tuple(itertools.chain(self._original_initialkeys, self._append_initialkeys)) phy_walker = partial(self._physicalport_walker, _portnames=new_port_names) log_walker = partial(self._logicalport_walker, _portids=new_port_ids) self._walkerdict = dict(itertools.chain(((PhysicalPortSet.default_key(), phy_walker),), ((lgportkey, log_walker) for lgportkey in logicalportkeys))) self._portnames = new_port_names self._portids = new_port_ids await self.restart_walk()
update_ports
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "async def update_ports(self, ports, ovsdb_ports):\n \"\"\"\n Called from main module to update port information\n \"\"\"\n new_port_names = dict(...
def x(root_package='vlcp'): proxy_dict = OrderedDict() pkg = __import__(root_package, fromlist=['_']) for imp, module, _ in walk_packages(pkg.__path__, root_package + '.'): m = __import__(module, fromlist=['_']) for _, v in vars(m).items(): if v is not None and isinstance(v, type) and issubclass(v, _ProxyModule ) and v is not _ProxyModule and v.__module__ == module and hasattr( v, '_default'): name = v.__name__.lower() if name not in proxy_dict: proxy_dict[name] = {'defaultmodule': v._default. __name__.lower(), 'class': repr(v._default. __module__ + '.' + v._default.__name__)} return proxy_dict
list_proxy
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_package='vlcp'):\n proxy_dict = OrderedDict()\n pkg = __import__(root_package, fromlist=['_'])\n for imp, module, _ in walk_packages(pkg.__path__...
def x(root_package='vlcp'): pkg = __import__(root_package, fromlist=['_']) module_dict = OrderedDict() _server = Server() for imp, module, _ in walk_packages(pkg.__path__, root_package + '.'): m = __import__(module, fromlist=['_']) for name, v in vars(m).items(): if v is not None and isinstance(v, type) and issubclass(v, Module ) and v is not Module and not isinstance(v, _ProxyModule ) and hasattr(v, '__dict__' ) and 'configkey' in v.__dict__ and v.__module__ == module: module_name = v.__name__.lower() if module_name not in module_dict: _inst = v(_server) module_info = OrderedDict((('class', v.__module__ + '.' + v.__name__), ('dependencies', [d.__name__.lower() for d in v.depends]), ('classdescription', getdoc(v)), ('apis', []))) if hasattr(_inst, 'apiHandler'): apidefs = _inst.apiHandler.apidefs module_info['apis'] = [(d[0], d[3]) for d in apidefs if len(d) > 3 and not d[0].startswith( 'public/')] module_dict[module_name] = module_info return module_dict
list_modules
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_package='vlcp'):\n pkg = __import__(root_package, fromlist=['_'])\n module_dict = OrderedDict()\n _server = Server()\n for imp, module, _ in w...
def x(self, event, force=False): if self.tree is None: if self.parent is None: raise IndexError('The queue is removed') else: return self.parent.parent.append(event, force) q = self.tree.matchfirst(event) return q.append(event, force)
append
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, force=False):\n if self.tree is None:\n if self.parent is None:\n raise IndexError('The queue is removed')\n else:\n ...
def x(self, event, emptyEvents=()): q = self.tree.matchfirst(event) q.block(event) self.blockEvents[event] = q for ee in emptyEvents: ee.queue.waitForEmpty()
block
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event, emptyEvents=()):\n q = self.tree.matchfirst(event)\n q.block(event)\n self.blockEvents[event] = q\n for ee in emptyEvents:\n ee...
def x(self, event): if event not in self.blockEvents: return self.blockEvents[event].unblock(event) del self.blockEvents[event]
unblock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, event):\n if event not in self.blockEvents:\n return\n self.blockEvents[event].unblock(event)\n del self.blockEvents[event]\n", "role...
def x(self, queue): subqueues = set() def x(q): subqueues.add(q) subqueues.add(q.defaultQueue) for v in q.queueindex.values(): if len(v) == 3: allSubqueues(v[1]) allSubqueues(queue) events = [k for k, v in self.blockEvents.items() if v in subqueues] for e in events: del self.blockEvents[e] return events
unblockqueue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue):\n subqueues = set()\n\n def x(q):\n subqueues.add(q)\n subqueues.add(q.defaultQueue)\n for v in q.queueindex.values():...
def x(self): for q in self.queues.values(): q.unblockall() self.blockEvents.clear()
unblockall
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n for q in self.queues.values():\n q.unblockall()\n self.blockEvents.clear()\n", "role": "user" }, { "content": "unblockall", ...
def x(self, queue, force): if not force and not self.canAppend(): self.isWaited = True return self._matcher if self.parent is not None: m = self.parent.notifyAppend(self, force) if m is not None: return m self.totalSize = self.totalSize + 1 return None
notifyAppend
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue, force):\n if not force and not self.canAppend():\n self.isWaited = True\n return self._matcher\n if self.parent is not None:\n...
def x(self, queue, blocked): if blocked: if self.prioritySet[-1] == queue.priority: self.prioritySet.pop() else: pindex = bisect_left(self.prioritySet, queue.priority) if pindex < len(self.prioritySet) and self.prioritySet[pindex ] == queue.priority: del self.prioritySet[pindex] elif queue.canPop(): pindex = bisect_left(self.prioritySet, queue.priority) if pindex >= len(self.prioritySet) or self.prioritySet[pindex ] != queue.priority: self.prioritySet.insert(pindex, queue.priority) newblocked = not self.canPop() if newblocked != self.blocked: self.blocked = newblocked if self.parent is not None: self.parent.notifyBlock(self, newblocked)
notifyBlock
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue, blocked):\n if blocked:\n if self.prioritySet[-1] == queue.priority:\n self.prioritySet.pop()\n else:\n pin...
def x(self, queue, length=1): self.totalSize = self.totalSize - length ret1 = [] ret2 = [] if self.isWaited and self.canAppend(): self.isWaited = False ret1.append(QueueCanWriteEvent(self)) if self.isWaitEmpty and not self: self.isWaitEmpty = False ret2.append(QueueIsEmptyEvent(self)) if self.parent is not None: pr = self.parent.notifyPop(self, length) ret1 += pr[0] ret2 += pr[1] newblocked = not self.canPop() if newblocked != self.blocked: self.blocked = newblocked if self.parent is not None: self.parent.notifyBlock(self, newblocked) return ret1, ret2
notifyPop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue, length=1):\n self.totalSize = self.totalSize - length\n ret1 = []\n ret2 = []\n if self.isWaited and self.canAppend():\n self.i...
def x(self): ret = self._pop() if self.parent is not None: pr = self.parent.notifyPop(self) ret[1].extend(pr[0]) ret[2].extend(pr[1]) return ret
pop
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = self._pop()\n if self.parent is not None:\n pr = self.parent.notifyPop(self)\n ret[1].extend(pr[0])\n ret[2].extend(p...
def x(self): if not self.canPop(): raise IndexError('pop from an empty or blocked queue') priority = self.prioritySet[-1] ret = self.queues[priority]._pop() self.outputStat = self.outputStat + 1 self.totalSize = self.totalSize - 1 if self.isWaited and self.canAppend(): self.isWaited = False ret[1].append(QueueCanWriteEvent(self)) if self.isWaitEmpty and not self: self.isWaitEmpty = False ret[2].append(QueueIsEmptyEvent(self)) return ret
pop
[ { "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.canPop():\n raise IndexError('pop from an empty or blocked queue')\n priority = self.prioritySet[-1]\n ret = self.queues[p...
def x(self): l = len(self) ret = self._clear() if self.parent is not None: pr = self.parent.notifyPop(self, l) ret[0].extend(pr[0]) ret[1].extend(pr[1]) return ret
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n l = len(self)\n ret = self._clear()\n if self.parent is not None:\n pr = self.parent.notifyPop(self, l)\n ret[0].extend(pr[0])\...
def x(self): ret = [], [] for q in self.queues.values(): pr = q._clear() ret[0].extend(pr[0]) ret[1].extend(pr[1]) self.totalSize = 0 del self.prioritySet[:] if self.isWaited and self.canAppend(): self.isWaited = False ret[0].append(QueueCanWriteEvent(self)) if self.isWaitEmpty and not self: self.isWaitEmpty = False ret[1].append(QueueIsEmptyEvent(self)) self.blockEvents.clear() return ret
clear
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self):\n ret = [], []\n for q in self.queues.values():\n pr = q._clear()\n ret[0].extend(pr[0])\n ret[1].extend(pr[1])\n self.tot...
def x(self, queue, priority): q = self.queueindex[queue] self.queues[q[0]].removeSubQueue(q[1]) newPriority = self.queues.setdefault(priority, CBQueue.MultiQueue(self, priority)) q[0] = priority newPriority.addSubQueue(q[1])
setPriority
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue, priority):\n q = self.queueindex[queue]\n self.queues[q[0]].removeSubQueue(q[1])\n newPriority = self.queues.setdefault(priority, CBQueue...
def x(self, priority, matcher, name=None, maxdefault=None, maxtotal=None, defaultQueueClass=FifoQueue): if name is not None and name in self.queueindex: raise IndexError("Duplicated sub-queue name '" + str(name) + "'") subtree = self.tree.subtree(matcher, True) newPriority = self.queues.setdefault(priority, CBQueue.MultiQueue(self, priority)) newQueue = CBQueue(subtree, newPriority, maxdefault, maxtotal, defaultQueueClass) newPriority.addSubQueue(newQueue) qi = [priority, newQueue, name] if name is not None: self.queueindex[name] = qi self.queueindex[newQueue] = qi return newQueue
addSubQueue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, priority, matcher, name=None, maxdefault=None, maxtotal=None,\n defaultQueueClass=FifoQueue):\n if name is not None and name in self.queueindex:\n ...
def x(self, queue): q = self.queueindex[queue] q[1].unblockall() q[1]._removeFromTree() ret = [], [] while q[1].canPop(): r = q[1].pop() self.append(r[0], True) ret[0].extend(r[1]) ret[1].extend(r[2]) self.queues[q[0]].removeSubQueue(q[1]) if q[2] is not None: del self.queueindex[q[2]] del self.queueindex[q[1]] newblocked = not self.canPop() if newblocked != self.blocked: self.blocked = newblocked if self.parent is not None: self.parent.notifyBlock(self, newblocked) return ret
removeSubQueue
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, queue):\n q = self.queueindex[queue]\n q[1].unblockall()\n q[1]._removeFromTree()\n ret = [], []\n while q[1].canPop():\n r = q[1]....
def x(walk, *keys): all_retrieved = True for k in keys: try: walk(k) except WalkKeyNotRetrieved: all_retrieved = False return all_retrieved
ensure_keys
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(walk, *keys):\n all_retrieved = True\n for k in keys:\n try:\n walk(k)\n except WalkKeyNotRetrieved:\n all_retrieved ...
def x(root_package='vlcp'): pkg = __import__(root_package, fromlist=['_']) return_dict = OrderedDict() for imp, module, _ in walk_packages(pkg.__path__, root_package + '.'): m = __import__(module, fromlist=['_']) for name, v in vars(m).items(): if v is not None and isinstance(v, type) and issubclass(v, Configurable) and v is not Configurable and hasattr(v, '__dict__' ) and 'configkey' in v.__dict__ and v.__module__ == module: configkey = v.__dict__['configkey'] if configkey not in return_dict: configs = OrderedDict() v2 = v parents = [v2] while True: parent = None for c in v2.__bases__: if issubclass(c, Configurable): parent = c if parent is None or parent is Configurable: break if hasattr(parent, '__dict__' ) and 'configkey' not in parent.__dict__: parents.append(parent) v2 = parent else: break for v2 in reversed(parents): tmp_configs = {} for k, default_value in v2.__dict__.items(): if k.startswith('_default_'): config_attr = k[len('_default_'):] if config_attr in v.__dict__: continue configname = configkey + '.' + config_attr tmp_configs.setdefault(configname, OrderedDict())['default'] = pformat( default_value, width=10) lines, _ = getsourcelines(v2) last_remark = [] for l in lines: l = l.strip() if not l: continue if l.startswith('#'): last_remark.append(l[1:]) else: if l.startswith('_default_'): key, sep, _ = l.partition('=') if sep and key.startswith('_default_'): configname = configkey + '.' + key[len( '_default_'):].strip() if (configname in tmp_configs and configname not in configs): configs[configname] = tmp_configs.pop( configname) if (configname in configs and last_remark): configs[configname]['description' ] = cleandoc('\n' + '\n'.join( last_remark)) del last_remark[:] for key in tmp_configs: if key not in configs: configs[key] = tmp_configs[key] if configs: return_dict[configkey] = OrderedDict((('class', v. __module__ + '.' + name), ('classdescription', getdoc(v)), ('configs', configs))) return return_dict
list_config
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(root_package='vlcp'):\n pkg = __import__(root_package, fromlist=['_'])\n return_dict = OrderedDict()\n for imp, module, _ in walk_packages(pkg.__path_...
def x(container=None): def x(func): @functools.wraps(func) def x(self, event): return _handler(self if container is None else container, event, lambda env: func(self, env)) return handler return decorator
http
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(container=None):\n\n def x(func):\n\n @functools.wraps(func)\n def x(self, event):\n return _handler(self if container is None else...
def x(container=None): def x(func): @functools.wraps(func) def x(event): return _handler(container, event, func) if hasattr(func, '__self__'): handler.__self__ = func.__self__ return handler return decorator
statichttp
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(container=None):\n\n def x(func):\n\n @functools.wraps(func)\n def x(event):\n return _handler(container, event, func)\n if ...
def x(self, status=200, headers=[], clearheaders=True, disabletransferencoding=False): if self._sendHeaders: raise HttpProtocolException( 'Cannot modify response, headers already sent') self.status = status self.disabledeflate = disabletransferencoding if clearheaders: self.sent_headers = headers[:] else: self.sent_headers.extend(headers)
start_response
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, status=200, headers=[], clearheaders=True,\n disabletransferencoding=False):\n if self._sendHeaders:\n raise HttpProtocolException(\n ...
def x(self, key, value, replace=True): if hasattr(key, 'encode'): key = key.encode('ascii') if hasattr(value, 'encode'): value = value.encode(self.encoding) if replace: self.sent_headers = [(k, v) for k, v in self.sent_headers if k. lower() != key.lower()] self.sent_headers.append((key, value))
header
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value, replace=True):\n if hasattr(key, 'encode'):\n key = key.encode('ascii')\n if hasattr(value, 'encode'):\n value = value.en...
def x(self, kv, replace=True): if hasattr(kv, 'encode'): kv = kv.encode(self.encoding) k, v = kv.split(b':', 1) self.header(k, v.strip(), replace)
rawheader
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, kv, replace=True):\n if hasattr(kv, 'encode'):\n kv = kv.encode(self.encoding)\n k, v = kv.split(b':', 1)\n self.header(k, v.strip(), rep...
def x(self, key, value, max_age=None, expires=None, path='/', domain=None, secure=None, httponly=False): newcookie = Morsel() newcookie.key = key newcookie.value = value newcookie.coded_value = value if max_age is not None: newcookie['max-age'] = max_age if expires is not None: newcookie['expires'] = expires if path is not None: newcookie['path'] = path if domain is not None: newcookie['domain'] = domain if secure: newcookie['secure'] = secure if httponly: newcookie['httponly'] = httponly self.sent_cookies = [c for c in self.sent_cookies if c.key != key] self.sent_cookies.append(newcookie)
setcookie
[ { "content": "Given the source code of a python function, suggest a fitting name for the function.", "role": "system" }, { "content": "def x(self, key, value, max_age=None, expires=None, path='/', domain=None,\n secure=None, httponly=False):\n newcookie = Morsel()\n newcookie.key = key\n ...