source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
---|---|---|
def x(self, transport):
randomness = os.urandom(16)
key = base64encode(randomness).decode('utf-8').strip()
self.transport = transport
message = 'GET / HTTP/1.1\r\n'
message += 'Host: ' + self.host + ':' + str(self.port) + '\r\n'
message += 'User-Agent: Python/3.5 websockets/3.4\r\n'
message += 'Upgrade: Websocket\r\n'
message += 'Connection: Upgrade\r\n'
message += 'Sec-WebSocket-Key: ' + key + '\r\n'
message += 'Sec-WebSocket-Version: 13\r\n'
message += '\r\n'
_LOGGER.debug('Websocket handshake: %s', message)
self.transport.write(message.encode())
|
connection_made
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, transport):\n randomness = os.urandom(16)\n key = base64encode(randomness).decode('utf-8').strip()\n self.transport = transport\n message = 'GET / HTTP/1.1\\r\\n'\n message += 'Host: ' + self.host + ':' + str(self.port) + '\\r\\n'\n message += 'User-Agent: Python/3.5 websockets/3.4\\r\\n'\n message += 'Upgrade: Websocket\\r\\n'\n message += 'Connection: Upgrade\\r\\n'\n message += 'Sec-WebSocket-Key: ' + key + '\\r\\n'\n message += 'Sec-WebSocket-Version: 13\\r\\n'\n message += '\\r\\n'\n _LOGGER.debug('Websocket handshake: %s', message)\n self.transport.write(message.encode())\n",
"role": "user"
},
{
"content": "connection_made",
"role": "assistant"
}
] |
def x(self, data):
if self.state == STATE_STARTING:
self.state = STATE_RUNNING
_LOGGER.debug('Websocket handshake: %s', data.decode())
return
_LOGGER.debug('Websocket data: %s', data)
while len(data) > 0:
payload, extra_data = self.get_payload(data)
self._data = payload
self.async_session_handler_callback('data')
data = extra_data
|
data_received
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if self.state == STATE_STARTING:\n self.state = STATE_RUNNING\n _LOGGER.debug('Websocket handshake: %s', data.decode())\n return\n _LOGGER.debug('Websocket data: %s', data)\n while len(data) > 0:\n payload, extra_data = self.get_payload(data)\n self._data = payload\n self.async_session_handler_callback('data')\n data = extra_data\n",
"role": "user"
},
{
"content": "data_received",
"role": "assistant"
}
] |
def x(self, exc):
if self.state == STATE_RUNNING:
_LOGGER.warning('Lost connection to deCONZ')
self.retry()
|
connection_lost
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, exc):\n if self.state == STATE_RUNNING:\n _LOGGER.warning('Lost connection to deCONZ')\n self.retry()\n",
"role": "user"
},
{
"content": "connection_lost",
"role": "assistant"
}
] |
def x(self, data):
start = 2
length = ord(data[1:2])
if length == 126:
start = 4
length, = unpack('>H', data[2:4])
elif length == 127:
start = 8
length, = unpack('>I', data[2:6])
end = start + length
payload = json.loads(data[start:end].decode())
extra_data = data[end:]
return payload, extra_data
|
get_payload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n start = 2\n length = ord(data[1:2])\n if length == 126:\n start = 4\n length, = unpack('>H', data[2:4])\n elif length == 127:\n start = 8\n length, = unpack('>I', data[2:6])\n end = start + length\n payload = json.loads(data[start:end].decode())\n extra_data = data[end:]\n return payload, extra_data\n",
"role": "user"
},
{
"content": "get_payload",
"role": "assistant"
}
] |
def x(max_room_event_age):
recently_used = db.session.query(VCRoom.id).filter(VCRoom.type ==
'vidyo', Event.end_dt > now_utc() - timedelta(days=max_room_event_age)
).join(VCRoom.events).join(VCRoomEventAssociation.event).group_by(
VCRoom.id)
return VCRoom.find_all(VCRoom.status != VCRoomStatus.deleted, ~VCRoom.
id.in_(recently_used))
|
find_old_vidyo_rooms
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(max_room_event_age):\n recently_used = db.session.query(VCRoom.id).filter(VCRoom.type ==\n 'vidyo', Event.end_dt > now_utc() - timedelta(days=max_room_event_age)\n ).join(VCRoom.events).join(VCRoomEventAssociation.event).group_by(\n VCRoom.id)\n return VCRoom.find_all(VCRoom.status != VCRoomStatus.deleted, ~VCRoom.\n id.in_(recently_used))\n",
"role": "user"
},
{
"content": "find_old_vidyo_rooms",
"role": "assistant"
}
] |
def x(plugin, vc_room):
user = vc_room.vidyo_extension.owned_by_user
tpl = get_plugin_template_module('emails/remote_deleted.html', plugin=
plugin, vc_room=vc_room, event=None, vc_room_event=None, user=user)
_send('delete', user, plugin, None, vc_room, tpl)
|
notify_owner
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(plugin, vc_room):\n user = vc_room.vidyo_extension.owned_by_user\n tpl = get_plugin_template_module('emails/remote_deleted.html', plugin=\n plugin, vc_room=vc_room, event=None, vc_room_event=None, user=user)\n _send('delete', user, plugin, None, vc_room, tpl)\n",
"role": "user"
},
{
"content": "notify_owner",
"role": "assistant"
}
] |
def x(profiles, advance_access):
for profile in profiles:
try:
config = Config(profile, advance_access=advance_access)
url = config.api_endpoint
token = config.auth_token
proxies = config.proxies
aa = config.advance_access
return url, token, proxies, aa
except Exception:
pass
return None, None, None, None
|
config_vars
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(profiles, advance_access):\n for profile in profiles:\n try:\n config = Config(profile, advance_access=advance_access)\n url = config.api_endpoint\n token = config.auth_token\n proxies = config.proxies\n aa = config.advance_access\n return url, token, proxies, aa\n except Exception:\n pass\n return None, None, None, None\n",
"role": "user"
},
{
"content": "config_vars",
"role": "assistant"
}
] |
def x(self, request, **kwargs):
if len(request.url) > self.MAX_URL_LENGTH:
raise URITooLong(message=
'Request url too large, likely too many query parameters provided.'
)
return super(RequestSession, self).send(request, **kwargs)
|
send
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, request, **kwargs):\n if len(request.url) > self.MAX_URL_LENGTH:\n raise URITooLong(message=\n 'Request url too large, likely too many query parameters provided.'\n )\n return super(RequestSession, self).send(request, **kwargs)\n",
"role": "user"
},
{
"content": "send",
"role": "assistant"
}
] |
def x(template_name, **context):
from indico_search.plugin import SearchPlugin
assert current_plugin == SearchPlugin.instance
templates = '{}:{}'.format(SearchPlugin.instance.engine_plugin.name,
template_name), template_name
return render_plugin_template(templates, **context)
|
render_engine_or_search_template
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(template_name, **context):\n from indico_search.plugin import SearchPlugin\n assert current_plugin == SearchPlugin.instance\n templates = '{}:{}'.format(SearchPlugin.instance.engine_plugin.name,\n template_name), template_name\n return render_plugin_template(templates, **context)\n",
"role": "user"
},
{
"content": "render_engine_or_search_template",
"role": "assistant"
}
] |
def x(user):
from indico_vc_vidyo.plugin import VidyoPlugin
providers = authenticators_re.split(VidyoPlugin.settings.get(
'authenticators'))
done = set()
for provider in providers:
for _, identifier in user.iter_identifiers(check_providers=True,
providers={provider}):
if identifier in done:
continue
done.add(identifier)
yield identifier
|
iter_user_identities
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(user):\n from indico_vc_vidyo.plugin import VidyoPlugin\n providers = authenticators_re.split(VidyoPlugin.settings.get(\n 'authenticators'))\n done = set()\n for provider in providers:\n for _, identifier in user.iter_identifiers(check_providers=True,\n providers={provider}):\n if identifier in done:\n continue\n done.add(identifier)\n yield identifier\n",
"role": "user"
},
{
"content": "iter_user_identities",
"role": "assistant"
}
] |
def x(settings, identifier):
providers = list(auth.strip() for auth in settings.get('authenticators'
).split(','))
identities = Identity.find_all(Identity.provider.in_(providers),
Identity.identifier == identifier)
if identities:
return sorted(identities, key=lambda x: providers.index(x.provider))[0
].user
for provider in providers:
try:
identity_info = multipass.get_identity(provider, identifier)
except IdentityRetrievalFailed:
continue
if identity_info is None:
continue
if not identity_info.provider.settings.get('trusted_email'):
continue
emails = {email.lower() for email in identity_info.data.getlist(
'email') if email}
if not emails:
continue
user = User.find_first(~User.is_deleted, User.all_emails.in_(list(
emails)))
if user:
return user
|
get_user_from_identifier
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings, identifier):\n providers = list(auth.strip() for auth in settings.get('authenticators'\n ).split(','))\n identities = Identity.find_all(Identity.provider.in_(providers), \n Identity.identifier == identifier)\n if identities:\n return sorted(identities, key=lambda x: providers.index(x.provider))[0\n ].user\n for provider in providers:\n try:\n identity_info = multipass.get_identity(provider, identifier)\n except IdentityRetrievalFailed:\n continue\n if identity_info is None:\n continue\n if not identity_info.provider.settings.get('trusted_email'):\n continue\n emails = {email.lower() for email in identity_info.data.getlist(\n 'email') if email}\n if not emails:\n continue\n user = User.find_first(~User.is_deleted, User.all_emails.in_(list(\n emails)))\n if user:\n return user\n",
"role": "user"
},
{
"content": "get_user_from_identifier",
"role": "assistant"
}
] |
def x(prefix, event_id):
extension = '{prefix}{event_id}'.format(prefix=prefix, event_id=event_id)
yield extension
suffix = 1
while True:
yield '{extension}{suffix}'.format(extension=extension, suffix=suffix)
suffix += 1
|
iter_extensions
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(prefix, event_id):\n extension = '{prefix}{event_id}'.format(prefix=prefix, event_id=event_id)\n yield extension\n suffix = 1\n while True:\n yield '{extension}{suffix}'.format(extension=extension, suffix=suffix)\n suffix += 1\n",
"role": "user"
},
{
"content": "iter_extensions",
"role": "assistant"
}
] |
def x(settings, vc_room, room_obj):
vc_room.name = room_obj.name
if room_obj.ownerName != vc_room.data['owner_identity']:
owner = get_user_from_identifier(settings, room_obj.ownerName
) or User.get_system_user()
vc_room.vidyo_extension.owned_by_user = owner
vc_room.data.update({'description': room_obj.description, 'vidyo_id':
unicode(room_obj.roomID), 'url': room_obj.RoomMode.roomURL,
'owner_identity': room_obj.ownerName, 'room_pin': room_obj.RoomMode
.roomPIN if room_obj.RoomMode.hasPIN else '', 'moderation_pin':
room_obj.RoomMode.moderatorPIN if room_obj.RoomMode.hasModeratorPIN
else ''})
vc_room.vidyo_extension.extension = int(room_obj.extension)
|
update_room_from_obj
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(settings, vc_room, room_obj):\n vc_room.name = room_obj.name\n if room_obj.ownerName != vc_room.data['owner_identity']:\n owner = get_user_from_identifier(settings, room_obj.ownerName\n ) or User.get_system_user()\n vc_room.vidyo_extension.owned_by_user = owner\n vc_room.data.update({'description': room_obj.description, 'vidyo_id':\n unicode(room_obj.roomID), 'url': room_obj.RoomMode.roomURL,\n 'owner_identity': room_obj.ownerName, 'room_pin': room_obj.RoomMode\n .roomPIN if room_obj.RoomMode.hasPIN else '', 'moderation_pin': \n room_obj.RoomMode.moderatorPIN if room_obj.RoomMode.hasModeratorPIN\n else ''})\n vc_room.vidyo_extension.extension = int(room_obj.extension)\n",
"role": "user"
},
{
"content": "update_room_from_obj",
"role": "assistant"
}
] |
def x(cls, api=None, **kwargs):
api = api if api else cls._API
extra = {'resource': cls.__name__, 'query': {}}
logger.info('Getting resources', extra=extra)
endpoints = api.get(url=cls._URL['get']).json()
return Endpoints(api=api, **endpoints)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, api=None, **kwargs):\n api = api if api else cls._API\n extra = {'resource': cls.__name__, 'query': {}}\n logger.info('Getting resources', extra=extra)\n endpoints = api.get(url=cls._URL['get']).json()\n return Endpoints(api=api, **endpoints)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(*args):
items = []
for parser in args:
for element in parser(*items):
if element is None:
yield None
else:
items.append(element)
break
yield tuple(items)
|
parse_chain
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(*args):\n items = []\n for parser in args:\n for element in parser(*items):\n if element is None:\n yield None\n else:\n items.append(element)\n break\n yield tuple(items)\n",
"role": "user"
},
{
"content": "parse_chain",
"role": "assistant"
}
] |
def x(ipstr):
if not isinstance(ipstr, basestring):
raise ValueError('given ip address is not a string')
parts = ipstr.split('.')
if len(parts) != 4:
raise ValueError('given ip address has an invalid number of dots')
parts = [int(x) for x in parts]
return int_seq_to_bytes(parts)
|
pack_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ipstr):\n if not isinstance(ipstr, basestring):\n raise ValueError('given ip address is not a string')\n parts = ipstr.split('.')\n if len(parts) != 4:\n raise ValueError('given ip address has an invalid number of dots')\n parts = [int(x) for x in parts]\n return int_seq_to_bytes(parts)\n",
"role": "user"
},
{
"content": "pack_ip",
"role": "assistant"
}
] |
def x(fourbytes):
if not isinstance(fourbytes, bytes):
raise ValueError('given buffer is not a string')
if len(fourbytes) != 4:
raise ValueError('given buffer is not exactly four bytes long')
return '.'.join([str(x) for x in bytes_to_int_seq(fourbytes)])
|
unpack_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(fourbytes):\n if not isinstance(fourbytes, bytes):\n raise ValueError('given buffer is not a string')\n if len(fourbytes) != 4:\n raise ValueError('given buffer is not exactly four bytes long')\n return '.'.join([str(x) for x in bytes_to_int_seq(fourbytes)])\n",
"role": "user"
},
{
"content": "unpack_ip",
"role": "assistant"
}
] |
def x(macstr):
if not isinstance(macstr, basestring):
raise ValueError('given mac addresses is not a string')
parts = macstr.split(':')
if len(parts) != 6:
raise ValueError('given mac addresses has an invalid number of colons')
parts = [int(part, 16) for part in parts]
return int_seq_to_bytes(parts)
|
pack_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(macstr):\n if not isinstance(macstr, basestring):\n raise ValueError('given mac addresses is not a string')\n parts = macstr.split(':')\n if len(parts) != 6:\n raise ValueError('given mac addresses has an invalid number of colons')\n parts = [int(part, 16) for part in parts]\n return int_seq_to_bytes(parts)\n",
"role": "user"
},
{
"content": "pack_mac",
"role": "assistant"
}
] |
def x(sixbytes):
if not isinstance(sixbytes, bytes):
raise ValueError('given buffer is not a string')
if len(sixbytes) != 6:
raise ValueError('given buffer is not exactly six bytes long')
return ':'.join(['%2.2x'.__mod__(x) for x in bytes_to_int_seq(sixbytes)])
|
unpack_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(sixbytes):\n if not isinstance(sixbytes, bytes):\n raise ValueError('given buffer is not a string')\n if len(sixbytes) != 6:\n raise ValueError('given buffer is not exactly six bytes long')\n return ':'.join(['%2.2x'.__mod__(x) for x in bytes_to_int_seq(sixbytes)])\n",
"role": "user"
},
{
"content": "unpack_mac",
"role": "assistant"
}
] |
def x(self, data):
if len(self) + len(data) > self.sizelimit:
raise OmapiSizeLimitError()
self.buff.write(data)
return self
|
add
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n if len(self) + len(data) > self.sizelimit:\n raise OmapiSizeLimitError()\n self.buff.write(data)\n return self\n",
"role": "user"
},
{
"content": "add",
"role": "assistant"
}
] |
def x(self, string):
if len(string) >= 1 << 32:
raise ValueError('string too long')
return self.add_net32int(len(string)).add(string)
|
add_net32string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n if len(string) >= 1 << 32:\n raise ValueError('string too long')\n return self.add_net32int(len(string)).add(string)\n",
"role": "user"
},
{
"content": "add_net32string",
"role": "assistant"
}
] |
def x(self, string):
if len(string) >= 1 << 16:
raise ValueError('string too long')
return self.add_net16int(len(string)).add(string)
|
add_net16string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, string):\n if len(string) >= 1 << 16:\n raise ValueError('string too long')\n return self.add_net16int(len(string)).add(string)\n",
"role": "user"
},
{
"content": "add_net16string",
"role": "assistant"
}
] |
def x(self, items):
if not isinstance(items, list):
items = items.items()
for key, value in items:
self.add_net16string(key).add_net32string(value)
return self.add(b'\x00\x00')
|
add_bindict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, items):\n if not isinstance(items, list):\n items = items.items()\n for key, value in items:\n self.add_net16string(key).add_net32string(value)\n return self.add(b'\\x00\\x00')\n",
"role": "user"
},
{
"content": "add_bindict",
"role": "assistant"
}
] |
def x(self, length):
self.buff = io.BytesIO(self.getvalue()[length:])
return self
|
consume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, length):\n self.buff = io.BytesIO(self.getvalue()[length:])\n return self\n",
"role": "user"
},
{
"content": "consume",
"role": "assistant"
}
] |
def x(self):
if self.implemented_protocol_version != self.protocol_version:
raise OmapiError('protocol mismatch')
if self.implemented_header_size != self.header_size:
raise OmapiError('header size mismatch')
|
validate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if self.implemented_protocol_version != self.protocol_version:\n raise OmapiError('protocol mismatch')\n if self.implemented_header_size != self.header_size:\n raise OmapiError('header size mismatch')\n",
"role": "user"
},
{
"content": "validate",
"role": "assistant"
}
] |
def x(self, outbuffer):
outbuffer.add_net32int(self.protocol_version)
outbuffer.add_net32int(self.header_size)
|
serialize
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, outbuffer):\n outbuffer.add_net32int(self.protocol_version)\n outbuffer.add_net32int(self.header_size)\n",
"role": "user"
},
{
"content": "serialize",
"role": "assistant"
}
] |
def x(self, message):
return hmac.HMAC(self.key, message, digestmod=hashlib.md5).digest()
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message):\n return hmac.HMAC(self.key, message, digestmod=hashlib.md5).digest()\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, forsigning=False):
ret = OutBuffer()
self.serialize(ret, forsigning)
return ret.getvalue()
|
as_string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, forsigning=False):\n ret = OutBuffer()\n self.serialize(ret, forsigning)\n return ret.getvalue()\n",
"role": "user"
},
{
"content": "as_string",
"role": "assistant"
}
] |
def x(self, authenticator):
self.authid = authenticator.authid
self.signature = b'\x00' * authenticator.authlen
self.signature = authenticator.sign(self.as_string(forsigning=True))
assert len(self.signature) == authenticator.authlen
|
sign
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, authenticator):\n self.authid = authenticator.authid\n self.signature = b'\\x00' * authenticator.authlen\n self.signature = authenticator.sign(self.as_string(forsigning=True))\n assert len(self.signature) == authenticator.authlen\n",
"role": "user"
},
{
"content": "sign",
"role": "assistant"
}
] |
def x(self, authenticators):
try:
return authenticators[self.authid].sign(self.as_string(forsigning=True)
) == self.signature
except KeyError:
return False
|
verify
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, authenticators):\n try:\n return authenticators[self.authid].sign(self.as_string(forsigning=True)\n ) == self.signature\n except KeyError:\n return False\n",
"role": "user"
},
{
"content": "verify",
"role": "assistant"
}
] |
def x(cls, typename):
return cls(opcode=OMAPI_OP_OPEN, message=[(b'type', typename)], tid=-1)
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, typename):\n return cls(opcode=OMAPI_OP_OPEN, message=[(b'type', typename)], tid=-1)\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self):
return parse_map(operator.itemgetter(1), parse_chain(self.
parse_net16int, self.parse_fixedbuffer))
|
parse_net16string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return parse_map(operator.itemgetter(1), parse_chain(self.\n parse_net16int, self.parse_fixedbuffer))\n",
"role": "user"
},
{
"content": "parse_net16string",
"role": "assistant"
}
] |
def x(self):
return parse_map(operator.itemgetter(1), parse_chain(self.
parse_net32int, self.parse_fixedbuffer))
|
parse_net32string
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return parse_map(operator.itemgetter(1), parse_chain(self.\n parse_net32int, self.parse_fixedbuffer))\n",
"role": "user"
},
{
"content": "parse_net32string",
"role": "assistant"
}
] |
def x(self):
entries = []
try:
while True:
for key in self.parse_net16string():
if key is None:
yield None
elif not key:
raise StopIteration()
else:
for value in self.parse_net32string():
if value is None:
yield None
else:
entries.append((key, value))
break
break
except StopIteration:
yield entries
|
parse_bindict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n entries = []\n try:\n while True:\n for key in self.parse_net16string():\n if key is None:\n yield None\n elif not key:\n raise StopIteration()\n else:\n for value in self.parse_net32string():\n if value is None:\n yield None\n else:\n entries.append((key, value))\n break\n break\n except StopIteration:\n yield entries\n",
"role": "user"
},
{
"content": "parse_bindict",
"role": "assistant"
}
] |
def x(self):
return parse_map(lambda args: OmapiStartupMessage(*args), parse_chain(
self.parse_net32int, lambda _: self.parse_net32int()))
|
parse_startup_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return parse_map(lambda args: OmapiStartupMessage(*args), parse_chain(\n self.parse_net32int, lambda _: self.parse_net32int()))\n",
"role": "user"
},
{
"content": "parse_startup_message",
"role": "assistant"
}
] |
def x(self):
parser = parse_chain(self.parse_net32int, lambda *_: self.
parse_net32int(), lambda *_: self.parse_net32int(), lambda *_: self
.parse_net32int(), lambda *_: self.parse_net32int(), lambda *_:
self.parse_net32int(), lambda *_: self.parse_bindict(), lambda *_:
self.parse_bindict(), lambda *args: self.parse_fixedbuffer(args[1]))
return parse_map(lambda args: OmapiMessage(*(args[0:1] + args[2:])), parser
)
|
parse_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n parser = parse_chain(self.parse_net32int, lambda *_: self.\n parse_net32int(), lambda *_: self.parse_net32int(), lambda *_: self\n .parse_net32int(), lambda *_: self.parse_net32int(), lambda *_:\n self.parse_net32int(), lambda *_: self.parse_bindict(), lambda *_:\n self.parse_bindict(), lambda *args: self.parse_fixedbuffer(args[1]))\n return parse_map(lambda args: OmapiMessage(*(args[0:1] + args[2:])), parser\n )\n",
"role": "user"
},
{
"content": "parse_message",
"role": "assistant"
}
] |
def x(self):
if not self.connection:
raise OmapiError('not connected')
try:
data = self.connection.recv(2048)
except socket.error:
self.close()
raise
if not data:
self.close()
raise OmapiError('connection closed')
try:
self.protocol.data_received(data)
except OmapiSizeLimitError:
self.close()
raise
|
fill_inbuffer
|
[
{
"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.connection:\n raise OmapiError('not connected')\n try:\n data = self.connection.recv(2048)\n except socket.error:\n self.close()\n raise\n if not data:\n self.close()\n raise OmapiError('connection closed')\n try:\n self.protocol.data_received(data)\n except OmapiSizeLimitError:\n self.close()\n raise\n",
"role": "user"
},
{
"content": "fill_inbuffer",
"role": "assistant"
}
] |
def x(self, data):
try:
self.connection.sendall(data)
except socket.error:
self.close()
raise
|
write
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n try:\n self.connection.sendall(data)\n except socket.error:\n self.close()\n raise\n",
"role": "user"
},
{
"content": "write",
"role": "assistant"
}
] |
def x(self, message, sign=True):
if sign:
message.sign(self.authenticators[self.defauth])
logger.debug('sending %s', LazyStr(message.dump_oneline))
self.transport.write(message.as_string())
|
send_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, sign=True):\n if sign:\n message.sign(self.authenticators[self.defauth])\n logger.debug('sending %s', LazyStr(message.dump_oneline))\n self.transport.write(message.as_string())\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self):
while not self.recv_message_queue:
self.transport.fill_inbuffer()
message = self.recv_message_queue.pop(0)
assert message is not None
if not message.verify(self.protocol.authenticators):
self.close()
raise OmapiError('bad omapi message signature')
return message
|
receive_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n while not self.recv_message_queue:\n self.transport.fill_inbuffer()\n message = self.recv_message_queue.pop(0)\n assert message is not None\n if not message.verify(self.protocol.authenticators):\n self.close()\n raise OmapiError('bad omapi message signature')\n return message\n",
"role": "user"
},
{
"content": "receive_message",
"role": "assistant"
}
] |
def x(self, message, insecure=False):
response = self.receive_message()
if not response.is_response(message):
raise OmapiError('received message is not the desired response')
if response.authid != self.protocol.defauth and not insecure:
raise OmapiError('received message is signed with wrong authenticator')
return response
|
receive_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, insecure=False):\n response = self.receive_message()\n if not response.is_response(message):\n raise OmapiError('received message is not the desired response')\n if response.authid != self.protocol.defauth and not insecure:\n raise OmapiError('received message is signed with wrong authenticator')\n return response\n",
"role": "user"
},
{
"content": "receive_response",
"role": "assistant"
}
] |
def x(self, message, sign=True):
self.check_connected()
self.protocol.send_message(message, sign)
|
send_message
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, message, sign=True):\n self.check_connected()\n self.protocol.send_message(message, sign)\n",
"role": "user"
},
{
"content": "send_message",
"role": "assistant"
}
] |
def x(self, mac):
res = self.lookup_by_host(mac=mac)
try:
return res['ip-address']
except KeyError:
raise OmapiErrorAttributeNotFound()
|
lookup_ip_host
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mac):\n res = self.lookup_by_host(mac=mac)\n try:\n return res['ip-address']\n except KeyError:\n raise OmapiErrorAttributeNotFound()\n",
"role": "user"
},
{
"content": "lookup_ip_host",
"role": "assistant"
}
] |
def x(self, mac):
res = self.lookup_by_lease(mac=mac)
try:
return res['ip-address']
except KeyError:
raise OmapiErrorAttributeNotFound()
|
lookup_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mac):\n res = self.lookup_by_lease(mac=mac)\n try:\n return res['ip-address']\n except KeyError:\n raise OmapiErrorAttributeNotFound()\n",
"role": "user"
},
{
"content": "lookup_ip",
"role": "assistant"
}
] |
def x(self, ip):
res = self.lookup_by_lease(ip=ip)
try:
return res['hardware-address']
except KeyError:
raise OmapiErrorAttributeNotFound()
|
lookup_mac
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip):\n res = self.lookup_by_lease(ip=ip)\n try:\n return res['hardware-address']\n except KeyError:\n raise OmapiErrorAttributeNotFound()\n",
"role": "user"
},
{
"content": "lookup_mac",
"role": "assistant"
}
] |
def x(self, name):
res = self.lookup_by_host(name=name)
try:
return dict(ip=res['ip-address'], mac=res['hardware-address'],
hostname=res['name'].decode('utf-8'))
except KeyError:
raise OmapiErrorAttributeNotFound()
|
lookup_host
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name):\n res = self.lookup_by_host(name=name)\n try:\n return dict(ip=res['ip-address'], mac=res['hardware-address'],\n hostname=res['name'].decode('utf-8'))\n except KeyError:\n raise OmapiErrorAttributeNotFound()\n",
"role": "user"
},
{
"content": "lookup_host",
"role": "assistant"
}
] |
def x(self, mac):
res = self.lookup_by_host(mac=mac)
try:
return dict(ip=res['ip-address'], mac=res['hardware-address'], name
=res['name'].decode('utf-8'))
except KeyError:
raise OmapiErrorAttributeNotFound()
|
lookup_host_host
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mac):\n res = self.lookup_by_host(mac=mac)\n try:\n return dict(ip=res['ip-address'], mac=res['hardware-address'], name\n =res['name'].decode('utf-8'))\n except KeyError:\n raise OmapiErrorAttributeNotFound()\n",
"role": "user"
},
{
"content": "lookup_host_host",
"role": "assistant"
}
] |
def x(self, ip):
res = self.lookup_by_lease(ip=ip)
if 'client-hostname' not in res:
raise OmapiErrorAttributeNotFound()
return res['client-hostname'].decode('utf-8')
|
lookup_hostname
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip):\n res = self.lookup_by_lease(ip=ip)\n if 'client-hostname' not in res:\n raise OmapiErrorAttributeNotFound()\n return res['client-hostname'].decode('utf-8')\n",
"role": "user"
},
{
"content": "lookup_hostname",
"role": "assistant"
}
] |
def x(self, ltype, **kwargs):
ltype_utf = ltype.encode('utf-8')
assert ltype_utf in [b'host', b'lease']
msg = OmapiMessage.open(ltype_utf)
for k in kwargs:
if k == 'raw':
continue
_k = k.replace('_', '-')
if _k in ['ip', 'ip-address']:
msg.obj.append((b'ip-address', pack_ip(kwargs[k])))
elif _k in ['mac', 'hardware-address']:
msg.obj.append((b'hardware-address', pack_mac(kwargs[k])))
msg.obj.append((b'hardware-type', struct.pack('!I', 1)))
elif _k == 'name':
msg.obj.append((b'name', kwargs[k].encode('utf-8')))
else:
msg.obj.append((str(k).encode(), kwargs[k].encode('utf-8')))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiErrorNotFound()
if 'raw' in kwargs and kwargs['raw']:
return dict(response.obj)
res = dict()
for k, v in dict(response.obj).items():
_k = k.decode('utf-8')
try:
if _k == 'ip-address':
v = unpack_ip(v)
elif _k in ['hardware-address']:
v = unpack_mac(v)
elif _k in ['starts', 'ends', 'tstp', 'tsfp', 'atsfp', 'cltt',
'subnet', 'pool', 'state', 'hardware-type']:
v = struct.unpack('>I', v)[0]
elif _k in ['flags']:
v = struct.unpack('>I', v)[0]
except struct.error:
pass
res[_k] = v
return res
|
lookup
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ltype, **kwargs):\n ltype_utf = ltype.encode('utf-8')\n assert ltype_utf in [b'host', b'lease']\n msg = OmapiMessage.open(ltype_utf)\n for k in kwargs:\n if k == 'raw':\n continue\n _k = k.replace('_', '-')\n if _k in ['ip', 'ip-address']:\n msg.obj.append((b'ip-address', pack_ip(kwargs[k])))\n elif _k in ['mac', 'hardware-address']:\n msg.obj.append((b'hardware-address', pack_mac(kwargs[k])))\n msg.obj.append((b'hardware-type', struct.pack('!I', 1)))\n elif _k == 'name':\n msg.obj.append((b'name', kwargs[k].encode('utf-8')))\n else:\n msg.obj.append((str(k).encode(), kwargs[k].encode('utf-8')))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiErrorNotFound()\n if 'raw' in kwargs and kwargs['raw']:\n return dict(response.obj)\n res = dict()\n for k, v in dict(response.obj).items():\n _k = k.decode('utf-8')\n try:\n if _k == 'ip-address':\n v = unpack_ip(v)\n elif _k in ['hardware-address']:\n v = unpack_mac(v)\n elif _k in ['starts', 'ends', 'tstp', 'tsfp', 'atsfp', 'cltt',\n 'subnet', 'pool', 'state', 'hardware-type']:\n v = struct.unpack('>I', v)[0]\n elif _k in ['flags']:\n v = struct.unpack('>I', v)[0]\n except struct.error:\n pass\n res[_k] = v\n return res\n",
"role": "user"
},
{
"content": "lookup",
"role": "assistant"
}
] |
def x(self, ip, mac):
msg = OmapiMessage.open(b'host')
msg.message.append((b'create', struct.pack('!I', 1)))
msg.message.append((b'exclusive', struct.pack('!I', 1)))
msg.obj.append((b'hardware-address', pack_mac(mac)))
msg.obj.append((b'hardware-type', struct.pack('!I', 1)))
msg.obj.append((b'ip-address', pack_ip(ip)))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiError('add failed')
|
add_host
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, mac):\n msg = OmapiMessage.open(b'host')\n msg.message.append((b'create', struct.pack('!I', 1)))\n msg.message.append((b'exclusive', struct.pack('!I', 1)))\n msg.obj.append((b'hardware-address', pack_mac(mac)))\n msg.obj.append((b'hardware-type', struct.pack('!I', 1)))\n msg.obj.append((b'ip-address', pack_ip(ip)))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('add failed')\n",
"role": "user"
},
{
"content": "add_host",
"role": "assistant"
}
] |
def x(self, ip, mac, name):
msg = OmapiMessage.open(b'host')
msg.message.append((b'create', struct.pack('!I', 1)))
msg.message.append((b'exclusive', struct.pack('!I', 1)))
msg.obj.append((b'hardware-address', pack_mac(mac)))
msg.obj.append((b'hardware-type', struct.pack('!I', 1)))
msg.obj.append((b'ip-address', pack_ip(ip)))
msg.obj.append((b'name', name.encode('utf-8')))
msg.obj.append((b'statements', 'supersede host-name "{0}";'.format(name
).encode('utf-8')))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiError('add failed')
|
add_host_supersede_name
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, mac, name):\n msg = OmapiMessage.open(b'host')\n msg.message.append((b'create', struct.pack('!I', 1)))\n msg.message.append((b'exclusive', struct.pack('!I', 1)))\n msg.obj.append((b'hardware-address', pack_mac(mac)))\n msg.obj.append((b'hardware-type', struct.pack('!I', 1)))\n msg.obj.append((b'ip-address', pack_ip(ip)))\n msg.obj.append((b'name', name.encode('utf-8')))\n msg.obj.append((b'statements', 'supersede host-name \"{0}\";'.format(name\n ).encode('utf-8')))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('add failed')\n",
"role": "user"
},
{
"content": "add_host_supersede_name",
"role": "assistant"
}
] |
def x(self, ip, mac, name, hostname=None, router=None, domain=None):
stmts = []
msg = OmapiMessage.open(b'host')
msg.message.append((b'create', struct.pack('!I', 1)))
msg.obj.append((b'name', name))
msg.obj.append((b'hardware-address', pack_mac(mac)))
msg.obj.append((b'hardware-type', struct.pack('!I', 1)))
msg.obj.append((b'ip-address', pack_ip(ip)))
if hostname:
stmts.append('supersede host-name "{0}";\n '.format(hostname))
if router:
stmts.append('supersede routers {0};\n '.format(router))
if domain:
stmts.append('supersede domain-name "{0}";'.format(domain))
if stmts:
encoded_stmts = ''.join(stmts).encode('utf-8')
msg.obj.append((b'statements', encoded_stmts))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiError('add failed')
|
add_host_supersede
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, mac, name, hostname=None, router=None, domain=None):\n stmts = []\n msg = OmapiMessage.open(b'host')\n msg.message.append((b'create', struct.pack('!I', 1)))\n msg.obj.append((b'name', name))\n msg.obj.append((b'hardware-address', pack_mac(mac)))\n msg.obj.append((b'hardware-type', struct.pack('!I', 1)))\n msg.obj.append((b'ip-address', pack_ip(ip)))\n if hostname:\n stmts.append('supersede host-name \"{0}\";\\n '.format(hostname))\n if router:\n stmts.append('supersede routers {0};\\n '.format(router))\n if domain:\n stmts.append('supersede domain-name \"{0}\";'.format(domain))\n if stmts:\n encoded_stmts = ''.join(stmts).encode('utf-8')\n msg.obj.append((b'statements', encoded_stmts))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('add failed')\n",
"role": "user"
},
{
"content": "add_host_supersede",
"role": "assistant"
}
] |
def x(self, mac):
msg = OmapiMessage.open(b'host')
msg.obj.append((b'hardware-address', pack_mac(mac)))
msg.obj.append((b'hardware-type', struct.pack('!I', 1)))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiErrorNotFound()
if response.handle == 0:
raise OmapiError('received invalid handle from server')
response = self.query_server(OmapiMessage.delete(response.handle))
if response.opcode != OMAPI_OP_STATUS:
raise OmapiError('delete failed')
|
del_host
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, mac):\n msg = OmapiMessage.open(b'host')\n msg.obj.append((b'hardware-address', pack_mac(mac)))\n msg.obj.append((b'hardware-type', struct.pack('!I', 1)))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiErrorNotFound()\n if response.handle == 0:\n raise OmapiError('received invalid handle from server')\n response = self.query_server(OmapiMessage.delete(response.handle))\n if response.opcode != OMAPI_OP_STATUS:\n raise OmapiError('delete failed')\n",
"role": "user"
},
{
"content": "del_host",
"role": "assistant"
}
] |
def x(self, groupname, statements):
msg = OmapiMessage.open(b'group')
msg.message.append(('create', struct.pack('!I', 1)))
msg.obj.append(('name', groupname))
msg.obj.append(('statements', statements))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiError('add group failed')
|
add_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, groupname, statements):\n msg = OmapiMessage.open(b'group')\n msg.message.append(('create', struct.pack('!I', 1)))\n msg.obj.append(('name', groupname))\n msg.obj.append(('statements', statements))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('add group failed')\n",
"role": "user"
},
{
"content": "add_group",
"role": "assistant"
}
] |
def x(self, ip, mac, groupname):
msg = OmapiMessage.open(b'host')
msg.message.append(('create', struct.pack('!I', 1)))
msg.message.append(('exclusive', struct.pack('!I', 1)))
msg.obj.append(('hardware-address', pack_mac(mac)))
msg.obj.append(('hardware-type', struct.pack('!I', 1)))
msg.obj.append(('ip-address', pack_ip(ip)))
msg.obj.append(('group', groupname))
response = self.query_server(msg)
if response.opcode != OMAPI_OP_UPDATE:
raise OmapiError('add failed')
|
add_host_with_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip, mac, groupname):\n msg = OmapiMessage.open(b'host')\n msg.message.append(('create', struct.pack('!I', 1)))\n msg.message.append(('exclusive', struct.pack('!I', 1)))\n msg.obj.append(('hardware-address', pack_mac(mac)))\n msg.obj.append(('hardware-type', struct.pack('!I', 1)))\n msg.obj.append(('ip-address', pack_ip(ip)))\n msg.obj.append(('group', groupname))\n response = self.query_server(msg)\n if response.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('add failed')\n",
"role": "user"
},
{
"content": "add_host_with_group",
"role": "assistant"
}
] |
def x(self, name, group):
m1 = OmapiMessage.open(b'host')
m1.update_object(dict(name=name))
r1 = self.query_server(m1)
if r1.opcode != OMAPI_OP_UPDATE:
raise OmapiError('opening host %s failed' % name)
m2 = OmapiMessage.update(r1.handle)
m2.update_object(dict(group=group))
r2 = self.query_server(m2)
if r2.opcode != OMAPI_OP_UPDATE:
raise OmapiError('changing group of host %s to %s failed' % (name,
group))
|
change_group
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, group):\n m1 = OmapiMessage.open(b'host')\n m1.update_object(dict(name=name))\n r1 = self.query_server(m1)\n if r1.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('opening host %s failed' % name)\n m2 = OmapiMessage.update(r1.handle)\n m2.update_object(dict(group=group))\n r2 = self.query_server(m2)\n if r2.opcode != OMAPI_OP_UPDATE:\n raise OmapiError('changing group of host %s to %s failed' % (name,\n group))\n",
"role": "user"
},
{
"content": "change_group",
"role": "assistant"
}
] |
def x(cls, **kwargs):
from sevenbridges.models.link import Link
from sevenbridges.meta.collection import Collection
api = kwargs.pop('api', cls._API)
url = kwargs.pop('url')
extra = {'resource': cls.__name__, 'query': kwargs}
logger.info('Querying {} resource'.format(cls), extra=extra)
response = api.get(url=url, params=kwargs)
data = response.json()
total = response.headers['x-total-matching-query']
items = [cls(api=api, **item) for item in data['items']]
links = [Link(**link) for link in data['links']]
href = data['href']
return Collection(resource=cls, href=href, total=total, items=items,
links=links, api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, **kwargs):\n from sevenbridges.models.link import Link\n from sevenbridges.meta.collection import Collection\n api = kwargs.pop('api', cls._API)\n url = kwargs.pop('url')\n extra = {'resource': cls.__name__, 'query': kwargs}\n logger.info('Querying {} resource'.format(cls), extra=extra)\n response = api.get(url=url, params=kwargs)\n data = response.json()\n total = response.headers['x-total-matching-query']\n items = [cls(api=api, **item) for item in data['items']]\n links = [Link(**link) for link in data['links']]\n href = data['href']\n return Collection(resource=cls, href=href, total=total, items=items,\n links=links, api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, id, api=None):
id = Transform.to_resource(id)
api = api if api else cls._API
if 'get' in cls._URL:
extra = {'resource': cls.__name__, 'query': {'id': id}}
logger.info('Fetching {} resource'.format(cls), extra=extra)
resource = api.get(url=cls._URL['get'].format(id=id)).json()
return cls(api=api, **resource)
else:
raise SbgError('Unable to fetch resource!')
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, id, api=None):\n id = Transform.to_resource(id)\n api = api if api else cls._API\n if 'get' in cls._URL:\n extra = {'resource': cls.__name__, 'query': {'id': id}}\n logger.info('Fetching {} resource'.format(cls), extra=extra)\n resource = api.get(url=cls._URL['get'].format(id=id)).json()\n return cls(api=api, **resource)\n else:\n raise SbgError('Unable to fetch resource!')\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self):
if 'delete' in self._URL:
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}
logger.info('Deleting {} resource.'.format(self), extra=extra)
self._api.delete(url=self._URL['delete'].format(id=self.id))
else:
raise SbgError('Resource can not be deleted!')
|
delete
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n if 'delete' in self._URL:\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}\n logger.info('Deleting {} resource.'.format(self), extra=extra)\n self._api.delete(url=self._URL['delete'].format(id=self.id))\n else:\n raise SbgError('Resource can not be deleted!')\n",
"role": "user"
},
{
"content": "delete",
"role": "assistant"
}
] |
def x(self):
try:
if hasattr(self, 'href'):
data = self._api.get(self.href, append_base=False).json()
resource = self.__class__(api=self._api, **data)
elif hasattr(self, 'id') and hasattr(self, '_URL'
) and 'get' in self._URL:
data = self._api.get(self._URL['get'].format(id=self.id)).json()
resource = self.__class__(api=self._api, **data)
else:
raise SbgError('Resource can not be refreshed!')
query = {'id': self.id} if hasattr(self, 'id') else {}
extra = {'resource': self.__class__.__name__, 'query': query}
logger.info('Reloading {} resource.'.format(self), extra=extra)
except Exception:
raise SbgError('Resource can not be refreshed!')
self._data = resource._data
self._dirty = resource._dirty
self._old = copy.deepcopy(self._data.data)
return self
|
reload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n try:\n if hasattr(self, 'href'):\n data = self._api.get(self.href, append_base=False).json()\n resource = self.__class__(api=self._api, **data)\n elif hasattr(self, 'id') and hasattr(self, '_URL'\n ) and 'get' in self._URL:\n data = self._api.get(self._URL['get'].format(id=self.id)).json()\n resource = self.__class__(api=self._api, **data)\n else:\n raise SbgError('Resource can not be refreshed!')\n query = {'id': self.id} if hasattr(self, 'id') else {}\n extra = {'resource': self.__class__.__name__, 'query': query}\n logger.info('Reloading {} resource.'.format(self), extra=extra)\n except Exception:\n raise SbgError('Resource can not be refreshed!')\n self._data = resource._data\n self._dirty = resource._dirty\n self._old = copy.deepcopy(self._data.data)\n return self\n",
"role": "user"
},
{
"content": "reload",
"role": "assistant"
}
] |
def x(cls, record):
if isinstance(record, list):
return [cls._convert(r) for r in record]
else:
return [cls._convert(record)]
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, record):\n if isinstance(record, list):\n return [cls._convert(r) for r in record]\n else:\n return [cls._convert(record)]\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(cls, record):
if isinstance(record, list):
return [cls._convert(r) for r in record]
else:
return cls._convert(record)
|
convert_internal
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, record):\n if isinstance(record, list):\n return [cls._convert(r) for r in record]\n else:\n return cls._convert(record)\n",
"role": "user"
},
{
"content": "convert_internal",
"role": "assistant"
}
] |
def x(cls, record):
if not record:
return {}
converted_dict = {}
for field in cls.conversion:
key = field[0]
if len(field) >= 2 and field[1]:
converted_key = field[1]
else:
converted_key = key
if len(field) >= 3 and field[2]:
conversion_method = field[2]
else:
conversion_method = cls.default_conversion_method
if len(field) >= 4:
converter = field[3]
else:
converter = None
try:
value = conversion_method(record[key])
except KeyError:
continue
if converter:
value = converter._convert_internal(value)
if converted_key is APPEND:
if isinstance(value, list):
for v in value:
converted_dict.update(v)
else:
converted_dict.update(value)
else:
converted_dict[converted_key] = value
return converted_dict
|
convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, record):\n if not record:\n return {}\n converted_dict = {}\n for field in cls.conversion:\n key = field[0]\n if len(field) >= 2 and field[1]:\n converted_key = field[1]\n else:\n converted_key = key\n if len(field) >= 3 and field[2]:\n conversion_method = field[2]\n else:\n conversion_method = cls.default_conversion_method\n if len(field) >= 4:\n converter = field[3]\n else:\n converter = None\n try:\n value = conversion_method(record[key])\n except KeyError:\n continue\n if converter:\n value = converter._convert_internal(value)\n if converted_key is APPEND:\n if isinstance(value, list):\n for v in value:\n converted_dict.update(v)\n else:\n converted_dict.update(value)\n else:\n converted_dict[converted_key] = value\n return converted_dict\n",
"role": "user"
},
{
"content": "convert",
"role": "assistant"
}
] |
def x(api, response):
while response.status_code == 429:
headers = response.headers
remaining_time = headers.get('X-RateLimit-Reset')
sleep = int(remaining_time) - int(time.time())
logger.warning('Rate limit reached! Waiting for [%s]s', sleep)
time.sleep(sleep + 5)
response = api.session.send(response.request)
return response
|
rate_limit_sleeper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, response):\n while response.status_code == 429:\n headers = response.headers\n remaining_time = headers.get('X-RateLimit-Reset')\n sleep = int(remaining_time) - int(time.time())\n logger.warning('Rate limit reached! Waiting for [%s]s', sleep)\n time.sleep(sleep + 5)\n response = api.session.send(response.request)\n return response\n",
"role": "user"
},
{
"content": "rate_limit_sleeper",
"role": "assistant"
}
] |
def x(api, response, sleep=300):
while response.status_code == 503:
logger.info('Service unavailable: Response=[%s]', six.text_type(
response.__dict__))
response_body = response.json()
if 'code' in response_body:
if response_body['code'] == 0:
logger.warning('API Maintenance in progress! Waiting for [%s]s'
, sleep)
time.sleep(sleep)
response = api.session.send(response.request)
else:
return response
else:
return response
return response
|
maintenance_sleeper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, response, sleep=300):\n while response.status_code == 503:\n logger.info('Service unavailable: Response=[%s]', six.text_type(\n response.__dict__))\n response_body = response.json()\n if 'code' in response_body:\n if response_body['code'] == 0:\n logger.warning('API Maintenance in progress! Waiting for [%s]s'\n , sleep)\n time.sleep(sleep)\n response = api.session.send(response.request)\n else:\n return response\n else:\n return response\n return response\n",
"role": "user"
},
{
"content": "maintenance_sleeper",
"role": "assistant"
}
] |
def x(api, response, sleep=300):
while response.status_code >= 500:
logger.warning('Caught [%s] status code! Waiting for [%s]s',
response.status_code, sleep)
time.sleep(sleep)
response = api.session.send(response.request)
return response
|
general_error_sleeper
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(api, response, sleep=300):\n while response.status_code >= 500:\n logger.warning('Caught [%s] status code! Waiting for [%s]s',\n response.status_code, sleep)\n time.sleep(sleep)\n response = api.session.send(response.request)\n return response\n",
"role": "user"
},
{
"content": "general_error_sleeper",
"role": "assistant"
}
] |
def x(cls, name, bucket, client_email, private_key, access_mode,
description=None, prefix=None, properties=None, api=None):
service = {'type': VolumeType.GOOGLE, 'bucket': bucket, 'credentials':
{'client_email': client_email, 'private_key': private_key}}
if prefix:
service['prefix'] = prefix
if properties:
service['properties'] = properties
data = {'name': name, 'service': service, 'access_mode': access_mode}
if description:
data['description'] = description
api = api or cls._API
extra = {'resource': cls.__name__, 'query': data}
logger.info('Creating google volume', extra=extra)
response = api.post(url=cls._URL['query'], data=data).json()
return Volume(api=api, **response)
|
create_google_volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, bucket, client_email, private_key, access_mode,\n description=None, prefix=None, properties=None, api=None):\n service = {'type': VolumeType.GOOGLE, 'bucket': bucket, 'credentials':\n {'client_email': client_email, 'private_key': private_key}}\n if prefix:\n service['prefix'] = prefix\n if properties:\n service['properties'] = properties\n data = {'name': name, 'service': service, 'access_mode': access_mode}\n if description:\n data['description'] = description\n api = api or cls._API\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Creating google volume', extra=extra)\n response = api.post(url=cls._URL['query'], data=data).json()\n return Volume(api=api, **response)\n",
"role": "user"
},
{
"content": "create_google_volume",
"role": "assistant"
}
] |
def x(cls, name, bucket, endpoint, access_key_id, secret_access_key,
access_mode, description=None, prefix=None, properties=None, api=None):
service = {'type': VolumeType.OSS, 'bucket': bucket, 'endpoint':
endpoint, 'credentials': {'access_key_id': access_key_id,
'secret_access_key': secret_access_key}}
if prefix:
service['prefix'] = prefix
if properties:
service['properties'] = properties
data = {'name': name, 'service': service, 'access_mode': access_mode}
if description:
data['description'] = description
api = api or cls._API
extra = {'resource': cls.__name__, 'query': data}
logger.info('Creating oss volume', extra=extra)
response = api.post(url=cls._URL['query'], data=data).json()
return Volume(api=api, **response)
|
create_oss_volume
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, bucket, endpoint, access_key_id, secret_access_key,\n access_mode, description=None, prefix=None, properties=None, api=None):\n service = {'type': VolumeType.OSS, 'bucket': bucket, 'endpoint':\n endpoint, 'credentials': {'access_key_id': access_key_id,\n 'secret_access_key': secret_access_key}}\n if prefix:\n service['prefix'] = prefix\n if properties:\n service['properties'] = properties\n data = {'name': name, 'service': service, 'access_mode': access_mode}\n if description:\n data['description'] = description\n api = api or cls._API\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Creating oss volume', extra=extra)\n response = api.post(url=cls._URL['query'], data=data).json()\n return Volume(api=api, **response)\n",
"role": "user"
},
{
"content": "create_oss_volume",
"role": "assistant"
}
] |
def x(self, location):
param = {'location': location}
data = self._api.get(url=self._URL['object'].format(id=self.id), params
=param).json()
return VolumeObject(api=self._api, **data)
|
get_volume_object_info
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, location):\n param = {'location': location}\n data = self._api.get(url=self._URL['object'].format(id=self.id), params\n =param).json()\n return VolumeObject(api=self._api, **data)\n",
"role": "user"
},
{
"content": "get_volume_object_info",
"role": "assistant"
}
] |
def x(self, username, api=None):
api = api if api else self._API
response = api.get(url=self._URL['member'].format(id=self.id, username=
username))
data = response.json()
return Member(api=api, **data)
|
get_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, username, api=None):\n api = api if api else self._API\n response = api.get(url=self._URL['member'].format(id=self.id, username=\n username))\n data = response.json()\n return Member(api=api, **data)\n",
"role": "user"
},
{
"content": "get_member",
"role": "assistant"
}
] |
def x(cls, volume, location, project=None, name=None, overwrite=False,
properties=None, parent=None, preserve_folder_structure=True, api=None):
data = {}
volume = Transform.to_volume(volume)
if project and parent:
raise SbgError('Project and parent identifiers are mutually exclusive')
elif project:
project = Transform.to_project(project)
destination = {'project': project}
elif parent:
parent = Transform.to_file(parent)
destination = {'parent': parent}
else:
raise SbgError('Project or parent identifier is required.')
source = {'volume': volume, 'location': location}
if name:
destination['name'] = name
data['source'] = source
data['destination'] = destination
data['overwrite'] = overwrite
if not preserve_folder_structure:
data['preserve_folder_structure'] = preserve_folder_structure
if properties:
data['properties'] = properties
api = api if api else cls._API
extra = {'resource': cls.__name__, 'query': data}
logger.info('Submitting import', extra=extra)
_import = api.post(cls._URL['query'], data=data).json()
return Import(api=api, **_import)
|
submit_import
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, volume, location, project=None, name=None, overwrite=False,\n properties=None, parent=None, preserve_folder_structure=True, api=None):\n data = {}\n volume = Transform.to_volume(volume)\n if project and parent:\n raise SbgError('Project and parent identifiers are mutually exclusive')\n elif project:\n project = Transform.to_project(project)\n destination = {'project': project}\n elif parent:\n parent = Transform.to_file(parent)\n destination = {'parent': parent}\n else:\n raise SbgError('Project or parent identifier is required.')\n source = {'volume': volume, 'location': location}\n if name:\n destination['name'] = name\n data['source'] = source\n data['destination'] = destination\n data['overwrite'] = overwrite\n if not preserve_folder_structure:\n data['preserve_folder_structure'] = preserve_folder_structure\n if properties:\n data['properties'] = properties\n api = api if api else cls._API\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Submitting import', extra=extra)\n _import = api.post(cls._URL['query'], data=data).json()\n return Import(api=api, **_import)\n",
"role": "user"
},
{
"content": "submit_import",
"role": "assistant"
}
] |
def x(cls, project=None, volume=None, state=None, offset=None, limit=None,
api=None):
api = api or cls._API
if project:
project = Transform.to_project(project)
if volume:
volume = Transform.to_volume(volume)
return super(Import, cls)._query(url=cls._URL['query'], project=project,
volume=volume, state=state, fields='_all', offset=offset, limit=
limit, api=api)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, project=None, volume=None, state=None, offset=None, limit=None,\n api=None):\n api = api or cls._API\n if project:\n project = Transform.to_project(project)\n if volume:\n volume = Transform.to_volume(volume)\n return super(Import, cls)._query(url=cls._URL['query'], project=project,\n volume=volume, state=state, fields='_all', offset=offset, limit=\n limit, api=api)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, imports, api=None):
api = api or cls._API
import_ids = [Transform.to_import(import_) for import_ in imports]
data = {'import_ids': import_ids}
response = api.post(url=cls._URL['bulk_get'], data=data)
return ImportBulkRecord.parse_records(response=response, api=api)
|
bulk_get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, imports, api=None):\n api = api or cls._API\n import_ids = [Transform.to_import(import_) for import_ in imports]\n data = {'import_ids': import_ids}\n response = api.post(url=cls._URL['bulk_get'], data=data)\n return ImportBulkRecord.parse_records(response=response, api=api)\n",
"role": "user"
},
{
"content": "bulk_get",
"role": "assistant"
}
] |
def x(cls, imports, api=None):
if not imports:
raise SbgError('Imports are required')
api = api or cls._API
items = []
for import_ in imports:
volume = Transform.to_volume(import_.get('volume'))
location = Transform.to_location(import_.get('location'))
project = Transform.to_project(import_.get('project'))
name = import_.get('name', None)
overwrite = import_.get('overwrite', False)
item = {'source': {'volume': volume, 'location': location},
'destination': {'project': project}, 'overwrite': overwrite}
if name:
item['destination']['name'] = name
items.append(item)
data = {'items': items}
response = api.post(url=cls._URL['bulk_create'], data=data)
return ImportBulkRecord.parse_records(response=response, api=api)
|
bulk_submit
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, imports, api=None):\n if not imports:\n raise SbgError('Imports are required')\n api = api or cls._API\n items = []\n for import_ in imports:\n volume = Transform.to_volume(import_.get('volume'))\n location = Transform.to_location(import_.get('location'))\n project = Transform.to_project(import_.get('project'))\n name = import_.get('name', None)\n overwrite = import_.get('overwrite', False)\n item = {'source': {'volume': volume, 'location': location},\n 'destination': {'project': project}, 'overwrite': overwrite}\n if name:\n item['destination']['name'] = name\n items.append(item)\n data = {'items': items}\n response = api.post(url=cls._URL['bulk_create'], data=data)\n return ImportBulkRecord.parse_records(response=response, api=api)\n",
"role": "user"
},
{
"content": "bulk_submit",
"role": "assistant"
}
] |
def x(room):
if room.custom_server:
return
def x(xmpp):
muc = xmpp.plugin['xep_0045']
muc.joinMUC(room.jid, xmpp.requested_jid.user)
muc.configureRoom(room.jid, _set_form_values(xmpp, room))
current_plugin.logger.info('Creating room %s', room.jid)
_execute_xmpp(_create_room)
|
create_room
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room):\n if room.custom_server:\n return\n\n def x(xmpp):\n muc = xmpp.plugin['xep_0045']\n muc.joinMUC(room.jid, xmpp.requested_jid.user)\n muc.configureRoom(room.jid, _set_form_values(xmpp, room))\n current_plugin.logger.info('Creating room %s', room.jid)\n _execute_xmpp(_create_room)\n",
"role": "user"
},
{
"content": "create_room",
"role": "assistant"
}
] |
def x(room):
if room.custom_server:
return
def x(xmpp):
muc = xmpp.plugin['xep_0045']
muc.joinMUC(room.jid, xmpp.requested_jid.user)
muc.configureRoom(room.jid, _set_form_values(xmpp, room, muc.
getRoomConfig(room.jid)))
current_plugin.logger.info('Updating room %s', room.jid)
_execute_xmpp(_update_room)
|
update_room
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room):\n if room.custom_server:\n return\n\n def x(xmpp):\n muc = xmpp.plugin['xep_0045']\n muc.joinMUC(room.jid, xmpp.requested_jid.user)\n muc.configureRoom(room.jid, _set_form_values(xmpp, room, muc.\n getRoomConfig(room.jid)))\n current_plugin.logger.info('Updating room %s', room.jid)\n _execute_xmpp(_update_room)\n",
"role": "user"
},
{
"content": "update_room",
"role": "assistant"
}
] |
def x(room, reason=''):
if room.custom_server:
return
def x(xmpp):
muc = xmpp.plugin['xep_0045']
muc.destroy(room.jid, reason=reason)
current_plugin.logger.info('Deleting room %s', room.jid)
_execute_xmpp(_delete_room)
delete_logs(room)
|
delete_room
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, reason=''):\n if room.custom_server:\n return\n\n def x(xmpp):\n muc = xmpp.plugin['xep_0045']\n muc.destroy(room.jid, reason=reason)\n current_plugin.logger.info('Deleting room %s', room.jid)\n _execute_xmpp(_delete_room)\n delete_logs(room)\n",
"role": "user"
},
{
"content": "delete_room",
"role": "assistant"
}
] |
def x(jid):
mapping = {'name': 'muc#roomconfig_roomname', 'description':
'muc#roomconfig_roomdesc', 'password': 'muc#roomconfig_roomsecret'}
def x(xmpp):
muc = xmpp.plugin['xep_0045']
try:
form = muc.getRoomConfig(jid)
except ValueError:
return None
fields = form.values['fields']
return {key: fields[muc_key].values['value'] for key, muc_key in
mapping.iteritems()}
return _execute_xmpp(_get_room_config)
|
get_room_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jid):\n mapping = {'name': 'muc#roomconfig_roomname', 'description':\n 'muc#roomconfig_roomdesc', 'password': 'muc#roomconfig_roomsecret'}\n\n def x(xmpp):\n muc = xmpp.plugin['xep_0045']\n try:\n form = muc.getRoomConfig(jid)\n except ValueError:\n return None\n fields = form.values['fields']\n return {key: fields[muc_key].values['value'] for key, muc_key in\n mapping.iteritems()}\n return _execute_xmpp(_get_room_config)\n",
"role": "user"
},
{
"content": "get_room_config",
"role": "assistant"
}
] |
def x(jid):
def x(xmpp):
disco = xmpp.plugin['xep_0030']
try:
disco.get_info(jid)
except IqError as e:
if e.condition == 'item-not-found':
return False
raise
else:
return True
return _execute_xmpp(_room_exists)
|
room_exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(jid):\n\n def x(xmpp):\n disco = xmpp.plugin['xep_0030']\n try:\n disco.get_info(jid)\n except IqError as e:\n if e.condition == 'item-not-found':\n return False\n raise\n else:\n return True\n return _execute_xmpp(_room_exists)\n",
"role": "user"
},
{
"content": "room_exists",
"role": "assistant"
}
] |
def x(s):
jid = unicode_to_ascii(s).lower()
jid = WHITESPACE.sub('-', jid)
jid = INVALID_JID_CHARS.sub('', jid)
return jid.strip()[:256]
|
sanitize_jid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(s):\n jid = unicode_to_ascii(s).lower()\n jid = WHITESPACE.sub('-', jid)\n jid = INVALID_JID_CHARS.sub('', jid)\n return jid.strip()[:256]\n",
"role": "user"
},
{
"content": "sanitize_jid",
"role": "assistant"
}
] |
def x(name, append_date=None):
if not append_date:
return sanitize_jid(name)
return '{}-{}'.format(sanitize_jid(name), append_date.strftime('%Y-%m-%d'))
|
generate_jid
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(name, append_date=None):\n if not append_date:\n return sanitize_jid(name)\n return '{}-{}'.format(sanitize_jid(name), append_date.strftime('%Y-%m-%d'))\n",
"role": "user"
},
{
"content": "generate_jid",
"role": "assistant"
}
] |
def x(xmpp, room, form=None):
if form is None:
form = xmpp.plugin['xep_0004'].make_form(ftype='submit')
form.add_field('FORM_TYPE', value=
'http://jabber.org/protocol/muc#roomconfig')
form.add_field('muc#roomconfig_publicroom', value='1')
form.add_field('muc#roomconfig_whois', value='moderators')
form.add_field('muc#roomconfig_membersonly', value='0')
form.add_field('muc#roomconfig_moderatedroom', value='1')
form.add_field('muc#roomconfig_changesubject', value='1')
form.add_field('muc#roomconfig_allowinvites', value='1')
form.add_field('muc#roomconfig_allowvisitorstatus', value='1')
form.add_field('muc#roomconfig_allowvisitornickchange', value='1')
form.add_field('muc#roomconfig_enablelogging', value='1')
form.add_field('public_list', value='1')
form.add_field('members_by_default', value='1')
form.add_field('allow_private_messages', value='1')
form.add_field('allow_query_users', value='1')
form.add_field('muc#roomconfig_persistentroom', value='1')
form.add_field('muc#roomconfig_roomname', value=room.name)
form.add_field('muc#roomconfig_passwordprotectedroom', value='1' if
room.password else '0')
if room.description:
form.add_field('muc#roomconfig_roomdesc', value=room.description)
if room.password:
form.add_field('muc#roomconfig_roomsecret', value=room.password)
return form
|
set_form_values
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(xmpp, room, form=None):\n if form is None:\n form = xmpp.plugin['xep_0004'].make_form(ftype='submit')\n form.add_field('FORM_TYPE', value=\n 'http://jabber.org/protocol/muc#roomconfig')\n form.add_field('muc#roomconfig_publicroom', value='1')\n form.add_field('muc#roomconfig_whois', value='moderators')\n form.add_field('muc#roomconfig_membersonly', value='0')\n form.add_field('muc#roomconfig_moderatedroom', value='1')\n form.add_field('muc#roomconfig_changesubject', value='1')\n form.add_field('muc#roomconfig_allowinvites', value='1')\n form.add_field('muc#roomconfig_allowvisitorstatus', value='1')\n form.add_field('muc#roomconfig_allowvisitornickchange', value='1')\n form.add_field('muc#roomconfig_enablelogging', value='1')\n form.add_field('public_list', value='1')\n form.add_field('members_by_default', value='1')\n form.add_field('allow_private_messages', value='1')\n form.add_field('allow_query_users', value='1')\n form.add_field('muc#roomconfig_persistentroom', value='1')\n form.add_field('muc#roomconfig_roomname', value=room.name)\n form.add_field('muc#roomconfig_passwordprotectedroom', value='1' if\n room.password else '0')\n if room.description:\n form.add_field('muc#roomconfig_roomdesc', value=room.description)\n if room.password:\n form.add_field('muc#roomconfig_roomsecret', value=room.password)\n return form\n",
"role": "user"
},
{
"content": "set_form_values",
"role": "assistant"
}
] |
def x(connected_callback):
from indico_chat.plugin import ChatPlugin
check_config()
jid = ChatPlugin.settings.get('bot_jid')
password = ChatPlugin.settings.get('bot_password')
if '@' not in jid:
jid = '{}@{}'.format(jid, ChatPlugin.settings.get('server'))
result = [None, None]
app = current_app._get_current_object()
def x(event):
try:
with app.app_context():
result[0] = connected_callback(xmpp)
except Exception as e:
result[1] = e
if isinstance(e, IqError):
current_plugin.logger.exception('XMPP callback failed: %s',
e.condition)
else:
current_plugin.logger.exception('XMPP callback failed')
finally:
xmpp.disconnect(wait=0)
xmpp = ClientXMPP(jid, password)
xmpp.register_plugin('xep_0045')
xmpp.register_plugin('xep_0004')
xmpp.register_plugin('xep_0030')
xmpp.add_event_handler('session_start', _session_start)
try:
xmpp.connect()
except Exception:
current_plugin.logger.exception('XMPP connection failed')
xmpp.disconnect()
raise
try:
xmpp.process(threaded=False)
finally:
xmpp.disconnect(wait=0)
if result[1] is not None:
raise result[1]
return result[0]
|
execute_xmpp
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(connected_callback):\n from indico_chat.plugin import ChatPlugin\n check_config()\n jid = ChatPlugin.settings.get('bot_jid')\n password = ChatPlugin.settings.get('bot_password')\n if '@' not in jid:\n jid = '{}@{}'.format(jid, ChatPlugin.settings.get('server'))\n result = [None, None]\n app = current_app._get_current_object()\n\n def x(event):\n try:\n with app.app_context():\n result[0] = connected_callback(xmpp)\n except Exception as e:\n result[1] = e\n if isinstance(e, IqError):\n current_plugin.logger.exception('XMPP callback failed: %s',\n e.condition)\n else:\n current_plugin.logger.exception('XMPP callback failed')\n finally:\n xmpp.disconnect(wait=0)\n xmpp = ClientXMPP(jid, password)\n xmpp.register_plugin('xep_0045')\n xmpp.register_plugin('xep_0004')\n xmpp.register_plugin('xep_0030')\n xmpp.add_event_handler('session_start', _session_start)\n try:\n xmpp.connect()\n except Exception:\n current_plugin.logger.exception('XMPP connection failed')\n xmpp.disconnect()\n raise\n try:\n xmpp.process(threaded=False)\n finally:\n xmpp.disconnect(wait=0)\n if result[1] is not None:\n raise result[1]\n return result[0]\n",
"role": "user"
},
{
"content": "execute_xmpp",
"role": "assistant"
}
] |
def x(room, start_date=None, end_date=None):
from indico_chat.plugin import ChatPlugin
base_url = ChatPlugin.settings.get('log_url')
if not base_url or room.custom_server:
return None
params = {'cr': room.jid}
if start_date:
params['sdate'] = start_date.strftime('%Y-%m-%d')
if end_date:
params['edate'] = end_date.strftime('%Y-%m-%d')
try:
response = requests.get(base_url, params=params)
except RequestException:
current_plugin.logger.exception('Could not retrieve logs for %s',
room.jid)
return None
if response.headers.get('content-type') == 'application/json':
current_plugin.logger.warning('Could not retrieve logs for %s: %s',
room.jid, response.json().get('error'))
return None
return response.text
|
retrieve_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room, start_date=None, end_date=None):\n from indico_chat.plugin import ChatPlugin\n base_url = ChatPlugin.settings.get('log_url')\n if not base_url or room.custom_server:\n return None\n params = {'cr': room.jid}\n if start_date:\n params['sdate'] = start_date.strftime('%Y-%m-%d')\n if end_date:\n params['edate'] = end_date.strftime('%Y-%m-%d')\n try:\n response = requests.get(base_url, params=params)\n except RequestException:\n current_plugin.logger.exception('Could not retrieve logs for %s',\n room.jid)\n return None\n if response.headers.get('content-type') == 'application/json':\n current_plugin.logger.warning('Could not retrieve logs for %s: %s',\n room.jid, response.json().get('error'))\n return None\n return response.text\n",
"role": "user"
},
{
"content": "retrieve_logs",
"role": "assistant"
}
] |
def x(room):
from indico_chat.plugin import ChatPlugin
base_url = ChatPlugin.settings.get('log_url')
if not base_url or room.custom_server:
return
try:
response = requests.get(posixpath.join(base_url, 'delete'), params=
{'cr': room.jid}).json()
except (RequestException, ValueError):
current_plugin.logger.exception('Could not delete logs for %s',
room.jid)
return
if not response.get('success'):
current_plugin.logger.warning('Could not delete logs for %s: %s',
room.jid, response.get('error'))
|
delete_logs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(room):\n from indico_chat.plugin import ChatPlugin\n base_url = ChatPlugin.settings.get('log_url')\n if not base_url or room.custom_server:\n return\n try:\n response = requests.get(posixpath.join(base_url, 'delete'), params=\n {'cr': room.jid}).json()\n except (RequestException, ValueError):\n current_plugin.logger.exception('Could not delete logs for %s',\n room.jid)\n return\n if not response.get('success'):\n current_plugin.logger.warning('Could not delete logs for %s: %s',\n room.jid, response.get('error'))\n",
"role": "user"
},
{
"content": "delete_logs",
"role": "assistant"
}
] |
def x(self, inplace=True):
data = self._modified_data()
data = data['permissions']
if bool(data):
url = six.text_type(self.href) + self._URL['permissions']
extra = {'resource': self.__class__.__name__, 'query': data}
logger.info('Modifying permissions', extra=extra)
self._api.patch(url=url, data=data, append_base=False)
else:
raise ResourceNotModified()
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, inplace=True):\n data = self._modified_data()\n data = data['permissions']\n if bool(data):\n url = six.text_type(self.href) + self._URL['permissions']\n extra = {'resource': self.__class__.__name__, 'query': data}\n logger.info('Modifying permissions', extra=extra)\n self._api.patch(url=url, data=data, append_base=False)\n else:\n raise ResourceNotModified()\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(cls, name, division, api=None):
division = Transform.to_division(division)
api = api if api else cls._API
data = {'name': name, 'division': division}
extra = {'resource': cls.__name__, 'query': data}
logger.info('Creating team', extra=extra)
created_team = api.post(cls._URL['query'], data=data).json()
return Team(api=api, **created_team)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, division, api=None):\n division = Transform.to_division(division)\n api = api if api else cls._API\n data = {'name': name, 'division': division}\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Creating team', extra=extra)\n created_team = api.post(cls._URL['query'], data=data).json()\n return Team(api=api, **created_team)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None):
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}
logger.info('Get team members', extra=extra)
response = self._api.get(url=self._URL['members_query'].format(id=self.
id), params={'offset': offset, 'limit': limit})
data = response.json()
total = response.headers['x-total-matching-query']
members = [TeamMember(api=self._api, **member) for member in data['items']]
links = [Link(**link) for link in data['links']]
href = data['href']
return Collection(resource=TeamMember, href=href, total=total, items=
members, links=links, api=self._api)
|
get_members
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=None):\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id}}\n logger.info('Get team members', extra=extra)\n response = self._api.get(url=self._URL['members_query'].format(id=self.\n id), params={'offset': offset, 'limit': limit})\n data = response.json()\n total = response.headers['x-total-matching-query']\n members = [TeamMember(api=self._api, **member) for member in data['items']]\n links = [Link(**link) for link in data['links']]\n href = data['href']\n return Collection(resource=TeamMember, href=href, total=total, items=\n members, links=links, api=self._api)\n",
"role": "user"
},
{
"content": "get_members",
"role": "assistant"
}
] |
def x(self, user):
user = Transform.to_user(user)
data = {'id': user}
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,
'data': data}}
logger.info('Adding team member using id', extra=extra)
response = self._api.post(url=self._URL['members_query'].format(id=self
.id), data=data)
member_data = response.json()
return TeamMember(api=self._api, **member_data)
|
add_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n user = Transform.to_user(user)\n data = {'id': user}\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,\n 'data': data}}\n logger.info('Adding team member using id', extra=extra)\n response = self._api.post(url=self._URL['members_query'].format(id=self\n .id), data=data)\n member_data = response.json()\n return TeamMember(api=self._api, **member_data)\n",
"role": "user"
},
{
"content": "add_member",
"role": "assistant"
}
] |
def x(cls, owner=None, name=None, offset=None, limit=None, api=None):
api = api if api else cls._API
query_params = {}
if owner:
url = cls._URL['query'].format(owner=owner)
else:
url = cls._URL['query'].format(owner='')
if name:
query_params['name'] = name
return super(Project, cls)._query(url=url, offset=offset, limit=limit,
fields='_all', api=api, **query_params)
|
query
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, owner=None, name=None, offset=None, limit=None, api=None):\n api = api if api else cls._API\n query_params = {}\n if owner:\n url = cls._URL['query'].format(owner=owner)\n else:\n url = cls._URL['query'].format(owner='')\n if name:\n query_params['name'] = name\n return super(Project, cls)._query(url=url, offset=offset, limit=limit,\n fields='_all', api=api, **query_params)\n",
"role": "user"
},
{
"content": "query",
"role": "assistant"
}
] |
def x(cls, name, billing_group=None, description=None, tags=None, settings=
None, api=None):
api = api if api else cls._API
if name is None:
raise SbgError('Project name is required!')
data = {'name': name}
if billing_group:
data['billing_group'] = Transform.to_billing_group(billing_group)
if description:
data['description'] = description
if tags:
data['tags'] = tags
if settings:
data['settings'] = settings
extra = {'resource': cls.__name__, 'query': data}
logger.info('Creating project', extra=extra)
project_data = api.post(url=cls._URL['create'], data=data).json()
return Project(api=api, **project_data)
|
create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(cls, name, billing_group=None, description=None, tags=None, settings=\n None, api=None):\n api = api if api else cls._API\n if name is None:\n raise SbgError('Project name is required!')\n data = {'name': name}\n if billing_group:\n data['billing_group'] = Transform.to_billing_group(billing_group)\n if description:\n data['description'] = description\n if tags:\n data['tags'] = tags\n if settings:\n data['settings'] = settings\n extra = {'resource': cls.__name__, 'query': data}\n logger.info('Creating project', extra=extra)\n project_data = api.post(url=cls._URL['create'], data=data).json()\n return Project(api=api, **project_data)\n",
"role": "user"
},
{
"content": "create",
"role": "assistant"
}
] |
def x(self, team, permissions):
team = Transform.to_team(team)
data = {'id': team, 'type': 'TEAM'}
if isinstance(permissions, dict):
data.update({'permissions': permissions})
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,
'data': data}}
logger.info('Adding team member using team id', extra=extra)
response = self._api.post(url=self._URL['members_query'].format(id=self
.id), data=data)
member_data = response.json()
return Member(api=self._api, **member_data)
|
add_member_team
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, team, permissions):\n team = Transform.to_team(team)\n data = {'id': team, 'type': 'TEAM'}\n if isinstance(permissions, dict):\n data.update({'permissions': permissions})\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,\n 'data': data}}\n logger.info('Adding team member using team id', extra=extra)\n response = self._api.post(url=self._URL['members_query'].format(id=self\n .id), data=data)\n member_data = response.json()\n return Member(api=self._api, **member_data)\n",
"role": "user"
},
{
"content": "add_member_team",
"role": "assistant"
}
] |
def x(self, email, permissions=None):
data = {'email': email}
if isinstance(permissions, dict):
data.update({'permissions': permissions})
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,
'data': data}}
logger.info('Adding member using email', extra=extra)
response = self._api.post(url=self._URL['members_query'].format(id=self
.id), data=data)
member_data = response.json()
return Member(api=self._api, **member_data)
|
add_member_email
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, email, permissions=None):\n data = {'email': email}\n if isinstance(permissions, dict):\n data.update({'permissions': permissions})\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,\n 'data': data}}\n logger.info('Adding member using email', extra=extra)\n response = self._api.post(url=self._URL['members_query'].format(id=self\n .id), data=data)\n member_data = response.json()\n return Member(api=self._api, **member_data)\n",
"role": "user"
},
{
"content": "add_member_email",
"role": "assistant"
}
] |
def x(self, user):
username = Transform.to_user(user)
extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,
'user': user}}
logger.info('Removing member', extra=extra)
self._api.delete(url=self._URL['member'].format(id=self.id, username=
username))
|
remove_member
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, user):\n username = Transform.to_user(user)\n extra = {'resource': self.__class__.__name__, 'query': {'id': self.id,\n 'user': user}}\n logger.info('Removing member', extra=extra)\n self._api.delete(url=self._URL['member'].format(id=self.id, username=\n username))\n",
"role": "user"
},
{
"content": "remove_member",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None):
params = {'project': self.id, 'offset': offset, 'limit': limit}
return self._api.files.query(api=self._api, **params)
|
get_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=None):\n params = {'project': self.id, 'offset': offset, 'limit': limit}\n return self._api.files.query(api=self._api, **params)\n",
"role": "user"
},
{
"content": "get_files",
"role": "assistant"
}
] |
def x(self, files):
for file in files:
file.copy(project=self.id)
|
add_files
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, files):\n for file in files:\n file.copy(project=self.id)\n",
"role": "user"
},
{
"content": "add_files",
"role": "assistant"
}
] |
def x(self, offset=None, limit=None):
params = {'project': self.id, 'offset': offset, 'limit': limit}
return self._api.apps.query(api=self._api, **params)
|
get_apps
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, offset=None, limit=None):\n params = {'project': self.id, 'offset': offset, 'limit': limit}\n return self._api.apps.query(api=self._api, **params)\n",
"role": "user"
},
{
"content": "get_apps",
"role": "assistant"
}
] |
def x(self, status=None, offset=None, limit=None):
params = {'project': self.id, 'offset': offset, 'limit': limit}
if status:
params['status'] = status
return self._api.tasks.query(api=self._api, **params)
|
get_tasks
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, status=None, offset=None, limit=None):\n params = {'project': self.id, 'offset': offset, 'limit': limit}\n if status:\n params['status'] = status\n return self._api.tasks.query(api=self._api, **params)\n",
"role": "user"
},
{
"content": "get_tasks",
"role": "assistant"
}
] |
def x(self, volume=None, state=None, offset=None, limit=None):
return self._api.imports.query(project=self.id, volume=volume, state=
state, offset=offset, limit=limit)
|
get_imports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, volume=None, state=None, offset=None, limit=None):\n return self._api.imports.query(project=self.id, volume=volume, state=\n state, offset=offset, limit=limit)\n",
"role": "user"
},
{
"content": "get_imports",
"role": "assistant"
}
] |
def x(self, volume=None, state=None, offset=None, limit=None):
return self._api.exports.query(project=self.id, volume=volume, state=
state, offset=offset, limit=limit)
|
get_exports
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, volume=None, state=None, offset=None, limit=None):\n return self._api.exports.query(project=self.id, volume=volume, state=\n state, offset=offset, limit=limit)\n",
"role": "user"
},
{
"content": "get_exports",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.