source_code
stringlengths 45
7.24k
| function_name
stringlengths 1
111
| messages
list |
|---|---|---|
def x(salt, input_key_material, hash=hashlib.sha512):
hash_len = hash().digest_size
if salt == None or len(salt) == 0:
salt = bytearray((0,) * hash_len)
return hmac.new(bytes(salt), buffer(input_key_material), hash).digest()
|
hkdf_extract
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(salt, input_key_material, hash=hashlib.sha512):\n hash_len = hash().digest_size\n if salt == None or len(salt) == 0:\n salt = bytearray((0,) * hash_len)\n return hmac.new(bytes(salt), buffer(input_key_material), hash).digest()\n",
"role": "user"
},
{
"content": "hkdf_extract",
"role": "assistant"
}
] |
def x(pseudo_random_key, info=b'', length=32, hash=hashlib.sha512):
hash_len = hash().digest_size
length = int(length)
if length > 255 * hash_len:
raise Exception(
'Cannot expand to more than 255 * %d = %d bytes using the specified hash function'
% (hash_len, 255 * hash_len))
blocks_needed = length // hash_len + (0 if length % hash_len == 0 else 1)
okm = b''
output_block = b''
for counter in range(blocks_needed):
output_block = hmac.new(pseudo_random_key, buffer(output_block +
info + bytearray((counter + 1,))), hash).digest()
okm += output_block
return okm[:length]
|
hkdf_expand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(pseudo_random_key, info=b'', length=32, hash=hashlib.sha512):\n hash_len = hash().digest_size\n length = int(length)\n if length > 255 * hash_len:\n raise Exception(\n 'Cannot expand to more than 255 * %d = %d bytes using the specified hash function'\n % (hash_len, 255 * hash_len))\n blocks_needed = length // hash_len + (0 if length % hash_len == 0 else 1)\n okm = b''\n output_block = b''\n for counter in range(blocks_needed):\n output_block = hmac.new(pseudo_random_key, buffer(output_block +\n info + bytearray((counter + 1,))), hash).digest()\n okm += output_block\n return okm[:length]\n",
"role": "user"
},
{
"content": "hkdf_expand",
"role": "assistant"
}
] |
def x(self, info=b'', length=32):
return hkdf_expand(self._prk, info, length, self._hash)
|
expand
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, info=b'', length=32):\n return hkdf_expand(self._prk, info, length, self._hash)\n",
"role": "user"
},
{
"content": "expand",
"role": "assistant"
}
] |
def x(username, ssh_keys, create_password=True):
block = {'create_password': 'yes' if create_password is True else 'no',
'ssh_keys': {'ssh_key': ssh_keys}}
if username:
block['username'] = username
return block
|
login_user_block
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(username, ssh_keys, create_password=True):\n block = {'create_password': 'yes' if create_password is True else 'no',\n 'ssh_keys': {'ssh_key': ssh_keys}}\n if username:\n block['username'] = username\n return block\n",
"role": "user"
},
{
"content": "login_user_block",
"role": "assistant"
}
] |
def x(self, server, **kwargs):
if server:
Server._handle_server_subobjs(server, kwargs.get('cloud_manager'))
for key in server:
object.__setattr__(self, key, server[key])
for key in kwargs:
object.__setattr__(self, key, kwargs[key])
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server, **kwargs):\n if server:\n Server._handle_server_subobjs(server, kwargs.get('cloud_manager'))\n for key in server:\n object.__setattr__(self, key, server[key])\n for key in kwargs:\n object.__setattr__(self, key, kwargs[key])\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
server, IPAddresses, storages = self.cloud_manager.get_server_data(self
.uuid)
self._reset(server, ip_addresses=IPAddresses, storage_devices=storages,
populated=True)
return self
|
populate
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n server, IPAddresses, storages = self.cloud_manager.get_server_data(self\n .uuid)\n self._reset(server, ip_addresses=IPAddresses, storage_devices=storages,\n populated=True)\n return self\n",
"role": "user"
},
{
"content": "populate",
"role": "assistant"
}
] |
def x(self):
kwargs = dict((field, getattr(self, field)) for field in self.
updateable_fields if hasattr(self, field))
self.cloud_manager.modify_server(self.uuid, **kwargs)
self._reset(kwargs)
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n kwargs = dict((field, getattr(self, field)) for field in self.\n updateable_fields if hasattr(self, field))\n self.cloud_manager.modify_server(self.uuid, **kwargs)\n self._reset(kwargs)\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(self, hard=False, timeout=30):
body = dict()
body['stop_server'] = {'stop_type': 'hard' if hard else 'soft',
'timeout': '{0}'.format(timeout)}
path = '/server/{0}/stop'.format(self.uuid)
self.cloud_manager.post_request(path, body)
object.__setattr__(self, 'state', 'maintenance')
|
shutdown
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hard=False, timeout=30):\n body = dict()\n body['stop_server'] = {'stop_type': 'hard' if hard else 'soft',\n 'timeout': '{0}'.format(timeout)}\n path = '/server/{0}/stop'.format(self.uuid)\n self.cloud_manager.post_request(path, body)\n object.__setattr__(self, 'state', 'maintenance')\n",
"role": "user"
},
{
"content": "shutdown",
"role": "assistant"
}
] |
def x(self, timeout=120):
path = '/server/{0}/start'.format(self.uuid)
self.cloud_manager.post_request(path, timeout=timeout)
object.__setattr__(self, 'state', 'started')
|
start
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, timeout=120):\n path = '/server/{0}/start'.format(self.uuid)\n self.cloud_manager.post_request(path, timeout=timeout)\n object.__setattr__(self, 'state', 'started')\n",
"role": "user"
},
{
"content": "start",
"role": "assistant"
}
] |
def x(self, hard=False, timeout=30, force=True):
body = dict()
body['restart_server'] = {'stop_type': 'hard' if hard else 'soft',
'timeout': '{0}'.format(timeout), 'timeout_action': 'destroy' if
force else 'ignore'}
path = '/server/{0}/restart'.format(self.uuid)
self.cloud_manager.post_request(path, body)
object.__setattr__(self, 'state', 'maintenance')
|
restart
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, hard=False, timeout=30, force=True):\n body = dict()\n body['restart_server'] = {'stop_type': 'hard' if hard else 'soft',\n 'timeout': '{0}'.format(timeout), 'timeout_action': 'destroy' if\n force else 'ignore'}\n path = '/server/{0}/restart'.format(self.uuid)\n self.cloud_manager.post_request(path, body)\n object.__setattr__(self, 'state', 'maintenance')\n",
"role": "user"
},
{
"content": "restart",
"role": "assistant"
}
] |
def x(self, family='IPv4'):
IP = self.cloud_manager.attach_ip(self.uuid, family)
self.ip_addresses.append(IP)
return IP
|
add_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, family='IPv4'):\n IP = self.cloud_manager.attach_ip(self.uuid, family)\n self.ip_addresses.append(IP)\n return IP\n",
"role": "user"
},
{
"content": "add_ip",
"role": "assistant"
}
] |
def x(self, IPAddress):
self.cloud_manager.release_ip(IPAddress.address)
self.ip_addresses.remove(IPAddress)
|
remove_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, IPAddress):\n self.cloud_manager.release_ip(IPAddress.address)\n self.ip_addresses.remove(IPAddress)\n",
"role": "user"
},
{
"content": "remove_ip",
"role": "assistant"
}
] |
def x(self, storage=None, type='disk', address=None):
self.cloud_manager.attach_storage(server=self.uuid, storage=storage.
uuid, storage_type=type, address=address)
storage.address = address
storage.type = type
self.storage_devices.append(storage)
|
add_storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, storage=None, type='disk', address=None):\n self.cloud_manager.attach_storage(server=self.uuid, storage=storage.\n uuid, storage_type=type, address=address)\n storage.address = address\n storage.type = type\n self.storage_devices.append(storage)\n",
"role": "user"
},
{
"content": "add_storage",
"role": "assistant"
}
] |
def x(self, storage):
if not hasattr(storage, 'address'):
raise Exception(
'Storage does not have an address. Access the Storage via Server.storage_devices so they include an address. (This is due how the API handles Storages)'
)
self.cloud_manager.detach_storage(server=self.uuid, address=storage.address
)
self.storage_devices.remove(storage)
|
remove_storage
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, storage):\n if not hasattr(storage, 'address'):\n raise Exception(\n 'Storage does not have an address. Access the Storage via Server.storage_devices so they include an address. (This is due how the API handles Storages)'\n )\n self.cloud_manager.detach_storage(server=self.uuid, address=storage.address\n )\n self.storage_devices.remove(storage)\n",
"role": "user"
},
{
"content": "remove_storage",
"role": "assistant"
}
] |
def x(self, tags):
if self.cloud_manager.assign_tags(self.uuid, tags):
tags = self.tags + [str(tag) for tag in tags]
object.__setattr__(self, 'tags', tags)
|
add_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags):\n if self.cloud_manager.assign_tags(self.uuid, tags):\n tags = self.tags + [str(tag) for tag in tags]\n object.__setattr__(self, 'tags', tags)\n",
"role": "user"
},
{
"content": "add_tags",
"role": "assistant"
}
] |
def x(self, tags):
if self.cloud_manager.remove_tags(self, tags):
new_tags = [tag for tag in self.tags if tag not in tags]
object.__setattr__(self, 'tags', new_tags)
|
remove_tags
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, tags):\n if self.cloud_manager.remove_tags(self, tags):\n new_tags = [tag for tag in self.tags if tag not in tags]\n object.__setattr__(self, 'tags', new_tags)\n",
"role": "user"
},
{
"content": "remove_tags",
"role": "assistant"
}
] |
def x(self, FirewallRules):
firewall_rule_bodies = [FirewallRule.to_dict() for FirewallRule in
FirewallRules]
return self.cloud_manager.configure_firewall(self, firewall_rule_bodies)
|
configure_firewall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, FirewallRules):\n firewall_rule_bodies = [FirewallRule.to_dict() for FirewallRule in\n FirewallRules]\n return self.cloud_manager.configure_firewall(self, firewall_rule_bodies)\n",
"role": "user"
},
{
"content": "configure_firewall",
"role": "assistant"
}
] |
def x(self):
body = dict()
body['server'] = {'hostname': self.hostname, 'zone': self.zone, 'title':
self.title, 'storage_devices': {}}
for optional_field in self.optional_fields:
if hasattr(self, optional_field):
body['server'][optional_field] = getattr(self, optional_field)
if not hasattr(self, 'password_delivery'):
body['server']['password_delivery'] = 'none'
body['server']['storage_devices'] = {'storage_device': []}
storage_title_id = 0
for storage in self.storage_devices:
if not hasattr(storage, 'os') or storage.os is None:
storage_title_id += 1
storage_body = storage.to_dict()
if not hasattr(storage, 'title') or not storage.title:
if hasattr(storage, 'os') and storage.os:
storage_body['title'] = self.hostname + ' OS disk'
else:
storage_body['title'] = self.hostname + ' storage disk ' + str(
storage_title_id)
if hasattr(storage, 'os') and storage.os:
storage_body['action'] = 'clone'
storage_body['storage'] = OperatingSystems.get_OS_UUID(storage.os)
elif hasattr(storage, 'uuid'):
storage_body['action'] = 'clone'
storage_body['storage'] = storage.uuid
else:
storage_body['action'] = 'create'
body['server']['storage_devices']['storage_device'].append(storage_body
)
if hasattr(self, 'ip_addresses') and self.ip_addresses:
body['server']['ip_addresses'] = {'ip_address': [ip.to_dict() for
ip in self.ip_addresses]}
return body
|
prepare_post_body
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n body = dict()\n body['server'] = {'hostname': self.hostname, 'zone': self.zone, 'title':\n self.title, 'storage_devices': {}}\n for optional_field in self.optional_fields:\n if hasattr(self, optional_field):\n body['server'][optional_field] = getattr(self, optional_field)\n if not hasattr(self, 'password_delivery'):\n body['server']['password_delivery'] = 'none'\n body['server']['storage_devices'] = {'storage_device': []}\n storage_title_id = 0\n for storage in self.storage_devices:\n if not hasattr(storage, 'os') or storage.os is None:\n storage_title_id += 1\n storage_body = storage.to_dict()\n if not hasattr(storage, 'title') or not storage.title:\n if hasattr(storage, 'os') and storage.os:\n storage_body['title'] = self.hostname + ' OS disk'\n else:\n storage_body['title'] = self.hostname + ' storage disk ' + str(\n storage_title_id)\n if hasattr(storage, 'os') and storage.os:\n storage_body['action'] = 'clone'\n storage_body['storage'] = OperatingSystems.get_OS_UUID(storage.os)\n elif hasattr(storage, 'uuid'):\n storage_body['action'] = 'clone'\n storage_body['storage'] = storage.uuid\n else:\n storage_body['action'] = 'create'\n body['server']['storage_devices']['storage_device'].append(storage_body\n )\n if hasattr(self, 'ip_addresses') and self.ip_addresses:\n body['server']['ip_addresses'] = {'ip_address': [ip.to_dict() for\n ip in self.ip_addresses]}\n return body\n",
"role": "user"
},
{
"content": "prepare_post_body",
"role": "assistant"
}
] |
def x(self):
fields = dict(vars(self).items())
if self.populated:
fields['ip_addresses'] = []
fields['storage_devices'] = []
for ip in self.ip_addresses:
fields['ip_addresses'].append({'address': ip.address, 'access':
ip.access, 'family': ip.family})
for storage in self.storage_devices:
fields['storage_devices'].append({'address': storage.address,
'storage': storage.uuid, 'storage_size': storage.size,
'storage_title': storage.title, 'type': storage.type})
del fields['populated']
del fields['cloud_manager']
return fields
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fields = dict(vars(self).items())\n if self.populated:\n fields['ip_addresses'] = []\n fields['storage_devices'] = []\n for ip in self.ip_addresses:\n fields['ip_addresses'].append({'address': ip.address, 'access':\n ip.access, 'family': ip.family})\n for storage in self.storage_devices:\n fields['storage_devices'].append({'address': storage.address,\n 'storage': storage.uuid, 'storage_size': storage.size,\n 'storage_title': storage.title, 'type': storage.type})\n del fields['populated']\n del fields['cloud_manager']\n return fields\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, access='public', addr_family=None, strict=None):
if addr_family not in ['IPv4', 'IPv6', None]:
raise Exception("`addr_family` must be 'IPv4', 'IPv6' or None")
if access not in ['private', 'public']:
raise Exception("`access` must be 'public' or 'private'")
if not hasattr(self, 'ip_addresses'):
self.populate()
ip_addrs = [ip_addr for ip_addr in self.ip_addresses if ip_addr.access ==
access]
preferred_family = addr_family if addr_family else 'IPv4'
for ip_addr in ip_addrs:
if ip_addr.family == preferred_family:
return ip_addr.address
return ip_addrs[0].address if ip_addrs and not addr_family else None
|
get_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, access='public', addr_family=None, strict=None):\n if addr_family not in ['IPv4', 'IPv6', None]:\n raise Exception(\"`addr_family` must be 'IPv4', 'IPv6' or None\")\n if access not in ['private', 'public']:\n raise Exception(\"`access` must be 'public' or 'private'\")\n if not hasattr(self, 'ip_addresses'):\n self.populate()\n ip_addrs = [ip_addr for ip_addr in self.ip_addresses if ip_addr.access ==\n access]\n preferred_family = addr_family if addr_family else 'IPv4'\n for ip_addr in ip_addrs:\n if ip_addr.family == preferred_family:\n return ip_addr.address\n return ip_addrs[0].address if ip_addrs and not addr_family else None\n",
"role": "user"
},
{
"content": "get_ip",
"role": "assistant"
}
] |
def x(self, addr_family=None, *args, **kwargs):
return self.get_ip('public', addr_family, *args, **kwargs)
|
get_public_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr_family=None, *args, **kwargs):\n return self.get_ip('public', addr_family, *args, **kwargs)\n",
"role": "user"
},
{
"content": "get_public_ip",
"role": "assistant"
}
] |
def x(self, addr_family=None, *args, **kwargs):
return self.get_ip('private', addr_family, *args, **kwargs)
|
get_private_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, addr_family=None, *args, **kwargs):\n return self.get_ip('private', addr_family, *args, **kwargs)\n",
"role": "user"
},
{
"content": "get_private_ip",
"role": "assistant"
}
] |
def x(self, target_states, update_interval=10):
while self.state not in target_states:
if self.state == 'error':
raise Exception('server is in error state')
sleep(update_interval)
self.populate()
|
wait_for_state_change
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, target_states, update_interval=10):\n while self.state not in target_states:\n if self.state == 'error':\n raise Exception('server is in error state')\n sleep(update_interval)\n self.populate()\n",
"role": "user"
},
{
"content": "wait_for_state_change",
"role": "assistant"
}
] |
def x(self):
if self.state in ['maintenance', 'error']:
self._wait_for_state_change(['stopped', 'started'])
if self.state == 'stopped':
self.start()
self._wait_for_state_change(['started'])
if self.state == 'started':
return True
else:
raise Exception('unknown server state: ' + self.state)
|
ensure_started
|
[
{
"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.state in ['maintenance', 'error']:\n self._wait_for_state_change(['stopped', 'started'])\n if self.state == 'stopped':\n self.start()\n self._wait_for_state_change(['started'])\n if self.state == 'started':\n return True\n else:\n raise Exception('unknown server state: ' + self.state)\n",
"role": "user"
},
{
"content": "ensure_started",
"role": "assistant"
}
] |
def x(self, sync=True):
def x():
try_it_n_times(operation=self.destroy, expected_error_codes=[
'SERVER_STATE_ILLEGAL'], custom_error='destroying server failed')
for storage in self.storage_devices:
try_it_n_times(operation=storage.destroy, expected_error_codes=
['STORAGE_STATE_ILLEGAL'], custom_error=
'destroying storage failed')
if sync:
self.populate()
if self.state in ['maintenance', 'error']:
self._wait_for_state_change(['stopped', 'started'])
if self.state == 'started':
try_it_n_times(operation=self.stop, expected_error_codes=[
'SERVER_STATE_ILLEGAL'], custom_error='stopping server failed')
self._wait_for_state_change(['stopped'])
if self.state == 'stopped':
_self_destruct()
else:
raise Exception('unknown server state: ' + self.state)
|
stop_and_destroy
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, sync=True):\n\n def x():\n try_it_n_times(operation=self.destroy, expected_error_codes=[\n 'SERVER_STATE_ILLEGAL'], custom_error='destroying server failed')\n for storage in self.storage_devices:\n try_it_n_times(operation=storage.destroy, expected_error_codes=\n ['STORAGE_STATE_ILLEGAL'], custom_error=\n 'destroying storage failed')\n if sync:\n self.populate()\n if self.state in ['maintenance', 'error']:\n self._wait_for_state_change(['stopped', 'started'])\n if self.state == 'started':\n try_it_n_times(operation=self.stop, expected_error_codes=[\n 'SERVER_STATE_ILLEGAL'], custom_error='stopping server failed')\n self._wait_for_state_change(['stopped'])\n if self.state == 'stopped':\n _self_destruct()\n else:\n raise Exception('unknown server state: ' + self.state)\n",
"role": "user"
},
{
"content": "stop_and_destroy",
"role": "assistant"
}
] |
def x(self):
if self.filepath:
if path.isfile(self.filepath):
serialised_file = open(self.filepath, 'r')
try:
self.state = json.load(serialised_file)
except ValueError:
print(
'No JSON information could be read from the persistence file - could be empty: %s'
% self.filepath)
self.state = {}
finally:
serialised_file.close()
else:
print(
'The persistence file has not yet been created or does not exist, so the state cannot be read from it yet.'
)
else:
print(
'Filepath to the persistence file is not set. State cannot be read.'
)
return False
|
revert
|
[
{
"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.filepath:\n if path.isfile(self.filepath):\n serialised_file = open(self.filepath, 'r')\n try:\n self.state = json.load(serialised_file)\n except ValueError:\n print(\n 'No JSON information could be read from the persistence file - could be empty: %s'\n % self.filepath)\n self.state = {}\n finally:\n serialised_file.close()\n else:\n print(\n 'The persistence file has not yet been created or does not exist, so the state cannot be read from it yet.'\n )\n else:\n print(\n 'Filepath to the persistence file is not set. State cannot be read.'\n )\n return False\n",
"role": "user"
},
{
"content": "revert",
"role": "assistant"
}
] |
def x(self):
if self.filepath:
serialised_file = open(self.filepath, 'w')
json.dump(self.state, serialised_file)
serialised_file.close()
else:
print(
'Filepath to the persistence file is not set. State cannot be synced to disc.'
)
|
sync
|
[
{
"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.filepath:\n serialised_file = open(self.filepath, 'w')\n json.dump(self.state, serialised_file)\n serialised_file.close()\n else:\n print(\n 'Filepath to the persistence file is not set. State cannot be synced to disc.'\n )\n",
"role": "user"
},
{
"content": "sync",
"role": "assistant"
}
] |
def x(self, **kwargs):
for key in kwargs:
setattr(self, key, kwargs[key])
for attr in self.ATTRIBUTES:
if not hasattr(self, attr) and self.ATTRIBUTES[attr] is not None:
setattr(self, attr, self.ATTRIBUTES[attr])
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n for key in kwargs:\n setattr(self, key, kwargs[key])\n for attr in self.ATTRIBUTES:\n if not hasattr(self, attr) and self.ATTRIBUTES[attr] is not None:\n setattr(self, attr, self.ATTRIBUTES[attr])\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self):
return dict((attr, getattr(self, attr)) for attr in self.ATTRIBUTES if
hasattr(self, attr))
|
to_dict
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n return dict((attr, getattr(self, attr)) for attr in self.ATTRIBUTES if\n hasattr(self, attr))\n",
"role": "user"
},
{
"content": "to_dict",
"role": "assistant"
}
] |
def x(self, bucket_name):
if not self.exists(bucket_name) and not self.claim_bucket(bucket_name):
raise OFSException('Invalid bucket: %s' % bucket_name)
return self._get_bucket(bucket_name)
|
require_bucket
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket_name):\n if not self.exists(bucket_name) and not self.claim_bucket(bucket_name):\n raise OFSException('Invalid bucket: %s' % bucket_name)\n return self._get_bucket(bucket_name)\n",
"role": "user"
},
{
"content": "require_bucket",
"role": "assistant"
}
] |
def x(self, bucket, label):
bucket = self._require_bucket(bucket)
key = self._require_key(bucket, label)
key.delete()
|
del_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label):\n bucket = self._require_bucket(bucket)\n key = self._require_key(bucket, label)\n key.delete()\n",
"role": "user"
},
{
"content": "del_stream",
"role": "assistant"
}
] |
def x(self, method, bucket='', key='', headers=None):
path = self.conn.calling_format.build_path_base(bucket, key)
auth_path = self.conn.calling_format.build_auth_path(bucket, key)
http_request = boto.connection.AWSAuthConnection.build_base_http_request(
self.conn, method, path, auth_path, {}, headers)
http_request.authorize(connection=self.conn)
return http_request
|
authenticate_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, bucket='', key='', headers=None):\n path = self.conn.calling_format.build_path_base(bucket, key)\n auth_path = self.conn.calling_format.build_auth_path(bucket, key)\n http_request = boto.connection.AWSAuthConnection.build_base_http_request(\n self.conn, method, path, auth_path, {}, headers)\n http_request.authorize(connection=self.conn)\n return http_request\n",
"role": "user"
},
{
"content": "authenticate_request",
"role": "assistant"
}
] |
def x(client_site_url, apikey):
url = client_site_url + u'deadoralive/get_resources_to_check'
response = requests.get(url, headers=dict(Authorization=apikey))
if not response.ok:
raise CouldNotGetResourceIDsError(
u"Couldn't get resource IDs to check: {code} {reason}".format(
code=response.status_code, reason=response.reason))
return response.json()
|
get_resources_to_check
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_site_url, apikey):\n url = client_site_url + u'deadoralive/get_resources_to_check'\n response = requests.get(url, headers=dict(Authorization=apikey))\n if not response.ok:\n raise CouldNotGetResourceIDsError(\n u\"Couldn't get resource IDs to check: {code} {reason}\".format(\n code=response.status_code, reason=response.reason))\n return response.json()\n",
"role": "user"
},
{
"content": "get_resources_to_check",
"role": "assistant"
}
] |
def x(client_site_url, apikey, resource_id):
url = client_site_url + u'deadoralive/get_url_for_resource_id'
params = {'resource_id': resource_id}
response = requests.get(url, headers=dict(Authorization=apikey), params
=params)
if not response.ok:
raise CouldNotGetURLError(
u"Couldn't get URL for resource {id}: {code} {reason}".format(
id=resource_id, code=response.status_code, reason=response.reason))
return response.json()
|
get_url_for_id
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_site_url, apikey, resource_id):\n url = client_site_url + u'deadoralive/get_url_for_resource_id'\n params = {'resource_id': resource_id}\n response = requests.get(url, headers=dict(Authorization=apikey), params\n =params)\n if not response.ok:\n raise CouldNotGetURLError(\n u\"Couldn't get URL for resource {id}: {code} {reason}\".format(\n id=resource_id, code=response.status_code, reason=response.reason))\n return response.json()\n",
"role": "user"
},
{
"content": "get_url_for_id",
"role": "assistant"
}
] |
def x(url):
result = {'url': url}
try:
response = requests.get(url)
result['status'] = response.status_code
result['reason'] = response.reason
response.raise_for_status()
result['alive'] = True
except AttributeError as err:
if err.message == "'NoneType' object has no attribute 'encode'":
result['alive'] = False
result['reason'] = 'Invalid URL'
result['status'] = None
else:
raise
except requests.exceptions.RequestException as err:
result['alive'] = False
if 'reason' not in result:
result['reason'] = str(err)
if 'status' not in result:
result['status'] = None
assert 'url' in result
assert result.get('alive') in (True, False)
assert 'status' in result
assert 'reason' in result
return result
|
check_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(url):\n result = {'url': url}\n try:\n response = requests.get(url)\n result['status'] = response.status_code\n result['reason'] = response.reason\n response.raise_for_status()\n result['alive'] = True\n except AttributeError as err:\n if err.message == \"'NoneType' object has no attribute 'encode'\":\n result['alive'] = False\n result['reason'] = 'Invalid URL'\n result['status'] = None\n else:\n raise\n except requests.exceptions.RequestException as err:\n result['alive'] = False\n if 'reason' not in result:\n result['reason'] = str(err)\n if 'status' not in result:\n result['status'] = None\n assert 'url' in result\n assert result.get('alive') in (True, False)\n assert 'status' in result\n assert 'reason' in result\n return result\n",
"role": "user"
},
{
"content": "check_url",
"role": "assistant"
}
] |
def x(client_site_url, apikey, resource_id, result):
url = client_site_url + u'deadoralive/upsert'
params = result.copy()
params['resource_id'] = resource_id
requests.post(url, headers=dict(Authorization=apikey), params=params)
|
upsert_result
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_site_url, apikey, resource_id, result):\n url = client_site_url + u'deadoralive/upsert'\n params = result.copy()\n params['resource_id'] = resource_id\n requests.post(url, headers=dict(Authorization=apikey), params=params)\n",
"role": "user"
},
{
"content": "upsert_result",
"role": "assistant"
}
] |
def x(client_site_url, apikey, get_resource_ids_to_check, get_url_for_id,
check_url, upsert_result):
logger = _get_logger()
resource_ids = get_resource_ids_to_check(client_site_url, apikey)
for resource_id in resource_ids:
try:
url = get_url_for_id(client_site_url, apikey, resource_id)
except CouldNotGetURLError:
logger.info(
u'This link checker was not authorized to access resource {0}, skipping.'
.format(resource_id))
continue
result = check_url(url)
status = result['status']
reason = result['reason']
if result['alive']:
logger.info(
u'Checking URL {0} of resource {1} succeeded with status {2}:'
.format(url, resource_id, status))
else:
logger.info(
u'Checking URL {0} of resource {1} failed with error {2}:'.
format(url, resource_id, reason))
upsert_result(client_site_url, apikey, resource_id=resource_id,
result=result)
|
get_check_and_report
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(client_site_url, apikey, get_resource_ids_to_check, get_url_for_id,\n check_url, upsert_result):\n logger = _get_logger()\n resource_ids = get_resource_ids_to_check(client_site_url, apikey)\n for resource_id in resource_ids:\n try:\n url = get_url_for_id(client_site_url, apikey, resource_id)\n except CouldNotGetURLError:\n logger.info(\n u'This link checker was not authorized to access resource {0}, skipping.'\n .format(resource_id))\n continue\n result = check_url(url)\n status = result['status']\n reason = result['reason']\n if result['alive']:\n logger.info(\n u'Checking URL {0} of resource {1} succeeded with status {2}:'\n .format(url, resource_id, status))\n else:\n logger.info(\n u'Checking URL {0} of resource {1} failed with error {2}:'.\n format(url, resource_id, reason))\n upsert_result(client_site_url, apikey, resource_id=resource_id,\n result=result)\n",
"role": "user"
},
{
"content": "get_check_and_report",
"role": "assistant"
}
] |
def x(self, n=1):
if n > len(self._readbuffer) - self._offset:
chunk = self.read(n)
self._offset -= len(chunk)
return self._readbuffer[self._offset:self._offset + 512]
|
peek
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=1):\n if n > len(self._readbuffer) - self._offset:\n chunk = self.read(n)\n self._offset -= len(chunk)\n return self._readbuffer[self._offset:self._offset + 512]\n",
"role": "user"
},
{
"content": "peek",
"role": "assistant"
}
] |
def x(self, n=-1):
buf = b''
while n < 0 or n is None or n > len(buf):
data = self.read1(n)
if len(data) == 0:
return buf
buf += data
return buf
|
read
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, n=-1):\n buf = b''\n while n < 0 or n is None or n > len(buf):\n data = self.read1(n)\n if len(data) == 0:\n return buf\n buf += data\n return buf\n",
"role": "user"
},
{
"content": "read",
"role": "assistant"
}
] |
def x(self):
fp = self.fp
endrec = _EndRecData(fp)
if not endrec:
raise BadZipfile('File is not a zip file')
if self.debug > 1:
print(endrec)
size_cd = endrec[_ECD_SIZE]
offset_cd = endrec[_ECD_OFFSET]
self.comment = endrec[_ECD_COMMENT]
concat = endrec[_ECD_LOCATION] - size_cd - offset_cd
if endrec[_ECD_SIGNATURE] == stringEndArchive64:
concat -= sizeEndCentDir64 + sizeEndCentDir64Locator
if self.debug > 2:
inferred = concat + offset_cd
print('given, inferred, offset', offset_cd, inferred, concat)
self.start_dir = offset_cd + concat
fp.seek(self.start_dir, 0)
data = fp.read(size_cd)
fp = cStringIO.StringIO(data)
total = 0
while total < size_cd:
centdir = fp.read(sizeCentralDir)
if centdir[0:4] != stringCentralDir:
raise BadZipfile('Bad magic number for central directory')
centdir = struct.unpack(structCentralDir, centdir)
if self.debug > 2:
print(centdir)
filename = fp.read(centdir[_CD_FILENAME_LENGTH])
x = ZipInfo(filename)
x.extra = fp.read(centdir[_CD_EXTRA_FIELD_LENGTH])
x.comment = fp.read(centdir[_CD_COMMENT_LENGTH])
x.header_offset = centdir[_CD_LOCAL_HEADER_OFFSET]
(x.create_version, x.create_system, x.extract_version, x.reserved,
x.flag_bits, x.compress_type, t, d, x.CRC, x.compress_size, x.
file_size) = centdir[1:12]
x.volume, x.internal_attr, x.external_attr = centdir[15:18]
x._raw_time = t
x.date_time = (d >> 9
) + 1980, d >> 5 & 15, d & 31, t >> 11, t >> 5 & 63, (t & 31) * 2
x._decodeExtra()
x.header_offset = x.header_offset + concat
x.filename = x._decodeFilename()
self.filelist.append(x)
self.NameToInfo[x.filename] = x
total = total + sizeCentralDir + centdir[_CD_FILENAME_LENGTH
] + centdir[_CD_EXTRA_FIELD_LENGTH] + centdir[_CD_COMMENT_LENGTH]
if self.debug > 2:
print('total', total)
|
RealGetContents
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n fp = self.fp\n endrec = _EndRecData(fp)\n if not endrec:\n raise BadZipfile('File is not a zip file')\n if self.debug > 1:\n print(endrec)\n size_cd = endrec[_ECD_SIZE]\n offset_cd = endrec[_ECD_OFFSET]\n self.comment = endrec[_ECD_COMMENT]\n concat = endrec[_ECD_LOCATION] - size_cd - offset_cd\n if endrec[_ECD_SIGNATURE] == stringEndArchive64:\n concat -= sizeEndCentDir64 + sizeEndCentDir64Locator\n if self.debug > 2:\n inferred = concat + offset_cd\n print('given, inferred, offset', offset_cd, inferred, concat)\n self.start_dir = offset_cd + concat\n fp.seek(self.start_dir, 0)\n data = fp.read(size_cd)\n fp = cStringIO.StringIO(data)\n total = 0\n while total < size_cd:\n centdir = fp.read(sizeCentralDir)\n if centdir[0:4] != stringCentralDir:\n raise BadZipfile('Bad magic number for central directory')\n centdir = struct.unpack(structCentralDir, centdir)\n if self.debug > 2:\n print(centdir)\n filename = fp.read(centdir[_CD_FILENAME_LENGTH])\n x = ZipInfo(filename)\n x.extra = fp.read(centdir[_CD_EXTRA_FIELD_LENGTH])\n x.comment = fp.read(centdir[_CD_COMMENT_LENGTH])\n x.header_offset = centdir[_CD_LOCAL_HEADER_OFFSET]\n (x.create_version, x.create_system, x.extract_version, x.reserved,\n x.flag_bits, x.compress_type, t, d, x.CRC, x.compress_size, x.\n file_size) = centdir[1:12]\n x.volume, x.internal_attr, x.external_attr = centdir[15:18]\n x._raw_time = t\n x.date_time = (d >> 9\n ) + 1980, d >> 5 & 15, d & 31, t >> 11, t >> 5 & 63, (t & 31) * 2\n x._decodeExtra()\n x.header_offset = x.header_offset + concat\n x.filename = x._decodeFilename()\n self.filelist.append(x)\n self.NameToInfo[x.filename] = x\n total = total + sizeCentralDir + centdir[_CD_FILENAME_LENGTH\n ] + centdir[_CD_EXTRA_FIELD_LENGTH] + centdir[_CD_COMMENT_LENGTH]\n if self.debug > 2:\n print('total', total)\n",
"role": "user"
},
{
"content": "RealGetContents",
"role": "assistant"
}
] |
def x(self, name, mode='r', pwd=None):
if mode not in ('r', 'U', 'rU'):
raise RuntimeError('open() requires mode "r", "U", or "rU"')
if not self.fp:
raise RuntimeError(
'Attempt to read ZIP archive that was already closed')
if self._filePassed:
zef_file = self.fp
else:
zef_file = open(self.filename, 'rb')
if isinstance(name, ZipInfo):
zinfo = name
else:
zinfo = self.getinfo(name)
zef_file.seek(zinfo.header_offset, 0)
fheader = zef_file.read(sizeFileHeader)
if fheader[0:4] != stringFileHeader:
raise BadZipfile('Bad magic number for file header')
fheader = struct.unpack(structFileHeader, fheader)
fname = zef_file.read(fheader[_FH_FILENAME_LENGTH])
if fheader[_FH_EXTRA_FIELD_LENGTH]:
zef_file.read(fheader[_FH_EXTRA_FIELD_LENGTH])
if fname != zinfo.orig_filename.encode('utf-8'):
raise BadZipfile(
'File name in directory "%s" and header "%s" differ.' % (zinfo.
orig_filename, fname))
is_encrypted = zinfo.flag_bits & 1
zd = None
if is_encrypted:
if not pwd:
pwd = self.pwd
if not pwd:
raise RuntimeError(
'File %s is encrypted, password required for extraction' % name
)
zd = _ZipDecrypter(pwd)
bytes = zef_file.read(12)
h = map(zd, bytes[0:12])
if zinfo.flag_bits & 8:
check_byte = zinfo._raw_time >> 8 & 255
else:
check_byte = zinfo.CRC >> 24 & 255
if ord(h[11]) != check_byte:
raise RuntimeError('Bad password for file', name)
return ZipExtFile(zef_file, mode, zinfo, zd)
|
open
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, name, mode='r', pwd=None):\n if mode not in ('r', 'U', 'rU'):\n raise RuntimeError('open() requires mode \"r\", \"U\", or \"rU\"')\n if not self.fp:\n raise RuntimeError(\n 'Attempt to read ZIP archive that was already closed')\n if self._filePassed:\n zef_file = self.fp\n else:\n zef_file = open(self.filename, 'rb')\n if isinstance(name, ZipInfo):\n zinfo = name\n else:\n zinfo = self.getinfo(name)\n zef_file.seek(zinfo.header_offset, 0)\n fheader = zef_file.read(sizeFileHeader)\n if fheader[0:4] != stringFileHeader:\n raise BadZipfile('Bad magic number for file header')\n fheader = struct.unpack(structFileHeader, fheader)\n fname = zef_file.read(fheader[_FH_FILENAME_LENGTH])\n if fheader[_FH_EXTRA_FIELD_LENGTH]:\n zef_file.read(fheader[_FH_EXTRA_FIELD_LENGTH])\n if fname != zinfo.orig_filename.encode('utf-8'):\n raise BadZipfile(\n 'File name in directory \"%s\" and header \"%s\" differ.' % (zinfo.\n orig_filename, fname))\n is_encrypted = zinfo.flag_bits & 1\n zd = None\n if is_encrypted:\n if not pwd:\n pwd = self.pwd\n if not pwd:\n raise RuntimeError(\n 'File %s is encrypted, password required for extraction' % name\n )\n zd = _ZipDecrypter(pwd)\n bytes = zef_file.read(12)\n h = map(zd, bytes[0:12])\n if zinfo.flag_bits & 8:\n check_byte = zinfo._raw_time >> 8 & 255\n else:\n check_byte = zinfo.CRC >> 24 & 255\n if ord(h[11]) != check_byte:\n raise RuntimeError('Bad password for file', name)\n return ZipExtFile(zef_file, mode, zinfo, zd)\n",
"role": "user"
},
{
"content": "open",
"role": "assistant"
}
] |
def x(self, member):
if isinstance(member, ZipInfo):
zinfo = member
else:
zinfo = self.getinfo(member)
zlen = len(zinfo.FileHeader()) + zinfo.compress_size
fileidx = self.filelist.index(zinfo)
fileofs = sum([(len(self.filelist[f].FileHeader()) + self.filelist[f].
compress_size) for f in xrange(0, fileidx)])
self.fp.seek(fileofs + zlen)
after = self.fp.read()
self.fp.seek(fileofs)
self.fp.write(after)
self.fp.seek(-zlen, 2)
self.fp.truncate()
self._didModify = True
self.filelist.remove(zinfo)
del self.NameToInfo[member]
|
remove
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, member):\n if isinstance(member, ZipInfo):\n zinfo = member\n else:\n zinfo = self.getinfo(member)\n zlen = len(zinfo.FileHeader()) + zinfo.compress_size\n fileidx = self.filelist.index(zinfo)\n fileofs = sum([(len(self.filelist[f].FileHeader()) + self.filelist[f].\n compress_size) for f in xrange(0, fileidx)])\n self.fp.seek(fileofs + zlen)\n after = self.fp.read()\n self.fp.seek(fileofs)\n self.fp.write(after)\n self.fp.seek(-zlen, 2)\n self.fp.truncate()\n self._didModify = True\n self.filelist.remove(zinfo)\n del self.NameToInfo[member]\n",
"role": "user"
},
{
"content": "remove",
"role": "assistant"
}
] |
def x(self, pathname, basename):
file_py = pathname + '.py'
file_pyc = pathname + '.pyc'
file_pyo = pathname + '.pyo'
if os.path.isfile(file_pyo) and os.stat(file_pyo).st_mtime >= os.stat(
file_py).st_mtime:
fname = file_pyo
elif not os.path.isfile(file_pyc) or os.stat(file_pyc).st_mtime < os.stat(
file_py).st_mtime:
import py_compile
if self.debug:
print('Compiling', file_py)
try:
py_compile.compile(file_py, file_pyc, None, True)
except py_compile.PyCompileError as err:
print(err.msg)
fname = file_pyc
else:
fname = file_pyc
archivename = os.path.split(fname)[1]
if basename:
archivename = '%s/%s' % (basename, archivename)
return fname, archivename
|
get_codename
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, pathname, basename):\n file_py = pathname + '.py'\n file_pyc = pathname + '.pyc'\n file_pyo = pathname + '.pyo'\n if os.path.isfile(file_pyo) and os.stat(file_pyo).st_mtime >= os.stat(\n file_py).st_mtime:\n fname = file_pyo\n elif not os.path.isfile(file_pyc) or os.stat(file_pyc).st_mtime < os.stat(\n file_py).st_mtime:\n import py_compile\n if self.debug:\n print('Compiling', file_py)\n try:\n py_compile.compile(file_py, file_pyc, None, True)\n except py_compile.PyCompileError as err:\n print(err.msg)\n fname = file_pyc\n else:\n fname = file_pyc\n archivename = os.path.split(fname)[1]\n if basename:\n archivename = '%s/%s' % (basename, archivename)\n return fname, archivename\n",
"role": "user"
},
{
"content": "get_codename",
"role": "assistant"
}
] |
def x(class_path):
module_name, class_name = class_path.rsplit('.', 1)
module = import_module(module_name)
claz = getattr(module, class_name)
return claz
|
import_class
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(class_path):\n module_name, class_name = class_path.rsplit('.', 1)\n module = import_module(module_name)\n claz = getattr(module, class_name)\n return claz\n",
"role": "user"
},
{
"content": "import_class",
"role": "assistant"
}
] |
def x(self):
if self.EXECUTE_PARALLEL is False:
executor_path = 'batch_requests.concurrent.executor.SequentialExecutor'
executor_class = import_class(executor_path)
return executor_class()
else:
executor_path = self.CONCURRENT_EXECUTOR
executor_class = import_class(executor_path)
return executor_class(self.NUM_WORKERS)
|
executor
|
[
{
"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.EXECUTE_PARALLEL is False:\n executor_path = 'batch_requests.concurrent.executor.SequentialExecutor'\n executor_class = import_class(executor_path)\n return executor_class()\n else:\n executor_path = self.CONCURRENT_EXECUTOR\n executor_class = import_class(executor_path)\n return executor_class(self.NUM_WORKERS)\n",
"role": "user"
},
{
"content": "executor",
"role": "assistant"
}
] |
def x(self, path):
from datetime import datetime
from StringIO import StringIO
path = path.lstrip('/')
bucket, label = path.split('/', 1)
bucket = self.ofs._require_bucket(bucket)
key = self.ofs._get_key(bucket, label)
if key is None:
key = bucket.new_key(label)
self.ofs._update_key_metadata(key, {'_creation_time': str(datetime.
utcnow())})
key.set_contents_from_file(StringIO(''))
key.close()
|
make_label
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path):\n from datetime import datetime\n from StringIO import StringIO\n path = path.lstrip('/')\n bucket, label = path.split('/', 1)\n bucket = self.ofs._require_bucket(bucket)\n key = self.ofs._get_key(bucket, label)\n if key is None:\n key = bucket.new_key(label)\n self.ofs._update_key_metadata(key, {'_creation_time': str(datetime.\n utcnow())})\n key.set_contents_from_file(StringIO(''))\n key.close()\n",
"role": "user"
},
{
"content": "make_label",
"role": "assistant"
}
] |
def x(self, headers, path):
self.ofs.conn.add_aws_auth_header(headers, 'PUT', path)
from pprint import pprint
pprint(headers)
host = self.ofs.conn.server_name()
return host, headers
|
get_proxy_config
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, headers, path):\n self.ofs.conn.add_aws_auth_header(headers, 'PUT', path)\n from pprint import pprint\n pprint(headers)\n host = self.ofs.conn.server_name()\n return host, headers\n",
"role": "user"
},
{
"content": "get_proxy_config",
"role": "assistant"
}
] |
def x(self, path, filename, content_type=None, content_encoding=None, cb=
None, num_cb=None):
from boto.connection import AWSAuthConnection
import mimetypes
from hashlib import md5
import base64
BufferSize = 65536
fp = open(filename)
headers = {'Content-Type': content_type}
if content_type is None:
content_type = mimetypes.guess_type(filename)[0] or 'text/plain'
headers['Content-Type'] = content_type
if content_encoding is not None:
headers['Content-Encoding'] = content_encoding
m = md5()
fp.seek(0)
s = fp.read(BufferSize)
while s:
m.update(s)
s = fp.read(BufferSize)
self.size = fp.tell()
fp.seek(0)
self.md5 = m.hexdigest()
headers['Content-MD5'] = base64.encodestring(m.digest()).rstrip('\n')
headers['Content-Length'] = str(self.size)
headers['Expect'] = '100-Continue'
host, headers = self.get_proxy_config(headers, path)
print('curl -i --trace-ascii foo.log -T %s -H %s https://%s%s' % (
filename, ' -H '.join("'%s: %s'" % (k, v) for k, v in headers.items
()), host, path))
def x(http_conn, method, path, data, headers):
http_conn.putrequest(method, path)
for key in headers:
http_conn.putheader(key, headers[key])
http_conn.endheaders()
fp.seek(0)
http_conn.set_debuglevel(0)
if cb:
if num_cb > 2:
cb_count = self.size / BufferSize / (num_cb - 2)
elif num_cb < 0:
cb_count = -1
else:
cb_count = 0
i = total_bytes = 0
cb(total_bytes, self.size)
l = fp.read(BufferSize)
while len(l) > 0:
http_conn.send(l)
if cb:
total_bytes += len(l)
i += 1
if i == cb_count or cb_count == -1:
cb(total_bytes, self.size)
i = 0
l = fp.read(BufferSize)
if cb:
cb(total_bytes, self.size)
response = http_conn.getresponse()
body = response.read()
fp.seek(0)
if (response.status == 500 or response.status == 503 or response.
getheader('location')):
return response
elif response.status >= 200 and response.status <= 299:
self.etag = response.getheader('etag')
if self.etag != '"%s"' % self.md5:
raise Exception('ETag from S3 did not match computed MD5')
return response
else:
raise Exception(response.status, response.reason, body)
awsc = AWSAuthConnection(host, aws_access_key_id='key_id',
aws_secret_access_key='secret')
awsc._mexe('PUT', path, None, headers, sender=sender)
|
proxy_upload
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, path, filename, content_type=None, content_encoding=None, cb=\n None, num_cb=None):\n from boto.connection import AWSAuthConnection\n import mimetypes\n from hashlib import md5\n import base64\n BufferSize = 65536\n fp = open(filename)\n headers = {'Content-Type': content_type}\n if content_type is None:\n content_type = mimetypes.guess_type(filename)[0] or 'text/plain'\n headers['Content-Type'] = content_type\n if content_encoding is not None:\n headers['Content-Encoding'] = content_encoding\n m = md5()\n fp.seek(0)\n s = fp.read(BufferSize)\n while s:\n m.update(s)\n s = fp.read(BufferSize)\n self.size = fp.tell()\n fp.seek(0)\n self.md5 = m.hexdigest()\n headers['Content-MD5'] = base64.encodestring(m.digest()).rstrip('\\n')\n headers['Content-Length'] = str(self.size)\n headers['Expect'] = '100-Continue'\n host, headers = self.get_proxy_config(headers, path)\n print('curl -i --trace-ascii foo.log -T %s -H %s https://%s%s' % (\n filename, ' -H '.join(\"'%s: %s'\" % (k, v) for k, v in headers.items\n ()), host, path))\n\n def x(http_conn, method, path, data, headers):\n http_conn.putrequest(method, path)\n for key in headers:\n http_conn.putheader(key, headers[key])\n http_conn.endheaders()\n fp.seek(0)\n http_conn.set_debuglevel(0)\n if cb:\n if num_cb > 2:\n cb_count = self.size / BufferSize / (num_cb - 2)\n elif num_cb < 0:\n cb_count = -1\n else:\n cb_count = 0\n i = total_bytes = 0\n cb(total_bytes, self.size)\n l = fp.read(BufferSize)\n while len(l) > 0:\n http_conn.send(l)\n if cb:\n total_bytes += len(l)\n i += 1\n if i == cb_count or cb_count == -1:\n cb(total_bytes, self.size)\n i = 0\n l = fp.read(BufferSize)\n if cb:\n cb(total_bytes, self.size)\n response = http_conn.getresponse()\n body = response.read()\n fp.seek(0)\n if (response.status == 500 or response.status == 503 or response.\n getheader('location')):\n return response\n elif response.status >= 200 and response.status <= 299:\n self.etag = response.getheader('etag')\n if self.etag != '\"%s\"' % self.md5:\n raise Exception('ETag from S3 did not match computed MD5')\n return response\n else:\n raise Exception(response.status, response.reason, body)\n awsc = AWSAuthConnection(host, aws_access_key_id='key_id',\n aws_secret_access_key='secret')\n awsc._mexe('PUT', path, None, headers, sender=sender)\n",
"role": "user"
},
{
"content": "proxy_upload",
"role": "assistant"
}
] |
def x(self, terr=KKBOXTerritory.TAIWAN):
url = 'https://api.kkbox.com/v1.1/mood-stations'
url += '?' + url_parse.urlencode({'territory': terr})
return self.http._post_data(url, None, self.http.
_headers_with_access_token())
|
fetch_all_mood_stations
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, terr=KKBOXTerritory.TAIWAN):\n url = 'https://api.kkbox.com/v1.1/mood-stations'\n url += '?' + url_parse.urlencode({'territory': terr})\n return self.http._post_data(url, None, self.http.\n _headers_with_access_token())\n",
"role": "user"
},
{
"content": "fetch_all_mood_stations",
"role": "assistant"
}
] |
def x(self, station_id, terr=KKBOXTerritory.TAIWAN):
url = 'https://api.kkbox.com/v1.1/mood-stations/%s' % station_id
url += '?' + url_parse.urlencode({'territory': terr})
return self.http._post_data(url, None, self.http.
_headers_with_access_token())
|
fetch_mood_station
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, station_id, terr=KKBOXTerritory.TAIWAN):\n url = 'https://api.kkbox.com/v1.1/mood-stations/%s' % station_id\n url += '?' + url_parse.urlencode({'territory': terr})\n return self.http._post_data(url, None, self.http.\n _headers_with_access_token())\n",
"role": "user"
},
{
"content": "fetch_mood_station",
"role": "assistant"
}
] |
def x(self, data):
next_url = data['paging']['next']
if next_url != None:
next_data = self.http._post_data(next_url, None, self.http.
_headers_with_access_token())
return next_data
else:
return None
|
fetch_next_page
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n next_url = data['paging']['next']\n if next_url != None:\n next_data = self.http._post_data(next_url, None, self.http.\n _headers_with_access_token())\n return next_data\n else:\n return None\n",
"role": "user"
},
{
"content": "fetch_next_page",
"role": "assistant"
}
] |
def x(self, url):
return self.http._post_data(url, None, self.http.
_headers_with_access_token())
|
fetch_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, url):\n return self.http._post_data(url, None, self.http.\n _headers_with_access_token())\n",
"role": "user"
},
{
"content": "fetch_data",
"role": "assistant"
}
] |
def x(self, playlist_id, terr=KKBOXTerritory.TAIWAN):
url = 'https://api.kkbox.com/v1.1/shared-playlists/%s' % playlist_id
url += '?' + url_parse.urlencode({'territory': terr})
return self.http._post_data(url, None, self.http.
_headers_with_access_token())
|
fetch_shared_playlist
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, playlist_id, terr=KKBOXTerritory.TAIWAN):\n url = 'https://api.kkbox.com/v1.1/shared-playlists/%s' % playlist_id\n url += '?' + url_parse.urlencode({'territory': terr})\n return self.http._post_data(url, None, self.http.\n _headers_with_access_token())\n",
"role": "user"
},
{
"content": "fetch_shared_playlist",
"role": "assistant"
}
] |
def x(self, server_uuid, firewall_rule_position, server_instance=None):
url = '/server/{0}/firewall_rule/{1}'.format(server_uuid,
firewall_rule_position)
res = self.get_request(url)
return FirewallRule(**res['firewall_rule'])
|
get_firewall_rule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server_uuid, firewall_rule_position, server_instance=None):\n url = '/server/{0}/firewall_rule/{1}'.format(server_uuid,\n firewall_rule_position)\n res = self.get_request(url)\n return FirewallRule(**res['firewall_rule'])\n",
"role": "user"
},
{
"content": "get_firewall_rule",
"role": "assistant"
}
] |
def x(self, server):
server_uuid, server_instance = uuid_and_instance(server)
url = '/server/{0}/firewall_rule'.format(server_uuid)
res = self.get_request(url)
return [FirewallRule(server=server_instance, **firewall_rule) for
firewall_rule in res['firewall_rules']['firewall_rule']]
|
get_firewall_rules
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server):\n server_uuid, server_instance = uuid_and_instance(server)\n url = '/server/{0}/firewall_rule'.format(server_uuid)\n res = self.get_request(url)\n return [FirewallRule(server=server_instance, **firewall_rule) for\n firewall_rule in res['firewall_rules']['firewall_rule']]\n",
"role": "user"
},
{
"content": "get_firewall_rules",
"role": "assistant"
}
] |
def x(self, server, firewall_rule_body):
server_uuid, server_instance = uuid_and_instance(server)
url = '/server/{0}/firewall_rule'.format(server_uuid)
body = {'firewall_rule': firewall_rule_body}
res = self.post_request(url, body)
return FirewallRule(server=server_instance, **res['firewall_rule'])
|
create_firewall_rule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server, firewall_rule_body):\n server_uuid, server_instance = uuid_and_instance(server)\n url = '/server/{0}/firewall_rule'.format(server_uuid)\n body = {'firewall_rule': firewall_rule_body}\n res = self.post_request(url, body)\n return FirewallRule(server=server_instance, **res['firewall_rule'])\n",
"role": "user"
},
{
"content": "create_firewall_rule",
"role": "assistant"
}
] |
def x(self, server_uuid, firewall_rule_position):
url = '/server/{0}/firewall_rule/{1}'.format(server_uuid,
firewall_rule_position)
return self.request('DELETE', url)
|
delete_firewall_rule
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server_uuid, firewall_rule_position):\n url = '/server/{0}/firewall_rule/{1}'.format(server_uuid,\n firewall_rule_position)\n return self.request('DELETE', url)\n",
"role": "user"
},
{
"content": "delete_firewall_rule",
"role": "assistant"
}
] |
def x(self, server, firewall_rule_bodies):
server_uuid, server_instance = uuid_and_instance(server)
return [self.create_firewall_rule(server_uuid, rule) for rule in
firewall_rule_bodies]
|
configure_firewall
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server, firewall_rule_bodies):\n server_uuid, server_instance = uuid_and_instance(server)\n return [self.create_firewall_rule(server_uuid, rule) for rule in\n firewall_rule_bodies]\n",
"role": "user"
},
{
"content": "configure_firewall",
"role": "assistant"
}
] |
def x(self, data):
uri = '{}/sinkhole'.format(self.client.remote)
self.logger.debug(uri)
if PYVERSION == 2:
try:
data = data.decode('utf-8')
except Exception:
data = data.decode('latin-1')
data = {'message': data}
body = self.client.post(uri, data)
return body
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, data):\n uri = '{}/sinkhole'.format(self.client.remote)\n self.logger.debug(uri)\n if PYVERSION == 2:\n try:\n data = data.decode('utf-8')\n except Exception:\n data = data.decode('latin-1')\n data = {'message': data}\n body = self.client.post(uri, data)\n return body\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(method, headers):
method = method.lower()
_wsgi_headers = ['content_length', 'content_type', 'query_string',
'remote_addr', 'remote_host', 'remote_user', 'request_method',
'server_name', 'server_port']
_transformed_headers = {}
for header, value in headers.items():
header = header.replace('-', '_')
header = 'http_{header}'.format(header=header) if header.lower(
) not in _wsgi_headers else header
_transformed_headers.update({header.upper(): value})
return method, _transformed_headers
|
pre_process_method_headers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(method, headers):\n method = method.lower()\n _wsgi_headers = ['content_length', 'content_type', 'query_string',\n 'remote_addr', 'remote_host', 'remote_user', 'request_method',\n 'server_name', 'server_port']\n _transformed_headers = {}\n for header, value in headers.items():\n header = header.replace('-', '_')\n header = 'http_{header}'.format(header=header) if header.lower(\n ) not in _wsgi_headers else header\n _transformed_headers.update({header.upper(): value})\n return method, _transformed_headers\n",
"role": "user"
},
{
"content": "pre_process_method_headers",
"role": "assistant"
}
] |
def x(curr_request):
return {h: v for h, v in curr_request.META.items() if h in _settings.
HEADERS_TO_INCLUDE}
|
headers_to_include_from_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curr_request):\n return {h: v for h, v in curr_request.META.items() if h in _settings.\n HEADERS_TO_INCLUDE}\n",
"role": "user"
},
{
"content": "headers_to_include_from_request",
"role": "assistant"
}
] |
def x(curr_request, method, url, headers, body):
x_headers = headers_to_include_from_request(curr_request)
method, t_headers = pre_process_method_headers(method, headers)
if 'CONTENT_TYPE' not in t_headers:
t_headers.update({'CONTENT_TYPE': _settings.DEFAULT_CONTENT_TYPE})
x_headers.update(t_headers)
content_type = x_headers.get('CONTENT_TYPE', _settings.DEFAULT_CONTENT_TYPE
)
_request_factory = BatchRequestFactory()
_request_provider = getattr(_request_factory, method)
secure = _settings.USE_HTTPS
request = _request_provider(url, data=body, secure=secure, content_type
=content_type, **x_headers)
return request
|
get_wsgi_request_object
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(curr_request, method, url, headers, body):\n x_headers = headers_to_include_from_request(curr_request)\n method, t_headers = pre_process_method_headers(method, headers)\n if 'CONTENT_TYPE' not in t_headers:\n t_headers.update({'CONTENT_TYPE': _settings.DEFAULT_CONTENT_TYPE})\n x_headers.update(t_headers)\n content_type = x_headers.get('CONTENT_TYPE', _settings.DEFAULT_CONTENT_TYPE\n )\n _request_factory = BatchRequestFactory()\n _request_provider = getattr(_request_factory, method)\n secure = _settings.USE_HTTPS\n request = _request_provider(url, data=body, secure=secure, content_type\n =content_type, **x_headers)\n return request\n",
"role": "user"
},
{
"content": "get_wsgi_request_object",
"role": "assistant"
}
] |
def x(self, **request):
environ = {'HTTP_COOKIE': self.cookies.output(header='', sep='; '),
'PATH_INFO': str('/'), 'REMOTE_ADDR': str('127.0.0.1'),
'REQUEST_METHOD': str('GET'), 'SCRIPT_NAME': str(''), 'SERVER_NAME':
str('localhost'), 'SERVER_PORT': str('8000'), 'SERVER_PROTOCOL':
str('HTTP/1.1'), 'wsgi.version': (1, 0), 'wsgi.url_scheme': str(
'http'), 'wsgi.input': FakePayload(b''), 'wsgi.errors': self.errors,
'wsgi.multiprocess': True, 'wsgi.multithread': True,
'wsgi.run_once': False}
environ.update(self.defaults)
environ.update(request)
return environ
|
base_environ
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **request):\n environ = {'HTTP_COOKIE': self.cookies.output(header='', sep='; '),\n 'PATH_INFO': str('/'), 'REMOTE_ADDR': str('127.0.0.1'),\n 'REQUEST_METHOD': str('GET'), 'SCRIPT_NAME': str(''), 'SERVER_NAME':\n str('localhost'), 'SERVER_PORT': str('8000'), 'SERVER_PROTOCOL':\n str('HTTP/1.1'), 'wsgi.version': (1, 0), 'wsgi.url_scheme': str(\n 'http'), 'wsgi.input': FakePayload(b''), 'wsgi.errors': self.errors,\n 'wsgi.multiprocess': True, 'wsgi.multithread': True,\n 'wsgi.run_once': False}\n environ.update(self.defaults)\n environ.update(request)\n return environ\n",
"role": "user"
},
{
"content": "base_environ",
"role": "assistant"
}
] |
def x(self, method, endpoint, body=None, timeout=-1):
if method not in set(['GET', 'POST', 'PUT', 'DELETE']):
raise Exception('Invalid/Forbidden HTTP method')
url = '/' + self.api_v + endpoint
headers = {'Authorization': self.token, 'Content-Type': 'application/json'}
if body:
json_body_or_None = json.dumps(body)
else:
json_body_or_None = None
call_timeout = timeout if timeout != -1 else self.timeout
APIcall = getattr(requests, method.lower())
res = APIcall('https://api.upcloud.com' + url, data=json_body_or_None,
headers=headers, timeout=call_timeout)
if res.text:
res_json = res.json()
else:
res_json = {}
return self.__error_middleware(res, res_json)
|
request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, method, endpoint, body=None, timeout=-1):\n if method not in set(['GET', 'POST', 'PUT', 'DELETE']):\n raise Exception('Invalid/Forbidden HTTP method')\n url = '/' + self.api_v + endpoint\n headers = {'Authorization': self.token, 'Content-Type': 'application/json'}\n if body:\n json_body_or_None = json.dumps(body)\n else:\n json_body_or_None = None\n call_timeout = timeout if timeout != -1 else self.timeout\n APIcall = getattr(requests, method.lower())\n res = APIcall('https://api.upcloud.com' + url, data=json_body_or_None,\n headers=headers, timeout=call_timeout)\n if res.text:\n res_json = res.json()\n else:\n res_json = {}\n return self.__error_middleware(res, res_json)\n",
"role": "user"
},
{
"content": "request",
"role": "assistant"
}
] |
def x(self, endpoint, body=None, timeout=-1):
return self.request('POST', endpoint, body, timeout)
|
post_request
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, endpoint, body=None, timeout=-1):\n return self.request('POST', endpoint, body, timeout)\n",
"role": "user"
},
{
"content": "post_request",
"role": "assistant"
}
] |
def x(self, res, res_json):
if res.status_code in [400, 401, 402, 403, 404, 405, 406, 409]:
err_dict = res_json.get('error', {})
raise UpCloudAPIError(error_code=err_dict.get('error_code'),
error_message=err_dict.get('error_message'))
return res_json
|
error_middleware
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, res, res_json):\n if res.status_code in [400, 401, 402, 403, 404, 405, 406, 409]:\n err_dict = res_json.get('error', {})\n raise UpCloudAPIError(error_code=err_dict.get('error_code'),\n error_message=err_dict.get('error_message'))\n return res_json\n",
"role": "user"
},
{
"content": "error_middleware",
"role": "assistant"
}
] |
def x(self, bucket, label, stream_object, params={}):
self.claim_bucket(bucket)
self.connection.put_object(bucket, label, stream_object, headers=self.
_convert_to_meta(params))
|
put_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label, stream_object, params={}):\n self.claim_bucket(bucket)\n self.connection.put_object(bucket, label, stream_object, headers=self.\n _convert_to_meta(params))\n",
"role": "user"
},
{
"content": "put_stream",
"role": "assistant"
}
] |
def x(gbm, array_or_frame, indices_or_columns='all'):
if indices_or_columns == 'all':
if gbm.max_depth < array_or_frame.shape[1]:
raise Exception(
"gbm.max_depth == {} < array_or_frame.shape[1] == {}, so indices_or_columns must not be 'all'."
.format(gbm.max_depth, array_or_frame.shape[1]))
elif gbm.max_depth < len(indices_or_columns):
raise Exception(
'gbm.max_depth == {}, so indices_or_columns must contain at most {} {}.'
.format(gbm.max_depth, gbm.max_depth, 'element' if gbm.
max_depth == 1 else 'elements'))
check_args_contd(array_or_frame, indices_or_columns)
arr, model_inds = get_arr_and_model_inds(array_or_frame, indices_or_columns
)
width = arr.shape[1]
f_vals = {}
for n in range(width, 0, -1):
for inds in itertools.combinations(range(width), n):
f_vals[inds] = compute_f_vals(gbm, model_inds, arr, inds)
return compute_h_val(f_vals, arr, tuple(range(width)))
|
h
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gbm, array_or_frame, indices_or_columns='all'):\n if indices_or_columns == 'all':\n if gbm.max_depth < array_or_frame.shape[1]:\n raise Exception(\n \"gbm.max_depth == {} < array_or_frame.shape[1] == {}, so indices_or_columns must not be 'all'.\"\n .format(gbm.max_depth, array_or_frame.shape[1]))\n elif gbm.max_depth < len(indices_or_columns):\n raise Exception(\n 'gbm.max_depth == {}, so indices_or_columns must contain at most {} {}.'\n .format(gbm.max_depth, gbm.max_depth, 'element' if gbm.\n max_depth == 1 else 'elements'))\n check_args_contd(array_or_frame, indices_or_columns)\n arr, model_inds = get_arr_and_model_inds(array_or_frame, indices_or_columns\n )\n width = arr.shape[1]\n f_vals = {}\n for n in range(width, 0, -1):\n for inds in itertools.combinations(range(width), n):\n f_vals[inds] = compute_f_vals(gbm, model_inds, arr, inds)\n return compute_h_val(f_vals, arr, tuple(range(width)))\n",
"role": "user"
},
{
"content": "h",
"role": "assistant"
}
] |
def x(gbm, array_or_frame, indices_or_columns='all'):
if gbm.max_depth < 2:
raise Exception('gbm.max_depth must be at least 2.')
check_args_contd(array_or_frame, indices_or_columns)
arr, model_inds = get_arr_and_model_inds(array_or_frame, indices_or_columns
)
width = arr.shape[1]
f_vals = {}
for n in [2, 1]:
for inds in itertools.combinations(range(width), n):
f_vals[inds] = compute_f_vals(gbm, model_inds, arr, inds)
h_vals = {}
for inds in itertools.combinations(range(width), 2):
h_vals[inds] = compute_h_val(f_vals, arr, inds)
if indices_or_columns != 'all':
h_vals = {tuple(model_inds[inds,]): h_vals[inds] for inds in h_vals
.keys()}
if not isinstance(array_or_frame, np.ndarray):
all_cols = array_or_frame.columns.values
h_vals = {tuple(all_cols[inds,]): h_vals[inds] for inds in h_vals.
keys()}
return h_vals
|
h_all_pairs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(gbm, array_or_frame, indices_or_columns='all'):\n if gbm.max_depth < 2:\n raise Exception('gbm.max_depth must be at least 2.')\n check_args_contd(array_or_frame, indices_or_columns)\n arr, model_inds = get_arr_and_model_inds(array_or_frame, indices_or_columns\n )\n width = arr.shape[1]\n f_vals = {}\n for n in [2, 1]:\n for inds in itertools.combinations(range(width), n):\n f_vals[inds] = compute_f_vals(gbm, model_inds, arr, inds)\n h_vals = {}\n for inds in itertools.combinations(range(width), 2):\n h_vals[inds] = compute_h_val(f_vals, arr, inds)\n if indices_or_columns != 'all':\n h_vals = {tuple(model_inds[inds,]): h_vals[inds] for inds in h_vals\n .keys()}\n if not isinstance(array_or_frame, np.ndarray):\n all_cols = array_or_frame.columns.values\n h_vals = {tuple(all_cols[inds,]): h_vals[inds] for inds in h_vals.\n keys()}\n return h_vals\n",
"role": "user"
},
{
"content": "h_all_pairs",
"role": "assistant"
}
] |
def x(self, q, limit=None):
uri = '{}/predict?q={}'.format(self.client.remote, q)
self.logger.debug(uri)
body = self.client.get(uri)
return body['score']
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, q, limit=None):\n uri = '{}/predict?q={}'.format(self.client.remote, q)\n self.logger.debug(uri)\n body = self.client.get(uri)\n return body['score']\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, bucket, label):
fn = self._zf(bucket, label)
try:
self.z.getinfo(fn)
return True
except KeyError:
return False
|
exists
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label):\n fn = self._zf(bucket, label)\n try:\n self.z.getinfo(fn)\n return True\n except KeyError:\n return False\n",
"role": "user"
},
{
"content": "exists",
"role": "assistant"
}
] |
def x(self, bucket):
for name in self.z.namelist():
container, label = self._nf(name.encode('utf-8'))
if container == bucket and label != MD_FILE:
yield label
|
list_labels
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket):\n for name in self.z.namelist():\n container, label = self._nf(name.encode('utf-8'))\n if container == bucket and label != MD_FILE:\n yield label\n",
"role": "user"
},
{
"content": "list_labels",
"role": "assistant"
}
] |
def x(self):
buckets = set()
for name in self.z.namelist():
bucket, _ = self._nf(name)
if bucket not in buckets:
buckets.add(bucket)
yield bucket
|
list_buckets
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n buckets = set()\n for name in self.z.namelist():\n bucket, _ = self._nf(name)\n if bucket not in buckets:\n buckets.add(bucket)\n yield bucket\n",
"role": "user"
},
{
"content": "list_buckets",
"role": "assistant"
}
] |
def x(self, bucket, label, as_stream=True):
if self.mode == 'w':
raise OFSException("Cannot read from archive in 'w' mode")
elif self.exists(bucket, label):
fn = self._zf(bucket, label)
if as_stream:
return self.z.open(fn)
else:
return self.z.read(fn)
else:
raise OFSFileNotFound
|
get_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label, as_stream=True):\n if self.mode == 'w':\n raise OFSException(\"Cannot read from archive in 'w' mode\")\n elif self.exists(bucket, label):\n fn = self._zf(bucket, label)\n if as_stream:\n return self.z.open(fn)\n else:\n return self.z.read(fn)\n else:\n raise OFSFileNotFound\n",
"role": "user"
},
{
"content": "get_stream",
"role": "assistant"
}
] |
def x(self, bucket, label):
if self.exists(bucket, label):
root = 'zip:file//%s' % os.path.abspath(self.zipfile)
fn = self._zf(bucket, label)
return '!/'.join(root, fn)
else:
raise OFSFileNotFound
|
get_url
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label):\n if self.exists(bucket, label):\n root = 'zip:file//%s' % os.path.abspath(self.zipfile)\n fn = self._zf(bucket, label)\n return '!/'.join(root, fn)\n else:\n raise OFSFileNotFound\n",
"role": "user"
},
{
"content": "get_url",
"role": "assistant"
}
] |
def x(self, bucket, label, stream_object, params=None, replace=True, add_md
=True):
if self.mode == 'r':
raise OFSException("Cannot write into archive in 'r' mode")
else:
params = params or {}
fn = self._zf(bucket, label)
params['_creation_date'] = datetime.now().isoformat().split('.')[0]
params['_label'] = label
if self.exists(bucket, label) and replace == True:
zinfo = self.z.getinfo(fn)
size, chksum = self._write(self.z, bucket, label, stream_object)
self._del_stream(zinfo)
params['_content_length'] = size
if chksum:
params['_checksum'] = chksum
else:
size, chksum = self._write(self.z, bucket, label, stream_object)
params['_content_length'] = size
if chksum:
params['_checksum'] = chksum
if add_md:
params = self.update_metadata(bucket, label, params)
return params
|
put_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label, stream_object, params=None, replace=True, add_md\n =True):\n if self.mode == 'r':\n raise OFSException(\"Cannot write into archive in 'r' mode\")\n else:\n params = params or {}\n fn = self._zf(bucket, label)\n params['_creation_date'] = datetime.now().isoformat().split('.')[0]\n params['_label'] = label\n if self.exists(bucket, label) and replace == True:\n zinfo = self.z.getinfo(fn)\n size, chksum = self._write(self.z, bucket, label, stream_object)\n self._del_stream(zinfo)\n params['_content_length'] = size\n if chksum:\n params['_checksum'] = chksum\n else:\n size, chksum = self._write(self.z, bucket, label, stream_object)\n params['_content_length'] = size\n if chksum:\n params['_checksum'] = chksum\n if add_md:\n params = self.update_metadata(bucket, label, params)\n return params\n",
"role": "user"
},
{
"content": "put_stream",
"role": "assistant"
}
] |
def x(self, bucket, label):
if self.exists(bucket, label):
name = self._zf(bucket, label)
self._del_stream(name)
|
del_stream
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label):\n if self.exists(bucket, label):\n name = self._zf(bucket, label)\n self._del_stream(name)\n",
"role": "user"
},
{
"content": "del_stream",
"role": "assistant"
}
] |
def x(self, bucket, label):
if self.mode != 'w':
try:
jsn = self._get_bucket_md(bucket)
except OFSFileNotFound:
return {}
except OFSException as e:
raise OFSException(e)
if label in jsn:
return jsn[label]
else:
return {}
else:
raise OFSException("Cannot read md from archive in 'w' mode")
|
get_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label):\n if self.mode != 'w':\n try:\n jsn = self._get_bucket_md(bucket)\n except OFSFileNotFound:\n return {}\n except OFSException as e:\n raise OFSException(e)\n if label in jsn:\n return jsn[label]\n else:\n return {}\n else:\n raise OFSException(\"Cannot read md from archive in 'w' mode\")\n",
"role": "user"
},
{
"content": "get_metadata",
"role": "assistant"
}
] |
def x(self, bucket, label, params):
if self.mode != 'r':
try:
payload = self._get_bucket_md(bucket)
except OFSFileNotFound:
payload = {}
for l in self.list_labels(bucket):
payload[l] = {}
payload[l]['_label'] = l
if not self.quiet:
print('Had to create md file for %s' % bucket)
except OFSException as e:
raise OFSException(e)
if not label in payload:
payload[label] = {}
payload[label].update(params)
self.put_stream(bucket, MD_FILE, json.dumps(payload).encode('utf-8'
), params={}, replace=True, add_md=False)
return payload[label]
else:
raise OFSException("Cannot update MD in archive in 'r' mode")
|
update_metadata
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label, params):\n if self.mode != 'r':\n try:\n payload = self._get_bucket_md(bucket)\n except OFSFileNotFound:\n payload = {}\n for l in self.list_labels(bucket):\n payload[l] = {}\n payload[l]['_label'] = l\n if not self.quiet:\n print('Had to create md file for %s' % bucket)\n except OFSException as e:\n raise OFSException(e)\n if not label in payload:\n payload[label] = {}\n payload[label].update(params)\n self.put_stream(bucket, MD_FILE, json.dumps(payload).encode('utf-8'\n ), params={}, replace=True, add_md=False)\n return payload[label]\n else:\n raise OFSException(\"Cannot update MD in archive in 'r' mode\")\n",
"role": "user"
},
{
"content": "update_metadata",
"role": "assistant"
}
] |
def x(self, bucket, label, keys):
if self.mode != 'r':
try:
payload = self._get_bucket_md(bucket)
except OFSFileNotFound:
raise OFSFileNotFound("Couldn't find a md file for %s bucket" %
bucket)
except OFSException as e:
raise OFSException(e)
if payload.has_key(label):
for key in [x for x in keys if payload[label].has_key(x)]:
del payload[label][key]
self.put_stream(bucket, MD_FILE, json.dumps(payload), params={},
replace=True, add_md=False)
else:
raise OFSException("Cannot update MD in archive in 'r' mode")
|
del_metadata_keys
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, bucket, label, keys):\n if self.mode != 'r':\n try:\n payload = self._get_bucket_md(bucket)\n except OFSFileNotFound:\n raise OFSFileNotFound(\"Couldn't find a md file for %s bucket\" %\n bucket)\n except OFSException as e:\n raise OFSException(e)\n if payload.has_key(label):\n for key in [x for x in keys if payload[label].has_key(x)]:\n del payload[label][key]\n self.put_stream(bucket, MD_FILE, json.dumps(payload), params={},\n replace=True, add_md=False)\n else:\n raise OFSException(\"Cannot update MD in archive in 'r' mode\")\n",
"role": "user"
},
{
"content": "del_metadata_keys",
"role": "assistant"
}
] |
def x(wsgi_request):
service_start_time = datetime.now()
view, args, kwargs = resolve(wsgi_request.path_info)
kwargs.update({'request': wsgi_request})
try:
resp = view(*args, **kwargs)
except Exception as exc:
resp = HttpResponseServerError(content=exc.message)
headers = dict(resp._headers.values())
d_resp = {'status_code': resp.status_code, 'reason_phrase': resp.
reason_phrase, 'headers': headers}
try:
d_resp.update({'body': resp.content})
except ContentNotRenderedError:
resp.render()
d_resp.update({'body': resp.content})
if _settings.ADD_DURATION_HEADER:
d_resp['headers'].update({_settings.DURATION_HEADER_NAME: (datetime
.now() - service_start_time).seconds})
return d_resp
|
get_response
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(wsgi_request):\n service_start_time = datetime.now()\n view, args, kwargs = resolve(wsgi_request.path_info)\n kwargs.update({'request': wsgi_request})\n try:\n resp = view(*args, **kwargs)\n except Exception as exc:\n resp = HttpResponseServerError(content=exc.message)\n headers = dict(resp._headers.values())\n d_resp = {'status_code': resp.status_code, 'reason_phrase': resp.\n reason_phrase, 'headers': headers}\n try:\n d_resp.update({'body': resp.content})\n except ContentNotRenderedError:\n resp.render()\n d_resp.update({'body': resp.content})\n if _settings.ADD_DURATION_HEADER:\n d_resp['headers'].update({_settings.DURATION_HEADER_NAME: (datetime\n .now() - service_start_time).seconds})\n return d_resp\n",
"role": "user"
},
{
"content": "get_response",
"role": "assistant"
}
] |
def x(request):
valid_http_methods = ['get', 'post', 'put', 'patch', 'delete', 'head',
'options', 'connect', 'trace']
requests = json.loads(request.body)
if type(requests) not in (list, tuple):
raise BadBatchRequest(
'The body of batch request should always be list!')
no_requests = len(requests)
if no_requests > _settings.MAX_LIMIT:
raise BadBatchRequest('You can batch maximum of %d requests.' %
_settings.MAX_LIMIT)
def x(data):
url = data.get('url', None)
method = data.get('method', None)
if url is None or method is None:
raise BadBatchRequest(
'Request definition should have url, method defined.')
if method.lower() not in valid_http_methods:
raise BadBatchRequest('Invalid request method.')
body = data.get('body', '')
headers = data.get('headers', {})
return get_wsgi_request_object(request, method, url, headers, body)
return [construct_wsgi_from_data(data) for data in requests]
|
get_wsgi_requests
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request):\n valid_http_methods = ['get', 'post', 'put', 'patch', 'delete', 'head',\n 'options', 'connect', 'trace']\n requests = json.loads(request.body)\n if type(requests) not in (list, tuple):\n raise BadBatchRequest(\n 'The body of batch request should always be list!')\n no_requests = len(requests)\n if no_requests > _settings.MAX_LIMIT:\n raise BadBatchRequest('You can batch maximum of %d requests.' %\n _settings.MAX_LIMIT)\n\n def x(data):\n url = data.get('url', None)\n method = data.get('method', None)\n if url is None or method is None:\n raise BadBatchRequest(\n 'Request definition should have url, method defined.')\n if method.lower() not in valid_http_methods:\n raise BadBatchRequest('Invalid request method.')\n body = data.get('body', '')\n headers = data.get('headers', {})\n return get_wsgi_request_object(request, method, url, headers, body)\n return [construct_wsgi_from_data(data) for data in requests]\n",
"role": "user"
},
{
"content": "get_wsgi_requests",
"role": "assistant"
}
] |
def x(request, *args, **kwargs):
batch_start_time = datetime.now()
try:
wsgi_requests = get_wsgi_requests(request)
except BadBatchRequest as brx:
return HttpResponseBadRequest(content=brx.message)
response = execute_requests(wsgi_requests)
resp = HttpResponse(content=json.dumps(response), content_type=
'application/json')
if _settings.ADD_DURATION_HEADER:
resp.__setitem__(_settings.DURATION_HEADER_NAME, str((datetime.now(
) - batch_start_time).seconds))
return resp
|
handle_batch_requests
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(request, *args, **kwargs):\n batch_start_time = datetime.now()\n try:\n wsgi_requests = get_wsgi_requests(request)\n except BadBatchRequest as brx:\n return HttpResponseBadRequest(content=brx.message)\n response = execute_requests(wsgi_requests)\n resp = HttpResponse(content=json.dumps(response), content_type=\n 'application/json')\n if _settings.ADD_DURATION_HEADER:\n resp.__setitem__(_settings.DURATION_HEADER_NAME, str((datetime.now(\n ) - batch_start_time).seconds))\n return resp\n",
"role": "user"
},
{
"content": "handle_batch_requests",
"role": "assistant"
}
] |
def x(self, keyword, types=[], terr=KKBOXTerritory.TAIWAN):
url = 'https://api.kkbox.com/v1.1/search'
url += '?' + url_parse.urlencode({'q': keyword, 'territory': terr})
if len(types) > 0:
url += '&type=' + ','.join(types)
return self.http._post_data(url, None, self.http.
_headers_with_access_token())
|
search
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, keyword, types=[], terr=KKBOXTerritory.TAIWAN):\n url = 'https://api.kkbox.com/v1.1/search'\n url += '?' + url_parse.urlencode({'q': keyword, 'territory': terr})\n if len(types) > 0:\n url += '&type=' + ','.join(types)\n return self.http._post_data(url, None, self.http.\n _headers_with_access_token())\n",
"role": "user"
},
{
"content": "search",
"role": "assistant"
}
] |
def x(self):
body = {'ip_address': {'ptr_record': self.ptr_record}}
data = self.cloud_manager.request('PUT', '/ip_address/' + self.address,
body)
self._reset(**data['ip_address'])
|
save
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self):\n body = {'ip_address': {'ptr_record': self.ptr_record}}\n data = self.cloud_manager.request('PUT', '/ip_address/' + self.address,\n body)\n self._reset(**data['ip_address'])\n",
"role": "user"
},
{
"content": "save",
"role": "assistant"
}
] |
def x(ip_addresses, cloud_manager):
if 'ip_addresses' in ip_addresses:
ip_addresses = ip_addresses['ip_addresses']
if 'ip_address' in ip_addresses:
ip_addresses = ip_addresses['ip_address']
return [IPAddress(cloud_manager=cloud_manager, **ip_addr) for ip_addr in
ip_addresses]
|
create_ip_address_objs
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(ip_addresses, cloud_manager):\n if 'ip_addresses' in ip_addresses:\n ip_addresses = ip_addresses['ip_addresses']\n if 'ip_address' in ip_addresses:\n ip_addresses = ip_addresses['ip_address']\n return [IPAddress(cloud_manager=cloud_manager, **ip_addr) for ip_addr in\n ip_addresses]\n",
"role": "user"
},
{
"content": "create_ip_address_objs",
"role": "assistant"
}
] |
def x(self, **kwargs):
super(Tag, self)._reset(**kwargs)
self._api_name = self.name
if 'server' in self.servers:
self.servers = kwargs['servers']['server']
if self.servers and isinstance(self.servers[0], six.string_types):
self.servers = [Server(uuid=server, populated=False) for server in
self.servers]
|
reset
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, **kwargs):\n super(Tag, self)._reset(**kwargs)\n self._api_name = self.name\n if 'server' in self.servers:\n self.servers = kwargs['servers']['server']\n if self.servers and isinstance(self.servers[0], six.string_types):\n self.servers = [Server(uuid=server, populated=False) for server in\n self.servers]\n",
"role": "user"
},
{
"content": "reset",
"role": "assistant"
}
] |
def x(self, uri, params={}):
if not uri.startswith(self.remote):
uri = '{}{}'.format(self.remote, uri)
return self._make_request(uri, params)
|
get
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, params={}):\n if not uri.startswith(self.remote):\n uri = '{}{}'.format(self.remote, uri)\n return self._make_request(uri, params)\n",
"role": "user"
},
{
"content": "get",
"role": "assistant"
}
] |
def x(self, uri, data):
if not uri.startswith(self.remote):
uri = '{}/{}'.format(self.remote, uri)
self.logger.debug(uri)
return self._make_request(uri, data=data)
|
post
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, uri, data):\n if not uri.startswith(self.remote):\n uri = '{}/{}'.format(self.remote, uri)\n self.logger.debug(uri)\n return self._make_request(uri, data=data)\n",
"role": "user"
},
{
"content": "post",
"role": "assistant"
}
] |
def x(self, populate=False, tags_has_one=None, tags_has_all=None):
if tags_has_all and tags_has_one:
raise Exception('only one of (tags_has_all, tags_has_one) is allowed.')
request = '/server'
if tags_has_all:
tags_has_all = [str(tag) for tag in tags_has_all]
taglist = ':'.join(tags_has_all)
request = '/server/tag/{0}'.format(taglist)
if tags_has_one:
tags_has_one = [str(tag) for tag in tags_has_one]
taglist = ','.join(tags_has_one)
request = '/server/tag/{0}'.format(taglist)
servers = self.get_request(request)['servers']['server']
server_list = list()
for server in servers:
server_list.append(Server(server, cloud_manager=self))
if populate:
for server_instance in server_list:
server_instance.populate()
return server_list
|
get_servers
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, populate=False, tags_has_one=None, tags_has_all=None):\n if tags_has_all and tags_has_one:\n raise Exception('only one of (tags_has_all, tags_has_one) is allowed.')\n request = '/server'\n if tags_has_all:\n tags_has_all = [str(tag) for tag in tags_has_all]\n taglist = ':'.join(tags_has_all)\n request = '/server/tag/{0}'.format(taglist)\n if tags_has_one:\n tags_has_one = [str(tag) for tag in tags_has_one]\n taglist = ','.join(tags_has_one)\n request = '/server/tag/{0}'.format(taglist)\n servers = self.get_request(request)['servers']['server']\n server_list = list()\n for server in servers:\n server_list.append(Server(server, cloud_manager=self))\n if populate:\n for server_instance in server_list:\n server_instance.populate()\n return server_list\n",
"role": "user"
},
{
"content": "get_servers",
"role": "assistant"
}
] |
def x(self, UUID):
server, IPAddresses, storages = self.get_server_data(UUID)
return Server(server, ip_addresses=IPAddresses, storage_devices=
storages, populated=True, cloud_manager=self)
|
get_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, UUID):\n server, IPAddresses, storages = self.get_server_data(UUID)\n return Server(server, ip_addresses=IPAddresses, storage_devices=\n storages, populated=True, cloud_manager=self)\n",
"role": "user"
},
{
"content": "get_server",
"role": "assistant"
}
] |
def x(self, ip_address):
data = self.get_request('/ip_address/{0}'.format(ip_address))
UUID = data['ip_address']['server']
return self.get_server(UUID)
|
get_server_by_ip
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, ip_address):\n data = self.get_request('/ip_address/{0}'.format(ip_address))\n UUID = data['ip_address']['server']\n return self.get_server(UUID)\n",
"role": "user"
},
{
"content": "get_server_by_ip",
"role": "assistant"
}
] |
def x(self, server):
if isinstance(server, Server):
body = server.prepare_post_body()
else:
server = Server._create_server_obj(server, cloud_manager=self)
body = server.prepare_post_body()
res = self.post_request('/server', body)
server_to_return = server
server_to_return._reset(res['server'], cloud_manager=self, populated=True)
return server_to_return
|
create_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, server):\n if isinstance(server, Server):\n body = server.prepare_post_body()\n else:\n server = Server._create_server_obj(server, cloud_manager=self)\n body = server.prepare_post_body()\n res = self.post_request('/server', body)\n server_to_return = server\n server_to_return._reset(res['server'], cloud_manager=self, populated=True)\n return server_to_return\n",
"role": "user"
},
{
"content": "create_server",
"role": "assistant"
}
] |
def x(self, UUID, **kwargs):
body = dict()
body['server'] = {}
for arg in kwargs:
if arg not in Server.updateable_fields:
Exception('{0} is not an updateable field'.format(arg))
body['server'][arg] = kwargs[arg]
res = self.request('PUT', '/server/{0}'.format(UUID), body)
server = res['server']
IPAddresses = IPAddress._create_ip_address_objs(server.pop(
'ip_addresses'), cloud_manager=self)
storages = Storage._create_storage_objs(server.pop('storage_devices'),
cloud_manager=self)
return Server(server, ip_addresses=IPAddresses, storage_devices=
storages, populated=True, cloud_manager=self)
|
modify_server
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, UUID, **kwargs):\n body = dict()\n body['server'] = {}\n for arg in kwargs:\n if arg not in Server.updateable_fields:\n Exception('{0} is not an updateable field'.format(arg))\n body['server'][arg] = kwargs[arg]\n res = self.request('PUT', '/server/{0}'.format(UUID), body)\n server = res['server']\n IPAddresses = IPAddress._create_ip_address_objs(server.pop(\n 'ip_addresses'), cloud_manager=self)\n storages = Storage._create_storage_objs(server.pop('storage_devices'),\n cloud_manager=self)\n return Server(server, ip_addresses=IPAddresses, storage_devices=\n storages, populated=True, cloud_manager=self)\n",
"role": "user"
},
{
"content": "modify_server",
"role": "assistant"
}
] |
def x(self, UUID):
data = self.get_request('/server/{0}'.format(UUID))
server = data['server']
IPAddresses = IPAddress._create_ip_address_objs(server.pop(
'ip_addresses'), cloud_manager=self)
storages = Storage._create_storage_objs(server.pop('storage_devices'),
cloud_manager=self)
return server, IPAddresses, storages
|
get_server_data
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(self, UUID):\n data = self.get_request('/server/{0}'.format(UUID))\n server = data['server']\n IPAddresses = IPAddress._create_ip_address_objs(server.pop(\n 'ip_addresses'), cloud_manager=self)\n storages = Storage._create_storage_objs(server.pop('storage_devices'),\n cloud_manager=self)\n return server, IPAddresses, storages\n",
"role": "user"
},
{
"content": "get_server_data",
"role": "assistant"
}
] |
def x(f, limit=25):
if '/' not in f:
raise ValueError(
'feed name must be formatted like: csirtgadgets/scanners')
user, f = f.split('/')
return Feed().show(user, f, limit=limit)
|
feed
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, limit=25):\n if '/' not in f:\n raise ValueError(\n 'feed name must be formatted like: csirtgadgets/scanners')\n user, f = f.split('/')\n return Feed().show(user, f, limit=limit)\n",
"role": "user"
},
{
"content": "feed",
"role": "assistant"
}
] |
def x(f, i):
if '/' not in f:
raise ValueError(
'feed name must be formatted like: csirtgadgets/scanners')
if not i:
raise ValueError('missing indicator dict')
u, f = f.split('/')
i['user'] = u
i['feed'] = f
ret = Indicator(i).submit()
return ret
|
indicator_create
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(f, i):\n if '/' not in f:\n raise ValueError(\n 'feed name must be formatted like: csirtgadgets/scanners')\n if not i:\n raise ValueError('missing indicator dict')\n u, f = f.split('/')\n i['user'] = u\n i['feed'] = f\n ret = Indicator(i).submit()\n return ret\n",
"role": "user"
},
{
"content": "indicator_create",
"role": "assistant"
}
] |
def x(file):
if isinstance(file, six_string_types):
with open(file, 'rb') as f:
return _internal_convert(f)
else:
return _internal_convert(file)
|
convert_from_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file):\n if isinstance(file, six_string_types):\n with open(file, 'rb') as f:\n return _internal_convert(f)\n else:\n return _internal_convert(file)\n",
"role": "user"
},
{
"content": "convert_from_file",
"role": "assistant"
}
] |
def x(inp):
"""
Converts file in IDX format provided by file-like input into numpy.ndarray
and returns it.
"""
try:
mn = struct.unpack('>BBBB', inp.read(4))
except struct.error:
raise FormatError(struct.error)
if mn[0] != 0 or mn[1] != 0:
msg = ('Incorrect first two bytes of the magic number: ' +
'0x{0:02X} 0x{1:02X}'.format(mn[0], mn[1]))
raise FormatError(msg)
dtype_code = mn[2]
if dtype_code not in _DATA_TYPES_IDX:
msg = 'Incorrect data type code: 0x{0:02X}'.format(dtype_code)
raise FormatError(msg)
dims = int(mn[3])
dtype, dtype_s, el_size = _DATA_TYPES_IDX[dtype_code]
try:
dims_sizes = struct.unpack('>' + 'I' * dims, inp.read(4 * dims))
except struct.error as e:
raise FormatError('Dims sizes: {0}'.format(e))
full_length = reduce(operator.mul, dims_sizes, 1)
try:
result_array = numpy.frombuffer(inp.read(full_length * el_size),
dtype=numpy.dtype(dtype)).reshape(dims_sizes)
except ValueError as e:
raise FormatError('Error creating numpy array: {0}'.format(e))
if len(inp.read(1)) > 0:
raise FormatError('Superfluous data detected.')
return result_array
|
internal_convert
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(inp):\n \"\"\"\n Converts file in IDX format provided by file-like input into numpy.ndarray\n and returns it.\n \"\"\"\n try:\n mn = struct.unpack('>BBBB', inp.read(4))\n except struct.error:\n raise FormatError(struct.error)\n if mn[0] != 0 or mn[1] != 0:\n msg = ('Incorrect first two bytes of the magic number: ' +\n '0x{0:02X} 0x{1:02X}'.format(mn[0], mn[1]))\n raise FormatError(msg)\n dtype_code = mn[2]\n if dtype_code not in _DATA_TYPES_IDX:\n msg = 'Incorrect data type code: 0x{0:02X}'.format(dtype_code)\n raise FormatError(msg)\n dims = int(mn[3])\n dtype, dtype_s, el_size = _DATA_TYPES_IDX[dtype_code]\n try:\n dims_sizes = struct.unpack('>' + 'I' * dims, inp.read(4 * dims))\n except struct.error as e:\n raise FormatError('Dims sizes: {0}'.format(e))\n full_length = reduce(operator.mul, dims_sizes, 1)\n try:\n result_array = numpy.frombuffer(inp.read(full_length * el_size),\n dtype=numpy.dtype(dtype)).reshape(dims_sizes)\n except ValueError as e:\n raise FormatError('Error creating numpy array: {0}'.format(e))\n if len(inp.read(1)) > 0:\n raise FormatError('Superfluous data detected.')\n return result_array\n",
"role": "user"
},
{
"content": "internal_convert",
"role": "assistant"
}
] |
def x(file, ndarr):
if isinstance(file, six_string_types):
with open(file, 'wb') as fp:
_internal_write(fp, ndarr)
else:
_internal_write(file, ndarr)
|
convert_to_file
|
[
{
"content": "Given the source code of a python function, suggest a fitting name for the function.",
"role": "system"
},
{
"content": "def x(file, ndarr):\n if isinstance(file, six_string_types):\n with open(file, 'wb') as fp:\n _internal_write(fp, ndarr)\n else:\n _internal_write(file, ndarr)\n",
"role": "user"
},
{
"content": "convert_to_file",
"role": "assistant"
}
] |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.