repo stringlengths 7 55 | path stringlengths 4 127 | func_name stringlengths 1 88 | original_string stringlengths 75 19.8k | language stringclasses 1 value | code stringlengths 75 19.8k | code_tokens listlengths 20 707 | docstring stringlengths 3 17.3k | docstring_tokens listlengths 3 222 | sha stringlengths 40 40 | url stringlengths 87 242 | partition stringclasses 1 value | idx int64 0 252k |
|---|---|---|---|---|---|---|---|---|---|---|---|---|
softlayer/softlayer-python | SoftLayer/utils.py | is_ready | def is_ready(instance, pending=False):
"""Returns True if instance is ready to be used
:param Object instance: Hardware or Virt with transaction data retrieved from the API
:param bool pending: Wait for ALL transactions to finish?
:returns bool:
"""
last_reload = lookup(instance, 'lastOperatingSystemReload', 'id')
active_transaction = lookup(instance, 'activeTransaction', 'id')
reloading = all((
active_transaction,
last_reload,
last_reload == active_transaction,
))
outstanding = False
if pending:
outstanding = active_transaction
if instance.get('provisionDate') and not reloading and not outstanding:
return True
return False | python | def is_ready(instance, pending=False):
"""Returns True if instance is ready to be used
:param Object instance: Hardware or Virt with transaction data retrieved from the API
:param bool pending: Wait for ALL transactions to finish?
:returns bool:
"""
last_reload = lookup(instance, 'lastOperatingSystemReload', 'id')
active_transaction = lookup(instance, 'activeTransaction', 'id')
reloading = all((
active_transaction,
last_reload,
last_reload == active_transaction,
))
outstanding = False
if pending:
outstanding = active_transaction
if instance.get('provisionDate') and not reloading and not outstanding:
return True
return False | [
"def",
"is_ready",
"(",
"instance",
",",
"pending",
"=",
"False",
")",
":",
"last_reload",
"=",
"lookup",
"(",
"instance",
",",
"'lastOperatingSystemReload'",
",",
"'id'",
")",
"active_transaction",
"=",
"lookup",
"(",
"instance",
",",
"'activeTransaction'",
",",
"'id'",
")",
"reloading",
"=",
"all",
"(",
"(",
"active_transaction",
",",
"last_reload",
",",
"last_reload",
"==",
"active_transaction",
",",
")",
")",
"outstanding",
"=",
"False",
"if",
"pending",
":",
"outstanding",
"=",
"active_transaction",
"if",
"instance",
".",
"get",
"(",
"'provisionDate'",
")",
"and",
"not",
"reloading",
"and",
"not",
"outstanding",
":",
"return",
"True",
"return",
"False"
] | Returns True if instance is ready to be used
:param Object instance: Hardware or Virt with transaction data retrieved from the API
:param bool pending: Wait for ALL transactions to finish?
:returns bool: | [
"Returns",
"True",
"if",
"instance",
"is",
"ready",
"to",
"be",
"used"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/utils.py#L254-L275 | train | 234,600 |
softlayer/softlayer-python | SoftLayer/utils.py | clean_time | def clean_time(sltime, in_format='%Y-%m-%dT%H:%M:%S%z', out_format='%Y-%m-%d %H:%M'):
"""Easy way to format time strings
:param string sltime: A softlayer formatted time string
:param string in_format: Datetime format for strptime
:param string out_format: Datetime format for strftime
"""
try:
clean = datetime.datetime.strptime(sltime, in_format)
return clean.strftime(out_format)
# The %z option only exists with py3.6+
except ValueError:
return sltime | python | def clean_time(sltime, in_format='%Y-%m-%dT%H:%M:%S%z', out_format='%Y-%m-%d %H:%M'):
"""Easy way to format time strings
:param string sltime: A softlayer formatted time string
:param string in_format: Datetime format for strptime
:param string out_format: Datetime format for strftime
"""
try:
clean = datetime.datetime.strptime(sltime, in_format)
return clean.strftime(out_format)
# The %z option only exists with py3.6+
except ValueError:
return sltime | [
"def",
"clean_time",
"(",
"sltime",
",",
"in_format",
"=",
"'%Y-%m-%dT%H:%M:%S%z'",
",",
"out_format",
"=",
"'%Y-%m-%d %H:%M'",
")",
":",
"try",
":",
"clean",
"=",
"datetime",
".",
"datetime",
".",
"strptime",
"(",
"sltime",
",",
"in_format",
")",
"return",
"clean",
".",
"strftime",
"(",
"out_format",
")",
"# The %z option only exists with py3.6+",
"except",
"ValueError",
":",
"return",
"sltime"
] | Easy way to format time strings
:param string sltime: A softlayer formatted time string
:param string in_format: Datetime format for strptime
:param string out_format: Datetime format for strftime | [
"Easy",
"way",
"to",
"format",
"time",
"strings"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/utils.py#L301-L313 | train | 234,601 |
softlayer/softlayer-python | SoftLayer/utils.py | NestedDict.to_dict | def to_dict(self):
"""Converts a NestedDict instance into a real dictionary.
This is needed for places where strict type checking is done.
"""
return {key: val.to_dict() if isinstance(val, NestedDict) else val
for key, val in self.items()} | python | def to_dict(self):
"""Converts a NestedDict instance into a real dictionary.
This is needed for places where strict type checking is done.
"""
return {key: val.to_dict() if isinstance(val, NestedDict) else val
for key, val in self.items()} | [
"def",
"to_dict",
"(",
"self",
")",
":",
"return",
"{",
"key",
":",
"val",
".",
"to_dict",
"(",
")",
"if",
"isinstance",
"(",
"val",
",",
"NestedDict",
")",
"else",
"val",
"for",
"key",
",",
"val",
"in",
"self",
".",
"items",
"(",
")",
"}"
] | Converts a NestedDict instance into a real dictionary.
This is needed for places where strict type checking is done. | [
"Converts",
"a",
"NestedDict",
"instance",
"into",
"a",
"real",
"dictionary",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/utils.py#L57-L63 | train | 234,602 |
softlayer/softlayer-python | SoftLayer/CLI/firewall/cancel.py | cli | def cli(env, identifier):
"""Cancels a firewall."""
mgr = SoftLayer.FirewallManager(env.client)
firewall_type, firewall_id = firewall.parse_id(identifier)
if not (env.skip_confirmations or
formatting.confirm("This action will cancel a firewall from your "
"account. Continue?")):
raise exceptions.CLIAbort('Aborted.')
if firewall_type in ['vs', 'server']:
mgr.cancel_firewall(firewall_id, dedicated=False)
elif firewall_type == 'vlan':
mgr.cancel_firewall(firewall_id, dedicated=True)
else:
raise exceptions.CLIAbort('Unknown firewall type: %s' % firewall_type)
env.fout('Firewall with id %s is being cancelled!' % identifier) | python | def cli(env, identifier):
"""Cancels a firewall."""
mgr = SoftLayer.FirewallManager(env.client)
firewall_type, firewall_id = firewall.parse_id(identifier)
if not (env.skip_confirmations or
formatting.confirm("This action will cancel a firewall from your "
"account. Continue?")):
raise exceptions.CLIAbort('Aborted.')
if firewall_type in ['vs', 'server']:
mgr.cancel_firewall(firewall_id, dedicated=False)
elif firewall_type == 'vlan':
mgr.cancel_firewall(firewall_id, dedicated=True)
else:
raise exceptions.CLIAbort('Unknown firewall type: %s' % firewall_type)
env.fout('Firewall with id %s is being cancelled!' % identifier) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"FirewallManager",
"(",
"env",
".",
"client",
")",
"firewall_type",
",",
"firewall_id",
"=",
"firewall",
".",
"parse_id",
"(",
"identifier",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"\"This action will cancel a firewall from your \"",
"\"account. Continue?\"",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted.'",
")",
"if",
"firewall_type",
"in",
"[",
"'vs'",
",",
"'server'",
"]",
":",
"mgr",
".",
"cancel_firewall",
"(",
"firewall_id",
",",
"dedicated",
"=",
"False",
")",
"elif",
"firewall_type",
"==",
"'vlan'",
":",
"mgr",
".",
"cancel_firewall",
"(",
"firewall_id",
",",
"dedicated",
"=",
"True",
")",
"else",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Unknown firewall type: %s'",
"%",
"firewall_type",
")",
"env",
".",
"fout",
"(",
"'Firewall with id %s is being cancelled!'",
"%",
"identifier",
")"
] | Cancels a firewall. | [
"Cancels",
"a",
"firewall",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/firewall/cancel.py#L16-L34 | train | 234,603 |
softlayer/softlayer-python | SoftLayer/CLI/sshkey/add.py | cli | def cli(env, label, in_file, key, note):
"""Add a new SSH key."""
if in_file is None and key is None:
raise exceptions.ArgumentError(
'Either [-f | --in-file] or [-k | --key] arguments are required to add a key'
)
if in_file and key:
raise exceptions.ArgumentError(
'[-f | --in-file] is not allowed with [-k | --key]'
)
if key:
key_text = key
else:
key_file = open(path.expanduser(in_file), 'rU')
key_text = key_file.read().strip()
key_file.close()
mgr = SoftLayer.SshKeyManager(env.client)
result = mgr.add_key(key_text, label, note)
env.fout("SSH key added: %s" % result.get('fingerprint')) | python | def cli(env, label, in_file, key, note):
"""Add a new SSH key."""
if in_file is None and key is None:
raise exceptions.ArgumentError(
'Either [-f | --in-file] or [-k | --key] arguments are required to add a key'
)
if in_file and key:
raise exceptions.ArgumentError(
'[-f | --in-file] is not allowed with [-k | --key]'
)
if key:
key_text = key
else:
key_file = open(path.expanduser(in_file), 'rU')
key_text = key_file.read().strip()
key_file.close()
mgr = SoftLayer.SshKeyManager(env.client)
result = mgr.add_key(key_text, label, note)
env.fout("SSH key added: %s" % result.get('fingerprint')) | [
"def",
"cli",
"(",
"env",
",",
"label",
",",
"in_file",
",",
"key",
",",
"note",
")",
":",
"if",
"in_file",
"is",
"None",
"and",
"key",
"is",
"None",
":",
"raise",
"exceptions",
".",
"ArgumentError",
"(",
"'Either [-f | --in-file] or [-k | --key] arguments are required to add a key'",
")",
"if",
"in_file",
"and",
"key",
":",
"raise",
"exceptions",
".",
"ArgumentError",
"(",
"'[-f | --in-file] is not allowed with [-k | --key]'",
")",
"if",
"key",
":",
"key_text",
"=",
"key",
"else",
":",
"key_file",
"=",
"open",
"(",
"path",
".",
"expanduser",
"(",
"in_file",
")",
",",
"'rU'",
")",
"key_text",
"=",
"key_file",
".",
"read",
"(",
")",
".",
"strip",
"(",
")",
"key_file",
".",
"close",
"(",
")",
"mgr",
"=",
"SoftLayer",
".",
"SshKeyManager",
"(",
"env",
".",
"client",
")",
"result",
"=",
"mgr",
".",
"add_key",
"(",
"key_text",
",",
"label",
",",
"note",
")",
"env",
".",
"fout",
"(",
"\"SSH key added: %s\"",
"%",
"result",
".",
"get",
"(",
"'fingerprint'",
")",
")"
] | Add a new SSH key. | [
"Add",
"a",
"new",
"SSH",
"key",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/sshkey/add.py#L20-L43 | train | 234,604 |
softlayer/softlayer-python | SoftLayer/CLI/rwhois/show.py | cli | def cli(env):
"""Display the RWhois information for your account."""
mgr = SoftLayer.NetworkManager(env.client)
result = mgr.get_rwhois()
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['Name', result['firstName'] + ' ' + result['lastName']])
table.add_row(['Company', result['companyName']])
table.add_row(['Abuse Email', result['abuseEmail']])
table.add_row(['Address 1', result['address1']])
if result.get('address2'):
table.add_row(['Address 2', result['address2']])
table.add_row(['City', result['city']])
table.add_row(['State', result.get('state', '-')])
table.add_row(['Postal Code', result.get('postalCode', '-')])
table.add_row(['Country', result['country']])
table.add_row(['Private Residence', result['privateResidenceFlag']])
env.fout(table) | python | def cli(env):
"""Display the RWhois information for your account."""
mgr = SoftLayer.NetworkManager(env.client)
result = mgr.get_rwhois()
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['Name', result['firstName'] + ' ' + result['lastName']])
table.add_row(['Company', result['companyName']])
table.add_row(['Abuse Email', result['abuseEmail']])
table.add_row(['Address 1', result['address1']])
if result.get('address2'):
table.add_row(['Address 2', result['address2']])
table.add_row(['City', result['city']])
table.add_row(['State', result.get('state', '-')])
table.add_row(['Postal Code', result.get('postalCode', '-')])
table.add_row(['Country', result['country']])
table.add_row(['Private Residence', result['privateResidenceFlag']])
env.fout(table) | [
"def",
"cli",
"(",
"env",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"NetworkManager",
"(",
"env",
".",
"client",
")",
"result",
"=",
"mgr",
".",
"get_rwhois",
"(",
")",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"table",
".",
"align",
"[",
"'name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'value'",
"]",
"=",
"'l'",
"table",
".",
"add_row",
"(",
"[",
"'Name'",
",",
"result",
"[",
"'firstName'",
"]",
"+",
"' '",
"+",
"result",
"[",
"'lastName'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Company'",
",",
"result",
"[",
"'companyName'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Abuse Email'",
",",
"result",
"[",
"'abuseEmail'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Address 1'",
",",
"result",
"[",
"'address1'",
"]",
"]",
")",
"if",
"result",
".",
"get",
"(",
"'address2'",
")",
":",
"table",
".",
"add_row",
"(",
"[",
"'Address 2'",
",",
"result",
"[",
"'address2'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'City'",
",",
"result",
"[",
"'city'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'State'",
",",
"result",
".",
"get",
"(",
"'state'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Postal Code'",
",",
"result",
".",
"get",
"(",
"'postalCode'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Country'",
",",
"result",
"[",
"'country'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Private Residence'",
",",
"result",
"[",
"'privateResidenceFlag'",
"]",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Display the RWhois information for your account. | [
"Display",
"the",
"RWhois",
"information",
"for",
"your",
"account",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/rwhois/show.py#L13-L34 | train | 234,605 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/translation/add.py | cli | def cli(env, context_id, static_ip, remote_ip, note):
"""Add an address translation to an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices.
"""
manager = SoftLayer.IPSECManager(env.client)
# ensure context can be retrieved by given id
manager.get_tunnel_context(context_id)
translation = manager.create_translation(context_id,
static_ip=static_ip,
remote_ip=remote_ip,
notes=note)
env.out('Created translation from {} to {} #{}'
.format(static_ip, remote_ip, translation['id'])) | python | def cli(env, context_id, static_ip, remote_ip, note):
"""Add an address translation to an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices.
"""
manager = SoftLayer.IPSECManager(env.client)
# ensure context can be retrieved by given id
manager.get_tunnel_context(context_id)
translation = manager.create_translation(context_id,
static_ip=static_ip,
remote_ip=remote_ip,
notes=note)
env.out('Created translation from {} to {} #{}'
.format(static_ip, remote_ip, translation['id'])) | [
"def",
"cli",
"(",
"env",
",",
"context_id",
",",
"static_ip",
",",
"remote_ip",
",",
"note",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"IPSECManager",
"(",
"env",
".",
"client",
")",
"# ensure context can be retrieved by given id",
"manager",
".",
"get_tunnel_context",
"(",
"context_id",
")",
"translation",
"=",
"manager",
".",
"create_translation",
"(",
"context_id",
",",
"static_ip",
"=",
"static_ip",
",",
"remote_ip",
"=",
"remote_ip",
",",
"notes",
"=",
"note",
")",
"env",
".",
"out",
"(",
"'Created translation from {} to {} #{}'",
".",
"format",
"(",
"static_ip",
",",
"remote_ip",
",",
"translation",
"[",
"'id'",
"]",
")",
")"
] | Add an address translation to an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices. | [
"Add",
"an",
"address",
"translation",
"to",
"an",
"IPSEC",
"tunnel",
"context",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/translation/add.py#L27-L42 | train | 234,606 |
softlayer/softlayer-python | SoftLayer/CLI/ssl/list.py | cli | def cli(env, status, sortby):
"""List SSL certificates."""
manager = SoftLayer.SSLManager(env.client)
certificates = manager.list_certs(status)
table = formatting.Table(['id',
'common_name',
'days_until_expire',
'notes'])
for certificate in certificates:
table.add_row([
certificate['id'],
certificate['commonName'],
certificate['validityDays'],
certificate.get('notes', formatting.blank())
])
table.sortby = sortby
env.fout(table) | python | def cli(env, status, sortby):
"""List SSL certificates."""
manager = SoftLayer.SSLManager(env.client)
certificates = manager.list_certs(status)
table = formatting.Table(['id',
'common_name',
'days_until_expire',
'notes'])
for certificate in certificates:
table.add_row([
certificate['id'],
certificate['commonName'],
certificate['validityDays'],
certificate.get('notes', formatting.blank())
])
table.sortby = sortby
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"status",
",",
"sortby",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"SSLManager",
"(",
"env",
".",
"client",
")",
"certificates",
"=",
"manager",
".",
"list_certs",
"(",
"status",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'id'",
",",
"'common_name'",
",",
"'days_until_expire'",
",",
"'notes'",
"]",
")",
"for",
"certificate",
"in",
"certificates",
":",
"table",
".",
"add_row",
"(",
"[",
"certificate",
"[",
"'id'",
"]",
",",
"certificate",
"[",
"'commonName'",
"]",
",",
"certificate",
"[",
"'validityDays'",
"]",
",",
"certificate",
".",
"get",
"(",
"'notes'",
",",
"formatting",
".",
"blank",
"(",
")",
")",
"]",
")",
"table",
".",
"sortby",
"=",
"sortby",
"env",
".",
"fout",
"(",
"table",
")"
] | List SSL certificates. | [
"List",
"SSL",
"certificates",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/ssl/list.py#L24-L42 | train | 234,607 |
softlayer/softlayer-python | SoftLayer/CLI/loadbal/health_checks.py | cli | def cli(env):
"""List health check types."""
mgr = SoftLayer.LoadBalancerManager(env.client)
hc_types = mgr.get_hc_types()
table = formatting.KeyValueTable(['ID', 'Name'])
table.align['ID'] = 'l'
table.align['Name'] = 'l'
table.sortby = 'ID'
for hc_type in hc_types:
table.add_row([hc_type['id'], hc_type['name']])
env.fout(table) | python | def cli(env):
"""List health check types."""
mgr = SoftLayer.LoadBalancerManager(env.client)
hc_types = mgr.get_hc_types()
table = formatting.KeyValueTable(['ID', 'Name'])
table.align['ID'] = 'l'
table.align['Name'] = 'l'
table.sortby = 'ID'
for hc_type in hc_types:
table.add_row([hc_type['id'], hc_type['name']])
env.fout(table) | [
"def",
"cli",
"(",
"env",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"LoadBalancerManager",
"(",
"env",
".",
"client",
")",
"hc_types",
"=",
"mgr",
".",
"get_hc_types",
"(",
")",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'ID'",
",",
"'Name'",
"]",
")",
"table",
".",
"align",
"[",
"'ID'",
"]",
"=",
"'l'",
"table",
".",
"align",
"[",
"'Name'",
"]",
"=",
"'l'",
"table",
".",
"sortby",
"=",
"'ID'",
"for",
"hc_type",
"in",
"hc_types",
":",
"table",
".",
"add_row",
"(",
"[",
"hc_type",
"[",
"'id'",
"]",
",",
"hc_type",
"[",
"'name'",
"]",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List health check types. | [
"List",
"health",
"check",
"types",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/loadbal/health_checks.py#L13-L26 | train | 234,608 |
softlayer/softlayer-python | SoftLayer/CLI/object_storage/credential/limit.py | cli | def cli(env, identifier):
"""Credential limits for this IBM Cloud Object Storage account."""
mgr = SoftLayer.ObjectStorageManager(env.client)
credential_limit = mgr.limit_credential(identifier)
table = formatting.Table(['limit'])
table.add_row([
credential_limit,
])
env.fout(table) | python | def cli(env, identifier):
"""Credential limits for this IBM Cloud Object Storage account."""
mgr = SoftLayer.ObjectStorageManager(env.client)
credential_limit = mgr.limit_credential(identifier)
table = formatting.Table(['limit'])
table.add_row([
credential_limit,
])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"ObjectStorageManager",
"(",
"env",
".",
"client",
")",
"credential_limit",
"=",
"mgr",
".",
"limit_credential",
"(",
"identifier",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'limit'",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"credential_limit",
",",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Credential limits for this IBM Cloud Object Storage account. | [
"Credential",
"limits",
"for",
"this",
"IBM",
"Cloud",
"Object",
"Storage",
"account",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/object_storage/credential/limit.py#L14-L24 | train | 234,609 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/detail.py | cli | def cli(env, context_id, include):
"""List IPSEC VPN tunnel context details.
Additional resources can be joined using multiple instances of the
include option, for which the following choices are available.
\b
at: address translations
is: internal subnets
rs: remote subnets
sr: statically routed subnets
ss: service subnets
"""
mask = _get_tunnel_context_mask(('at' in include),
('is' in include),
('rs' in include),
('sr' in include),
('ss' in include))
manager = SoftLayer.IPSECManager(env.client)
context = manager.get_tunnel_context(context_id, mask=mask)
env.out('Context Details:')
env.fout(_get_context_table(context))
for relation in include:
if relation == 'at':
env.out('Address Translations:')
env.fout(_get_address_translations_table(
context.get('addressTranslations', [])))
elif relation == 'is':
env.out('Internal Subnets:')
env.fout(_get_subnets_table(context.get('internalSubnets', [])))
elif relation == 'rs':
env.out('Remote Subnets:')
env.fout(_get_subnets_table(context.get('customerSubnets', [])))
elif relation == 'sr':
env.out('Static Subnets:')
env.fout(_get_subnets_table(context.get('staticRouteSubnets', [])))
elif relation == 'ss':
env.out('Service Subnets:')
env.fout(_get_subnets_table(context.get('serviceSubnets', []))) | python | def cli(env, context_id, include):
"""List IPSEC VPN tunnel context details.
Additional resources can be joined using multiple instances of the
include option, for which the following choices are available.
\b
at: address translations
is: internal subnets
rs: remote subnets
sr: statically routed subnets
ss: service subnets
"""
mask = _get_tunnel_context_mask(('at' in include),
('is' in include),
('rs' in include),
('sr' in include),
('ss' in include))
manager = SoftLayer.IPSECManager(env.client)
context = manager.get_tunnel_context(context_id, mask=mask)
env.out('Context Details:')
env.fout(_get_context_table(context))
for relation in include:
if relation == 'at':
env.out('Address Translations:')
env.fout(_get_address_translations_table(
context.get('addressTranslations', [])))
elif relation == 'is':
env.out('Internal Subnets:')
env.fout(_get_subnets_table(context.get('internalSubnets', [])))
elif relation == 'rs':
env.out('Remote Subnets:')
env.fout(_get_subnets_table(context.get('customerSubnets', [])))
elif relation == 'sr':
env.out('Static Subnets:')
env.fout(_get_subnets_table(context.get('staticRouteSubnets', [])))
elif relation == 'ss':
env.out('Service Subnets:')
env.fout(_get_subnets_table(context.get('serviceSubnets', []))) | [
"def",
"cli",
"(",
"env",
",",
"context_id",
",",
"include",
")",
":",
"mask",
"=",
"_get_tunnel_context_mask",
"(",
"(",
"'at'",
"in",
"include",
")",
",",
"(",
"'is'",
"in",
"include",
")",
",",
"(",
"'rs'",
"in",
"include",
")",
",",
"(",
"'sr'",
"in",
"include",
")",
",",
"(",
"'ss'",
"in",
"include",
")",
")",
"manager",
"=",
"SoftLayer",
".",
"IPSECManager",
"(",
"env",
".",
"client",
")",
"context",
"=",
"manager",
".",
"get_tunnel_context",
"(",
"context_id",
",",
"mask",
"=",
"mask",
")",
"env",
".",
"out",
"(",
"'Context Details:'",
")",
"env",
".",
"fout",
"(",
"_get_context_table",
"(",
"context",
")",
")",
"for",
"relation",
"in",
"include",
":",
"if",
"relation",
"==",
"'at'",
":",
"env",
".",
"out",
"(",
"'Address Translations:'",
")",
"env",
".",
"fout",
"(",
"_get_address_translations_table",
"(",
"context",
".",
"get",
"(",
"'addressTranslations'",
",",
"[",
"]",
")",
")",
")",
"elif",
"relation",
"==",
"'is'",
":",
"env",
".",
"out",
"(",
"'Internal Subnets:'",
")",
"env",
".",
"fout",
"(",
"_get_subnets_table",
"(",
"context",
".",
"get",
"(",
"'internalSubnets'",
",",
"[",
"]",
")",
")",
")",
"elif",
"relation",
"==",
"'rs'",
":",
"env",
".",
"out",
"(",
"'Remote Subnets:'",
")",
"env",
".",
"fout",
"(",
"_get_subnets_table",
"(",
"context",
".",
"get",
"(",
"'customerSubnets'",
",",
"[",
"]",
")",
")",
")",
"elif",
"relation",
"==",
"'sr'",
":",
"env",
".",
"out",
"(",
"'Static Subnets:'",
")",
"env",
".",
"fout",
"(",
"_get_subnets_table",
"(",
"context",
".",
"get",
"(",
"'staticRouteSubnets'",
",",
"[",
"]",
")",
")",
")",
"elif",
"relation",
"==",
"'ss'",
":",
"env",
".",
"out",
"(",
"'Service Subnets:'",
")",
"env",
".",
"fout",
"(",
"_get_subnets_table",
"(",
"context",
".",
"get",
"(",
"'serviceSubnets'",
",",
"[",
"]",
")",
")",
")"
] | List IPSEC VPN tunnel context details.
Additional resources can be joined using multiple instances of the
include option, for which the following choices are available.
\b
at: address translations
is: internal subnets
rs: remote subnets
sr: statically routed subnets
ss: service subnets | [
"List",
"IPSEC",
"VPN",
"tunnel",
"context",
"details",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/detail.py#L20-L60 | train | 234,610 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/detail.py | _get_address_translations_table | def _get_address_translations_table(address_translations):
"""Yields a formatted table to print address translations.
:param List[dict] address_translations: List of address translations.
:return Table: Formatted for address translation output.
"""
table = formatting.Table(['id',
'static IP address',
'static IP address id',
'remote IP address',
'remote IP address id',
'note'])
for address_translation in address_translations:
table.add_row([address_translation.get('id', ''),
address_translation.get('internalIpAddressRecord', {})
.get('ipAddress', ''),
address_translation.get('internalIpAddressId', ''),
address_translation.get('customerIpAddressRecord', {})
.get('ipAddress', ''),
address_translation.get('customerIpAddressId', ''),
address_translation.get('notes', '')])
return table | python | def _get_address_translations_table(address_translations):
"""Yields a formatted table to print address translations.
:param List[dict] address_translations: List of address translations.
:return Table: Formatted for address translation output.
"""
table = formatting.Table(['id',
'static IP address',
'static IP address id',
'remote IP address',
'remote IP address id',
'note'])
for address_translation in address_translations:
table.add_row([address_translation.get('id', ''),
address_translation.get('internalIpAddressRecord', {})
.get('ipAddress', ''),
address_translation.get('internalIpAddressId', ''),
address_translation.get('customerIpAddressRecord', {})
.get('ipAddress', ''),
address_translation.get('customerIpAddressId', ''),
address_translation.get('notes', '')])
return table | [
"def",
"_get_address_translations_table",
"(",
"address_translations",
")",
":",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'id'",
",",
"'static IP address'",
",",
"'static IP address id'",
",",
"'remote IP address'",
",",
"'remote IP address id'",
",",
"'note'",
"]",
")",
"for",
"address_translation",
"in",
"address_translations",
":",
"table",
".",
"add_row",
"(",
"[",
"address_translation",
".",
"get",
"(",
"'id'",
",",
"''",
")",
",",
"address_translation",
".",
"get",
"(",
"'internalIpAddressRecord'",
",",
"{",
"}",
")",
".",
"get",
"(",
"'ipAddress'",
",",
"''",
")",
",",
"address_translation",
".",
"get",
"(",
"'internalIpAddressId'",
",",
"''",
")",
",",
"address_translation",
".",
"get",
"(",
"'customerIpAddressRecord'",
",",
"{",
"}",
")",
".",
"get",
"(",
"'ipAddress'",
",",
"''",
")",
",",
"address_translation",
".",
"get",
"(",
"'customerIpAddressId'",
",",
"''",
")",
",",
"address_translation",
".",
"get",
"(",
"'notes'",
",",
"''",
")",
"]",
")",
"return",
"table"
] | Yields a formatted table to print address translations.
:param List[dict] address_translations: List of address translations.
:return Table: Formatted for address translation output. | [
"Yields",
"a",
"formatted",
"table",
"to",
"print",
"address",
"translations",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/detail.py#L63-L84 | train | 234,611 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/detail.py | _get_subnets_table | def _get_subnets_table(subnets):
"""Yields a formatted table to print subnet details.
:param List[dict] subnets: List of subnets.
:return Table: Formatted for subnet output.
"""
table = formatting.Table(['id',
'network identifier',
'cidr',
'note'])
for subnet in subnets:
table.add_row([subnet.get('id', ''),
subnet.get('networkIdentifier', ''),
subnet.get('cidr', ''),
subnet.get('note', '')])
return table | python | def _get_subnets_table(subnets):
"""Yields a formatted table to print subnet details.
:param List[dict] subnets: List of subnets.
:return Table: Formatted for subnet output.
"""
table = formatting.Table(['id',
'network identifier',
'cidr',
'note'])
for subnet in subnets:
table.add_row([subnet.get('id', ''),
subnet.get('networkIdentifier', ''),
subnet.get('cidr', ''),
subnet.get('note', '')])
return table | [
"def",
"_get_subnets_table",
"(",
"subnets",
")",
":",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'id'",
",",
"'network identifier'",
",",
"'cidr'",
",",
"'note'",
"]",
")",
"for",
"subnet",
"in",
"subnets",
":",
"table",
".",
"add_row",
"(",
"[",
"subnet",
".",
"get",
"(",
"'id'",
",",
"''",
")",
",",
"subnet",
".",
"get",
"(",
"'networkIdentifier'",
",",
"''",
")",
",",
"subnet",
".",
"get",
"(",
"'cidr'",
",",
"''",
")",
",",
"subnet",
".",
"get",
"(",
"'note'",
",",
"''",
")",
"]",
")",
"return",
"table"
] | Yields a formatted table to print subnet details.
:param List[dict] subnets: List of subnets.
:return Table: Formatted for subnet output. | [
"Yields",
"a",
"formatted",
"table",
"to",
"print",
"subnet",
"details",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/detail.py#L87-L102 | train | 234,612 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/detail.py | _get_tunnel_context_mask | def _get_tunnel_context_mask(address_translations=False,
internal_subnets=False,
remote_subnets=False,
static_subnets=False,
service_subnets=False):
"""Yields a mask object for a tunnel context.
All exposed properties on the tunnel context service are included in
the constructed mask. Additional joins may be requested.
:param bool address_translations: Whether to join the context's address
translation entries.
:param bool internal_subnets: Whether to join the context's internal
subnet associations.
:param bool remote_subnets: Whether to join the context's remote subnet
associations.
:param bool static_subnets: Whether to join the context's statically
routed subnet associations.
:param bool service_subnets: Whether to join the SoftLayer service
network subnets.
:return string: Encoding for the requested mask object.
"""
entries = ['id',
'accountId',
'advancedConfigurationFlag',
'createDate',
'customerPeerIpAddress',
'modifyDate',
'name',
'friendlyName',
'internalPeerIpAddress',
'phaseOneAuthentication',
'phaseOneDiffieHellmanGroup',
'phaseOneEncryption',
'phaseOneKeylife',
'phaseTwoAuthentication',
'phaseTwoDiffieHellmanGroup',
'phaseTwoEncryption',
'phaseTwoKeylife',
'phaseTwoPerfectForwardSecrecy',
'presharedKey']
if address_translations:
entries.append('addressTranslations[internalIpAddressRecord[ipAddress],'
'customerIpAddressRecord[ipAddress]]')
if internal_subnets:
entries.append('internalSubnets')
if remote_subnets:
entries.append('customerSubnets')
if static_subnets:
entries.append('staticRouteSubnets')
if service_subnets:
entries.append('serviceSubnets')
return '[mask[{}]]'.format(','.join(entries)) | python | def _get_tunnel_context_mask(address_translations=False,
internal_subnets=False,
remote_subnets=False,
static_subnets=False,
service_subnets=False):
"""Yields a mask object for a tunnel context.
All exposed properties on the tunnel context service are included in
the constructed mask. Additional joins may be requested.
:param bool address_translations: Whether to join the context's address
translation entries.
:param bool internal_subnets: Whether to join the context's internal
subnet associations.
:param bool remote_subnets: Whether to join the context's remote subnet
associations.
:param bool static_subnets: Whether to join the context's statically
routed subnet associations.
:param bool service_subnets: Whether to join the SoftLayer service
network subnets.
:return string: Encoding for the requested mask object.
"""
entries = ['id',
'accountId',
'advancedConfigurationFlag',
'createDate',
'customerPeerIpAddress',
'modifyDate',
'name',
'friendlyName',
'internalPeerIpAddress',
'phaseOneAuthentication',
'phaseOneDiffieHellmanGroup',
'phaseOneEncryption',
'phaseOneKeylife',
'phaseTwoAuthentication',
'phaseTwoDiffieHellmanGroup',
'phaseTwoEncryption',
'phaseTwoKeylife',
'phaseTwoPerfectForwardSecrecy',
'presharedKey']
if address_translations:
entries.append('addressTranslations[internalIpAddressRecord[ipAddress],'
'customerIpAddressRecord[ipAddress]]')
if internal_subnets:
entries.append('internalSubnets')
if remote_subnets:
entries.append('customerSubnets')
if static_subnets:
entries.append('staticRouteSubnets')
if service_subnets:
entries.append('serviceSubnets')
return '[mask[{}]]'.format(','.join(entries)) | [
"def",
"_get_tunnel_context_mask",
"(",
"address_translations",
"=",
"False",
",",
"internal_subnets",
"=",
"False",
",",
"remote_subnets",
"=",
"False",
",",
"static_subnets",
"=",
"False",
",",
"service_subnets",
"=",
"False",
")",
":",
"entries",
"=",
"[",
"'id'",
",",
"'accountId'",
",",
"'advancedConfigurationFlag'",
",",
"'createDate'",
",",
"'customerPeerIpAddress'",
",",
"'modifyDate'",
",",
"'name'",
",",
"'friendlyName'",
",",
"'internalPeerIpAddress'",
",",
"'phaseOneAuthentication'",
",",
"'phaseOneDiffieHellmanGroup'",
",",
"'phaseOneEncryption'",
",",
"'phaseOneKeylife'",
",",
"'phaseTwoAuthentication'",
",",
"'phaseTwoDiffieHellmanGroup'",
",",
"'phaseTwoEncryption'",
",",
"'phaseTwoKeylife'",
",",
"'phaseTwoPerfectForwardSecrecy'",
",",
"'presharedKey'",
"]",
"if",
"address_translations",
":",
"entries",
".",
"append",
"(",
"'addressTranslations[internalIpAddressRecord[ipAddress],'",
"'customerIpAddressRecord[ipAddress]]'",
")",
"if",
"internal_subnets",
":",
"entries",
".",
"append",
"(",
"'internalSubnets'",
")",
"if",
"remote_subnets",
":",
"entries",
".",
"append",
"(",
"'customerSubnets'",
")",
"if",
"static_subnets",
":",
"entries",
".",
"append",
"(",
"'staticRouteSubnets'",
")",
"if",
"service_subnets",
":",
"entries",
".",
"append",
"(",
"'serviceSubnets'",
")",
"return",
"'[mask[{}]]'",
".",
"format",
"(",
"','",
".",
"join",
"(",
"entries",
")",
")"
] | Yields a mask object for a tunnel context.
All exposed properties on the tunnel context service are included in
the constructed mask. Additional joins may be requested.
:param bool address_translations: Whether to join the context's address
translation entries.
:param bool internal_subnets: Whether to join the context's internal
subnet associations.
:param bool remote_subnets: Whether to join the context's remote subnet
associations.
:param bool static_subnets: Whether to join the context's statically
routed subnet associations.
:param bool service_subnets: Whether to join the SoftLayer service
network subnets.
:return string: Encoding for the requested mask object. | [
"Yields",
"a",
"mask",
"object",
"for",
"a",
"tunnel",
"context",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/detail.py#L105-L157 | train | 234,613 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/detail.py | _get_context_table | def _get_context_table(context):
"""Yields a formatted table to print context details.
:param dict context: The tunnel context
:return Table: Formatted for tunnel context output
"""
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['id', context.get('id', '')])
table.add_row(['name', context.get('name', '')])
table.add_row(['friendly name', context.get('friendlyName', '')])
table.add_row(['internal peer IP address',
context.get('internalPeerIpAddress', '')])
table.add_row(['remote peer IP address',
context.get('customerPeerIpAddress', '')])
table.add_row(['advanced configuration flag',
context.get('advancedConfigurationFlag', '')])
table.add_row(['preshared key', context.get('presharedKey', '')])
table.add_row(['phase 1 authentication',
context.get('phaseOneAuthentication', '')])
table.add_row(['phase 1 diffie hellman group',
context.get('phaseOneDiffieHellmanGroup', '')])
table.add_row(['phase 1 encryption', context.get('phaseOneEncryption', '')])
table.add_row(['phase 1 key life', context.get('phaseOneKeylife', '')])
table.add_row(['phase 2 authentication',
context.get('phaseTwoAuthentication', '')])
table.add_row(['phase 2 diffie hellman group',
context.get('phaseTwoDiffieHellmanGroup', '')])
table.add_row(['phase 2 encryption', context.get('phaseTwoEncryption', '')])
table.add_row(['phase 2 key life', context.get('phaseTwoKeylife', '')])
table.add_row(['phase 2 perfect forward secrecy',
context.get('phaseTwoPerfectForwardSecrecy', '')])
table.add_row(['created', context.get('createDate')])
table.add_row(['modified', context.get('modifyDate')])
return table | python | def _get_context_table(context):
"""Yields a formatted table to print context details.
:param dict context: The tunnel context
:return Table: Formatted for tunnel context output
"""
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['id', context.get('id', '')])
table.add_row(['name', context.get('name', '')])
table.add_row(['friendly name', context.get('friendlyName', '')])
table.add_row(['internal peer IP address',
context.get('internalPeerIpAddress', '')])
table.add_row(['remote peer IP address',
context.get('customerPeerIpAddress', '')])
table.add_row(['advanced configuration flag',
context.get('advancedConfigurationFlag', '')])
table.add_row(['preshared key', context.get('presharedKey', '')])
table.add_row(['phase 1 authentication',
context.get('phaseOneAuthentication', '')])
table.add_row(['phase 1 diffie hellman group',
context.get('phaseOneDiffieHellmanGroup', '')])
table.add_row(['phase 1 encryption', context.get('phaseOneEncryption', '')])
table.add_row(['phase 1 key life', context.get('phaseOneKeylife', '')])
table.add_row(['phase 2 authentication',
context.get('phaseTwoAuthentication', '')])
table.add_row(['phase 2 diffie hellman group',
context.get('phaseTwoDiffieHellmanGroup', '')])
table.add_row(['phase 2 encryption', context.get('phaseTwoEncryption', '')])
table.add_row(['phase 2 key life', context.get('phaseTwoKeylife', '')])
table.add_row(['phase 2 perfect forward secrecy',
context.get('phaseTwoPerfectForwardSecrecy', '')])
table.add_row(['created', context.get('createDate')])
table.add_row(['modified', context.get('modifyDate')])
return table | [
"def",
"_get_context_table",
"(",
"context",
")",
":",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"table",
".",
"align",
"[",
"'name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'value'",
"]",
"=",
"'l'",
"table",
".",
"add_row",
"(",
"[",
"'id'",
",",
"context",
".",
"get",
"(",
"'id'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'name'",
",",
"context",
".",
"get",
"(",
"'name'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'friendly name'",
",",
"context",
".",
"get",
"(",
"'friendlyName'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'internal peer IP address'",
",",
"context",
".",
"get",
"(",
"'internalPeerIpAddress'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'remote peer IP address'",
",",
"context",
".",
"get",
"(",
"'customerPeerIpAddress'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'advanced configuration flag'",
",",
"context",
".",
"get",
"(",
"'advancedConfigurationFlag'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'preshared key'",
",",
"context",
".",
"get",
"(",
"'presharedKey'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 1 authentication'",
",",
"context",
".",
"get",
"(",
"'phaseOneAuthentication'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 1 diffie hellman group'",
",",
"context",
".",
"get",
"(",
"'phaseOneDiffieHellmanGroup'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 1 encryption'",
",",
"context",
".",
"get",
"(",
"'phaseOneEncryption'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 1 key life'",
",",
"context",
".",
"get",
"(",
"'phaseOneKeylife'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 2 authentication'",
",",
"context",
".",
"get",
"(",
"'phaseTwoAuthentication'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 2 diffie hellman group'",
",",
"context",
".",
"get",
"(",
"'phaseTwoDiffieHellmanGroup'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 2 encryption'",
",",
"context",
".",
"get",
"(",
"'phaseTwoEncryption'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 2 key life'",
",",
"context",
".",
"get",
"(",
"'phaseTwoKeylife'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'phase 2 perfect forward secrecy'",
",",
"context",
".",
"get",
"(",
"'phaseTwoPerfectForwardSecrecy'",
",",
"''",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'created'",
",",
"context",
".",
"get",
"(",
"'createDate'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'modified'",
",",
"context",
".",
"get",
"(",
"'modifyDate'",
")",
"]",
")",
"return",
"table"
] | Yields a formatted table to print context details.
:param dict context: The tunnel context
:return Table: Formatted for tunnel context output | [
"Yields",
"a",
"formatted",
"table",
"to",
"print",
"context",
"details",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/detail.py#L160-L196 | train | 234,614 |
softlayer/softlayer-python | SoftLayer/CLI/file/replication/failover.py | cli | def cli(env, volume_id, replicant_id, immediate):
"""Failover a file volume to the given replicant volume."""
file_storage_manager = SoftLayer.FileStorageManager(env.client)
success = file_storage_manager.failover_to_replicant(
volume_id,
replicant_id,
immediate
)
if success:
click.echo("Failover to replicant is now in progress.")
else:
click.echo("Failover operation could not be initiated.") | python | def cli(env, volume_id, replicant_id, immediate):
"""Failover a file volume to the given replicant volume."""
file_storage_manager = SoftLayer.FileStorageManager(env.client)
success = file_storage_manager.failover_to_replicant(
volume_id,
replicant_id,
immediate
)
if success:
click.echo("Failover to replicant is now in progress.")
else:
click.echo("Failover operation could not be initiated.") | [
"def",
"cli",
"(",
"env",
",",
"volume_id",
",",
"replicant_id",
",",
"immediate",
")",
":",
"file_storage_manager",
"=",
"SoftLayer",
".",
"FileStorageManager",
"(",
"env",
".",
"client",
")",
"success",
"=",
"file_storage_manager",
".",
"failover_to_replicant",
"(",
"volume_id",
",",
"replicant_id",
",",
"immediate",
")",
"if",
"success",
":",
"click",
".",
"echo",
"(",
"\"Failover to replicant is now in progress.\"",
")",
"else",
":",
"click",
".",
"echo",
"(",
"\"Failover operation could not be initiated.\"",
")"
] | Failover a file volume to the given replicant volume. | [
"Failover",
"a",
"file",
"volume",
"to",
"the",
"given",
"replicant",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/file/replication/failover.py#L17-L30 | train | 234,615 |
softlayer/softlayer-python | SoftLayer/CLI/file/count.py | cli | def cli(env, sortby, datacenter):
"""List number of file storage volumes per datacenter."""
file_manager = SoftLayer.FileStorageManager(env.client)
mask = "mask[serviceResource[datacenter[name]],"\
"replicationPartners[serviceResource[datacenter[name]]]]"
file_volumes = file_manager.list_file_volumes(datacenter=datacenter,
mask=mask)
datacenters = dict()
for volume in file_volumes:
service_resource = volume['serviceResource']
if 'datacenter' in service_resource:
datacenter_name = service_resource['datacenter']['name']
if datacenter_name not in datacenters.keys():
datacenters[datacenter_name] = 1
else:
datacenters[datacenter_name] += 1
table = formatting.KeyValueTable(DEFAULT_COLUMNS)
table.sortby = sortby
for datacenter_name in datacenters:
table.add_row([datacenter_name, datacenters[datacenter_name]])
env.fout(table) | python | def cli(env, sortby, datacenter):
"""List number of file storage volumes per datacenter."""
file_manager = SoftLayer.FileStorageManager(env.client)
mask = "mask[serviceResource[datacenter[name]],"\
"replicationPartners[serviceResource[datacenter[name]]]]"
file_volumes = file_manager.list_file_volumes(datacenter=datacenter,
mask=mask)
datacenters = dict()
for volume in file_volumes:
service_resource = volume['serviceResource']
if 'datacenter' in service_resource:
datacenter_name = service_resource['datacenter']['name']
if datacenter_name not in datacenters.keys():
datacenters[datacenter_name] = 1
else:
datacenters[datacenter_name] += 1
table = formatting.KeyValueTable(DEFAULT_COLUMNS)
table.sortby = sortby
for datacenter_name in datacenters:
table.add_row([datacenter_name, datacenters[datacenter_name]])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"sortby",
",",
"datacenter",
")",
":",
"file_manager",
"=",
"SoftLayer",
".",
"FileStorageManager",
"(",
"env",
".",
"client",
")",
"mask",
"=",
"\"mask[serviceResource[datacenter[name]],\"",
"\"replicationPartners[serviceResource[datacenter[name]]]]\"",
"file_volumes",
"=",
"file_manager",
".",
"list_file_volumes",
"(",
"datacenter",
"=",
"datacenter",
",",
"mask",
"=",
"mask",
")",
"datacenters",
"=",
"dict",
"(",
")",
"for",
"volume",
"in",
"file_volumes",
":",
"service_resource",
"=",
"volume",
"[",
"'serviceResource'",
"]",
"if",
"'datacenter'",
"in",
"service_resource",
":",
"datacenter_name",
"=",
"service_resource",
"[",
"'datacenter'",
"]",
"[",
"'name'",
"]",
"if",
"datacenter_name",
"not",
"in",
"datacenters",
".",
"keys",
"(",
")",
":",
"datacenters",
"[",
"datacenter_name",
"]",
"=",
"1",
"else",
":",
"datacenters",
"[",
"datacenter_name",
"]",
"+=",
"1",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"DEFAULT_COLUMNS",
")",
"table",
".",
"sortby",
"=",
"sortby",
"for",
"datacenter_name",
"in",
"datacenters",
":",
"table",
".",
"add_row",
"(",
"[",
"datacenter_name",
",",
"datacenters",
"[",
"datacenter_name",
"]",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List number of file storage volumes per datacenter. | [
"List",
"number",
"of",
"file",
"storage",
"volumes",
"per",
"datacenter",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/file/count.py#L19-L41 | train | 234,616 |
softlayer/softlayer-python | SoftLayer/CLI/hardware/create_options.py | cli | def cli(env):
"""Server order options for a given chassis."""
hardware_manager = hardware.HardwareManager(env.client)
options = hardware_manager.get_create_options()
tables = []
# Datacenters
dc_table = formatting.Table(['datacenter', 'value'])
dc_table.sortby = 'value'
for location in options['locations']:
dc_table.add_row([location['name'], location['key']])
tables.append(dc_table)
# Presets
preset_table = formatting.Table(['size', 'value'])
preset_table.sortby = 'value'
for size in options['sizes']:
preset_table.add_row([size['name'], size['key']])
tables.append(preset_table)
# Operating systems
os_table = formatting.Table(['operating_system', 'value'])
os_table.sortby = 'value'
for operating_system in options['operating_systems']:
os_table.add_row([operating_system['name'], operating_system['key']])
tables.append(os_table)
# Port speed
port_speed_table = formatting.Table(['port_speed', 'value'])
port_speed_table.sortby = 'value'
for speed in options['port_speeds']:
port_speed_table.add_row([speed['name'], speed['key']])
tables.append(port_speed_table)
# Extras
extras_table = formatting.Table(['extras', 'value'])
extras_table.sortby = 'value'
for extra in options['extras']:
extras_table.add_row([extra['name'], extra['key']])
tables.append(extras_table)
env.fout(formatting.listing(tables, separator='\n')) | python | def cli(env):
"""Server order options for a given chassis."""
hardware_manager = hardware.HardwareManager(env.client)
options = hardware_manager.get_create_options()
tables = []
# Datacenters
dc_table = formatting.Table(['datacenter', 'value'])
dc_table.sortby = 'value'
for location in options['locations']:
dc_table.add_row([location['name'], location['key']])
tables.append(dc_table)
# Presets
preset_table = formatting.Table(['size', 'value'])
preset_table.sortby = 'value'
for size in options['sizes']:
preset_table.add_row([size['name'], size['key']])
tables.append(preset_table)
# Operating systems
os_table = formatting.Table(['operating_system', 'value'])
os_table.sortby = 'value'
for operating_system in options['operating_systems']:
os_table.add_row([operating_system['name'], operating_system['key']])
tables.append(os_table)
# Port speed
port_speed_table = formatting.Table(['port_speed', 'value'])
port_speed_table.sortby = 'value'
for speed in options['port_speeds']:
port_speed_table.add_row([speed['name'], speed['key']])
tables.append(port_speed_table)
# Extras
extras_table = formatting.Table(['extras', 'value'])
extras_table.sortby = 'value'
for extra in options['extras']:
extras_table.add_row([extra['name'], extra['key']])
tables.append(extras_table)
env.fout(formatting.listing(tables, separator='\n')) | [
"def",
"cli",
"(",
"env",
")",
":",
"hardware_manager",
"=",
"hardware",
".",
"HardwareManager",
"(",
"env",
".",
"client",
")",
"options",
"=",
"hardware_manager",
".",
"get_create_options",
"(",
")",
"tables",
"=",
"[",
"]",
"# Datacenters",
"dc_table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'datacenter'",
",",
"'value'",
"]",
")",
"dc_table",
".",
"sortby",
"=",
"'value'",
"for",
"location",
"in",
"options",
"[",
"'locations'",
"]",
":",
"dc_table",
".",
"add_row",
"(",
"[",
"location",
"[",
"'name'",
"]",
",",
"location",
"[",
"'key'",
"]",
"]",
")",
"tables",
".",
"append",
"(",
"dc_table",
")",
"# Presets",
"preset_table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'size'",
",",
"'value'",
"]",
")",
"preset_table",
".",
"sortby",
"=",
"'value'",
"for",
"size",
"in",
"options",
"[",
"'sizes'",
"]",
":",
"preset_table",
".",
"add_row",
"(",
"[",
"size",
"[",
"'name'",
"]",
",",
"size",
"[",
"'key'",
"]",
"]",
")",
"tables",
".",
"append",
"(",
"preset_table",
")",
"# Operating systems",
"os_table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'operating_system'",
",",
"'value'",
"]",
")",
"os_table",
".",
"sortby",
"=",
"'value'",
"for",
"operating_system",
"in",
"options",
"[",
"'operating_systems'",
"]",
":",
"os_table",
".",
"add_row",
"(",
"[",
"operating_system",
"[",
"'name'",
"]",
",",
"operating_system",
"[",
"'key'",
"]",
"]",
")",
"tables",
".",
"append",
"(",
"os_table",
")",
"# Port speed",
"port_speed_table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'port_speed'",
",",
"'value'",
"]",
")",
"port_speed_table",
".",
"sortby",
"=",
"'value'",
"for",
"speed",
"in",
"options",
"[",
"'port_speeds'",
"]",
":",
"port_speed_table",
".",
"add_row",
"(",
"[",
"speed",
"[",
"'name'",
"]",
",",
"speed",
"[",
"'key'",
"]",
"]",
")",
"tables",
".",
"append",
"(",
"port_speed_table",
")",
"# Extras",
"extras_table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'extras'",
",",
"'value'",
"]",
")",
"extras_table",
".",
"sortby",
"=",
"'value'",
"for",
"extra",
"in",
"options",
"[",
"'extras'",
"]",
":",
"extras_table",
".",
"add_row",
"(",
"[",
"extra",
"[",
"'name'",
"]",
",",
"extra",
"[",
"'key'",
"]",
"]",
")",
"tables",
".",
"append",
"(",
"extras_table",
")",
"env",
".",
"fout",
"(",
"formatting",
".",
"listing",
"(",
"tables",
",",
"separator",
"=",
"'\\n'",
")",
")"
] | Server order options for a given chassis. | [
"Server",
"order",
"options",
"for",
"a",
"given",
"chassis",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/hardware/create_options.py#L13-L56 | train | 234,617 |
softlayer/softlayer-python | SoftLayer/CLI/firewall/__init__.py | parse_id | def parse_id(input_id):
"""Helper package to retrieve the actual IDs.
:param input_id: the ID provided by the user
:returns: A list of valid IDs
"""
key_value = input_id.split(':')
if len(key_value) != 2:
raise exceptions.CLIAbort(
'Invalid ID %s: ID should be of the form xxx:yyy' % input_id)
return key_value[0], int(key_value[1]) | python | def parse_id(input_id):
"""Helper package to retrieve the actual IDs.
:param input_id: the ID provided by the user
:returns: A list of valid IDs
"""
key_value = input_id.split(':')
if len(key_value) != 2:
raise exceptions.CLIAbort(
'Invalid ID %s: ID should be of the form xxx:yyy' % input_id)
return key_value[0], int(key_value[1]) | [
"def",
"parse_id",
"(",
"input_id",
")",
":",
"key_value",
"=",
"input_id",
".",
"split",
"(",
"':'",
")",
"if",
"len",
"(",
"key_value",
")",
"!=",
"2",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Invalid ID %s: ID should be of the form xxx:yyy'",
"%",
"input_id",
")",
"return",
"key_value",
"[",
"0",
"]",
",",
"int",
"(",
"key_value",
"[",
"1",
"]",
")"
] | Helper package to retrieve the actual IDs.
:param input_id: the ID provided by the user
:returns: A list of valid IDs | [
"Helper",
"package",
"to",
"retrieve",
"the",
"actual",
"IDs",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/firewall/__init__.py#L7-L18 | train | 234,618 |
softlayer/softlayer-python | SoftLayer/CLI/call_api.py | _build_filters | def _build_filters(_filters):
"""Builds filters using the filter options passed into the CLI.
This only supports the equals keyword at the moment.
"""
root = utils.NestedDict({})
for _filter in _filters:
operation = None
for operation, token in SPLIT_TOKENS:
# split "some.key=value" into ["some.key", "value"]
top_parts = _filter.split(token, 1)
if len(top_parts) == 2:
break
else:
raise exceptions.CLIAbort('Failed to find valid operation for: %s'
% _filter)
key, value = top_parts
current = root
# split "some.key" into ["some", "key"]
parts = [part.strip() for part in key.split('.')]
# Actually drill down and add the filter
for part in parts[:-1]:
current = current[part]
if operation == 'eq':
current[parts[-1]] = utils.query_filter(value.strip())
elif operation == 'in':
current[parts[-1]] = {
'operation': 'in',
'options': [{
'name': 'data',
'value': [p.strip() for p in value.split(',')],
}],
}
return root.to_dict() | python | def _build_filters(_filters):
"""Builds filters using the filter options passed into the CLI.
This only supports the equals keyword at the moment.
"""
root = utils.NestedDict({})
for _filter in _filters:
operation = None
for operation, token in SPLIT_TOKENS:
# split "some.key=value" into ["some.key", "value"]
top_parts = _filter.split(token, 1)
if len(top_parts) == 2:
break
else:
raise exceptions.CLIAbort('Failed to find valid operation for: %s'
% _filter)
key, value = top_parts
current = root
# split "some.key" into ["some", "key"]
parts = [part.strip() for part in key.split('.')]
# Actually drill down and add the filter
for part in parts[:-1]:
current = current[part]
if operation == 'eq':
current[parts[-1]] = utils.query_filter(value.strip())
elif operation == 'in':
current[parts[-1]] = {
'operation': 'in',
'options': [{
'name': 'data',
'value': [p.strip() for p in value.split(',')],
}],
}
return root.to_dict() | [
"def",
"_build_filters",
"(",
"_filters",
")",
":",
"root",
"=",
"utils",
".",
"NestedDict",
"(",
"{",
"}",
")",
"for",
"_filter",
"in",
"_filters",
":",
"operation",
"=",
"None",
"for",
"operation",
",",
"token",
"in",
"SPLIT_TOKENS",
":",
"# split \"some.key=value\" into [\"some.key\", \"value\"]",
"top_parts",
"=",
"_filter",
".",
"split",
"(",
"token",
",",
"1",
")",
"if",
"len",
"(",
"top_parts",
")",
"==",
"2",
":",
"break",
"else",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Failed to find valid operation for: %s'",
"%",
"_filter",
")",
"key",
",",
"value",
"=",
"top_parts",
"current",
"=",
"root",
"# split \"some.key\" into [\"some\", \"key\"]",
"parts",
"=",
"[",
"part",
".",
"strip",
"(",
")",
"for",
"part",
"in",
"key",
".",
"split",
"(",
"'.'",
")",
"]",
"# Actually drill down and add the filter",
"for",
"part",
"in",
"parts",
"[",
":",
"-",
"1",
"]",
":",
"current",
"=",
"current",
"[",
"part",
"]",
"if",
"operation",
"==",
"'eq'",
":",
"current",
"[",
"parts",
"[",
"-",
"1",
"]",
"]",
"=",
"utils",
".",
"query_filter",
"(",
"value",
".",
"strip",
"(",
")",
")",
"elif",
"operation",
"==",
"'in'",
":",
"current",
"[",
"parts",
"[",
"-",
"1",
"]",
"]",
"=",
"{",
"'operation'",
":",
"'in'",
",",
"'options'",
":",
"[",
"{",
"'name'",
":",
"'data'",
",",
"'value'",
":",
"[",
"p",
".",
"strip",
"(",
")",
"for",
"p",
"in",
"value",
".",
"split",
"(",
"','",
")",
"]",
",",
"}",
"]",
",",
"}",
"return",
"root",
".",
"to_dict",
"(",
")"
] | Builds filters using the filter options passed into the CLI.
This only supports the equals keyword at the moment. | [
"Builds",
"filters",
"using",
"the",
"filter",
"options",
"passed",
"into",
"the",
"CLI",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/call_api.py#L16-L53 | train | 234,619 |
softlayer/softlayer-python | SoftLayer/CLI/call_api.py | cli | def cli(env, service, method, parameters, _id, _filters, mask, limit, offset,
output_python=False):
"""Call arbitrary API endpoints with the given SERVICE and METHOD.
Example::
slcli call-api Account getObject
slcli call-api Account getVirtualGuests --limit=10 --mask=id,hostname
slcli call-api Virtual_Guest getObject --id=12345
slcli call-api Metric_Tracking_Object getBandwidthData --id=1234 \\
"2015-01-01 00:00:00" "2015-01-1 12:00:00" public
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name=dal05' \\
-f 'virtualGuests.maxCpu=4' \\
--mask=id,hostname,datacenter.name,maxCpu
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name IN dal05,sng01'
"""
args = [service, method] + list(parameters)
kwargs = {
'id': _id,
'filter': _build_filters(_filters),
'mask': mask,
'limit': limit,
'offset': offset,
}
if output_python:
env.out(_build_python_example(args, kwargs))
else:
result = env.client.call(*args, **kwargs)
env.fout(formatting.iter_to_table(result)) | python | def cli(env, service, method, parameters, _id, _filters, mask, limit, offset,
output_python=False):
"""Call arbitrary API endpoints with the given SERVICE and METHOD.
Example::
slcli call-api Account getObject
slcli call-api Account getVirtualGuests --limit=10 --mask=id,hostname
slcli call-api Virtual_Guest getObject --id=12345
slcli call-api Metric_Tracking_Object getBandwidthData --id=1234 \\
"2015-01-01 00:00:00" "2015-01-1 12:00:00" public
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name=dal05' \\
-f 'virtualGuests.maxCpu=4' \\
--mask=id,hostname,datacenter.name,maxCpu
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name IN dal05,sng01'
"""
args = [service, method] + list(parameters)
kwargs = {
'id': _id,
'filter': _build_filters(_filters),
'mask': mask,
'limit': limit,
'offset': offset,
}
if output_python:
env.out(_build_python_example(args, kwargs))
else:
result = env.client.call(*args, **kwargs)
env.fout(formatting.iter_to_table(result)) | [
"def",
"cli",
"(",
"env",
",",
"service",
",",
"method",
",",
"parameters",
",",
"_id",
",",
"_filters",
",",
"mask",
",",
"limit",
",",
"offset",
",",
"output_python",
"=",
"False",
")",
":",
"args",
"=",
"[",
"service",
",",
"method",
"]",
"+",
"list",
"(",
"parameters",
")",
"kwargs",
"=",
"{",
"'id'",
":",
"_id",
",",
"'filter'",
":",
"_build_filters",
"(",
"_filters",
")",
",",
"'mask'",
":",
"mask",
",",
"'limit'",
":",
"limit",
",",
"'offset'",
":",
"offset",
",",
"}",
"if",
"output_python",
":",
"env",
".",
"out",
"(",
"_build_python_example",
"(",
"args",
",",
"kwargs",
")",
")",
"else",
":",
"result",
"=",
"env",
".",
"client",
".",
"call",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"env",
".",
"fout",
"(",
"formatting",
".",
"iter_to_table",
"(",
"result",
")",
")"
] | Call arbitrary API endpoints with the given SERVICE and METHOD.
Example::
slcli call-api Account getObject
slcli call-api Account getVirtualGuests --limit=10 --mask=id,hostname
slcli call-api Virtual_Guest getObject --id=12345
slcli call-api Metric_Tracking_Object getBandwidthData --id=1234 \\
"2015-01-01 00:00:00" "2015-01-1 12:00:00" public
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name=dal05' \\
-f 'virtualGuests.maxCpu=4' \\
--mask=id,hostname,datacenter.name,maxCpu
slcli call-api Account getVirtualGuests \\
-f 'virtualGuests.datacenter.name IN dal05,sng01' | [
"Call",
"arbitrary",
"API",
"endpoints",
"with",
"the",
"given",
"SERVICE",
"and",
"METHOD",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/call_api.py#L86-L118 | train | 234,620 |
softlayer/softlayer-python | SoftLayer/CLI/block/snapshot/list.py | cli | def cli(env, volume_id, sortby, columns):
"""List block storage snapshots."""
block_manager = SoftLayer.BlockStorageManager(env.client)
snapshots = block_manager.get_block_volume_snapshot_list(
volume_id,
mask=columns.mask()
)
table = formatting.Table(columns.columns)
table.sortby = sortby
for snapshot in snapshots:
table.add_row([value or formatting.blank()
for value in columns.row(snapshot)])
env.fout(table) | python | def cli(env, volume_id, sortby, columns):
"""List block storage snapshots."""
block_manager = SoftLayer.BlockStorageManager(env.client)
snapshots = block_manager.get_block_volume_snapshot_list(
volume_id,
mask=columns.mask()
)
table = formatting.Table(columns.columns)
table.sortby = sortby
for snapshot in snapshots:
table.add_row([value or formatting.blank()
for value in columns.row(snapshot)])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"volume_id",
",",
"sortby",
",",
"columns",
")",
":",
"block_manager",
"=",
"SoftLayer",
".",
"BlockStorageManager",
"(",
"env",
".",
"client",
")",
"snapshots",
"=",
"block_manager",
".",
"get_block_volume_snapshot_list",
"(",
"volume_id",
",",
"mask",
"=",
"columns",
".",
"mask",
"(",
")",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"columns",
".",
"columns",
")",
"table",
".",
"sortby",
"=",
"sortby",
"for",
"snapshot",
"in",
"snapshots",
":",
"table",
".",
"add_row",
"(",
"[",
"value",
"or",
"formatting",
".",
"blank",
"(",
")",
"for",
"value",
"in",
"columns",
".",
"row",
"(",
"snapshot",
")",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List block storage snapshots. | [
"List",
"block",
"storage",
"snapshots",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/block/snapshot/list.py#L38-L53 | train | 234,621 |
softlayer/softlayer-python | SoftLayer/CLI/order/place.py | cli | def cli(env, package_keyname, location, preset, verify, billing, complex_type,
quantity, extras, order_items):
"""Place or verify an order.
This CLI command is used for placing/verifying an order of the specified package in
the given location (denoted by a datacenter's long name). Orders made via the CLI
can then be converted to be made programmatically by calling
SoftLayer.OrderingManager.place_order() with the same keynames.
Packages for ordering can be retrieved from `slcli order package-list`
Presets for ordering can be retrieved from `slcli order preset-list` (not all packages
have presets)
Items can be retrieved from `slcli order item-list`. In order to find required
items for the order, use `slcli order category-list`, and then provide the
--category option for each category code in `slcli order item-list`.
Example::
# Order an hourly VSI with 4 CPU, 16 GB RAM, 100 GB SAN disk,
# Ubuntu 16.04, and 1 Gbps public & private uplink in dal13
slcli order place --billing hourly CLOUD_SERVER DALLAS13 \\
GUEST_CORES_4 \\
RAM_16_GB \\
REBOOT_REMOTE_CONSOLE \\
1_GBPS_PUBLIC_PRIVATE_NETWORK_UPLINKS \\
BANDWIDTH_0_GB_2 \\
1_IP_ADDRESS \\
GUEST_DISK_100_GB_SAN \\
OS_UBUNTU_16_04_LTS_XENIAL_XERUS_MINIMAL_64_BIT_FOR_VSI \\
MONITORING_HOST_PING \\
NOTIFICATION_EMAIL_AND_TICKET \\
AUTOMATED_NOTIFICATION \\
UNLIMITED_SSL_VPN_USERS_1_PPTP_VPN_USER_PER_ACCOUNT \\
NESSUS_VULNERABILITY_ASSESSMENT_REPORTING \\
--extras '{"virtualGuests": [{"hostname": "test", "domain": "softlayer.com"}]}' \\
--complex-type SoftLayer_Container_Product_Order_Virtual_Guest
"""
manager = ordering.OrderingManager(env.client)
if extras:
try:
extras = json.loads(extras)
except ValueError as err:
raise exceptions.CLIAbort("There was an error when parsing the --extras value: {}".format(err))
args = (package_keyname, location, order_items)
kwargs = {'preset_keyname': preset,
'extras': extras,
'quantity': quantity,
'complex_type': complex_type,
'hourly': bool(billing == 'hourly')}
if verify:
table = formatting.Table(COLUMNS)
order_to_place = manager.verify_order(*args, **kwargs)
for price in order_to_place['orderContainers'][0]['prices']:
cost_key = 'hourlyRecurringFee' if billing == 'hourly' else 'recurringFee'
table.add_row([
price['item']['keyName'],
price['item']['description'],
price[cost_key] if cost_key in price else formatting.blank()
])
else:
if not (env.skip_confirmations or formatting.confirm(
"This action will incur charges on your account. Continue?")):
raise exceptions.CLIAbort("Aborting order.")
order = manager.place_order(*args, **kwargs)
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['id', order['orderId']])
table.add_row(['created', order['orderDate']])
table.add_row(['status', order['placedOrder']['status']])
env.fout(table) | python | def cli(env, package_keyname, location, preset, verify, billing, complex_type,
quantity, extras, order_items):
"""Place or verify an order.
This CLI command is used for placing/verifying an order of the specified package in
the given location (denoted by a datacenter's long name). Orders made via the CLI
can then be converted to be made programmatically by calling
SoftLayer.OrderingManager.place_order() with the same keynames.
Packages for ordering can be retrieved from `slcli order package-list`
Presets for ordering can be retrieved from `slcli order preset-list` (not all packages
have presets)
Items can be retrieved from `slcli order item-list`. In order to find required
items for the order, use `slcli order category-list`, and then provide the
--category option for each category code in `slcli order item-list`.
Example::
# Order an hourly VSI with 4 CPU, 16 GB RAM, 100 GB SAN disk,
# Ubuntu 16.04, and 1 Gbps public & private uplink in dal13
slcli order place --billing hourly CLOUD_SERVER DALLAS13 \\
GUEST_CORES_4 \\
RAM_16_GB \\
REBOOT_REMOTE_CONSOLE \\
1_GBPS_PUBLIC_PRIVATE_NETWORK_UPLINKS \\
BANDWIDTH_0_GB_2 \\
1_IP_ADDRESS \\
GUEST_DISK_100_GB_SAN \\
OS_UBUNTU_16_04_LTS_XENIAL_XERUS_MINIMAL_64_BIT_FOR_VSI \\
MONITORING_HOST_PING \\
NOTIFICATION_EMAIL_AND_TICKET \\
AUTOMATED_NOTIFICATION \\
UNLIMITED_SSL_VPN_USERS_1_PPTP_VPN_USER_PER_ACCOUNT \\
NESSUS_VULNERABILITY_ASSESSMENT_REPORTING \\
--extras '{"virtualGuests": [{"hostname": "test", "domain": "softlayer.com"}]}' \\
--complex-type SoftLayer_Container_Product_Order_Virtual_Guest
"""
manager = ordering.OrderingManager(env.client)
if extras:
try:
extras = json.loads(extras)
except ValueError as err:
raise exceptions.CLIAbort("There was an error when parsing the --extras value: {}".format(err))
args = (package_keyname, location, order_items)
kwargs = {'preset_keyname': preset,
'extras': extras,
'quantity': quantity,
'complex_type': complex_type,
'hourly': bool(billing == 'hourly')}
if verify:
table = formatting.Table(COLUMNS)
order_to_place = manager.verify_order(*args, **kwargs)
for price in order_to_place['orderContainers'][0]['prices']:
cost_key = 'hourlyRecurringFee' if billing == 'hourly' else 'recurringFee'
table.add_row([
price['item']['keyName'],
price['item']['description'],
price[cost_key] if cost_key in price else formatting.blank()
])
else:
if not (env.skip_confirmations or formatting.confirm(
"This action will incur charges on your account. Continue?")):
raise exceptions.CLIAbort("Aborting order.")
order = manager.place_order(*args, **kwargs)
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['id', order['orderId']])
table.add_row(['created', order['orderDate']])
table.add_row(['status', order['placedOrder']['status']])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"package_keyname",
",",
"location",
",",
"preset",
",",
"verify",
",",
"billing",
",",
"complex_type",
",",
"quantity",
",",
"extras",
",",
"order_items",
")",
":",
"manager",
"=",
"ordering",
".",
"OrderingManager",
"(",
"env",
".",
"client",
")",
"if",
"extras",
":",
"try",
":",
"extras",
"=",
"json",
".",
"loads",
"(",
"extras",
")",
"except",
"ValueError",
"as",
"err",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"\"There was an error when parsing the --extras value: {}\"",
".",
"format",
"(",
"err",
")",
")",
"args",
"=",
"(",
"package_keyname",
",",
"location",
",",
"order_items",
")",
"kwargs",
"=",
"{",
"'preset_keyname'",
":",
"preset",
",",
"'extras'",
":",
"extras",
",",
"'quantity'",
":",
"quantity",
",",
"'complex_type'",
":",
"complex_type",
",",
"'hourly'",
":",
"bool",
"(",
"billing",
"==",
"'hourly'",
")",
"}",
"if",
"verify",
":",
"table",
"=",
"formatting",
".",
"Table",
"(",
"COLUMNS",
")",
"order_to_place",
"=",
"manager",
".",
"verify_order",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"for",
"price",
"in",
"order_to_place",
"[",
"'orderContainers'",
"]",
"[",
"0",
"]",
"[",
"'prices'",
"]",
":",
"cost_key",
"=",
"'hourlyRecurringFee'",
"if",
"billing",
"==",
"'hourly'",
"else",
"'recurringFee'",
"table",
".",
"add_row",
"(",
"[",
"price",
"[",
"'item'",
"]",
"[",
"'keyName'",
"]",
",",
"price",
"[",
"'item'",
"]",
"[",
"'description'",
"]",
",",
"price",
"[",
"cost_key",
"]",
"if",
"cost_key",
"in",
"price",
"else",
"formatting",
".",
"blank",
"(",
")",
"]",
")",
"else",
":",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"\"This action will incur charges on your account. Continue?\"",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"\"Aborting order.\"",
")",
"order",
"=",
"manager",
".",
"place_order",
"(",
"*",
"args",
",",
"*",
"*",
"kwargs",
")",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"table",
".",
"align",
"[",
"'name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'value'",
"]",
"=",
"'l'",
"table",
".",
"add_row",
"(",
"[",
"'id'",
",",
"order",
"[",
"'orderId'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'created'",
",",
"order",
"[",
"'orderDate'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'status'",
",",
"order",
"[",
"'placedOrder'",
"]",
"[",
"'status'",
"]",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Place or verify an order.
This CLI command is used for placing/verifying an order of the specified package in
the given location (denoted by a datacenter's long name). Orders made via the CLI
can then be converted to be made programmatically by calling
SoftLayer.OrderingManager.place_order() with the same keynames.
Packages for ordering can be retrieved from `slcli order package-list`
Presets for ordering can be retrieved from `slcli order preset-list` (not all packages
have presets)
Items can be retrieved from `slcli order item-list`. In order to find required
items for the order, use `slcli order category-list`, and then provide the
--category option for each category code in `slcli order item-list`.
Example::
# Order an hourly VSI with 4 CPU, 16 GB RAM, 100 GB SAN disk,
# Ubuntu 16.04, and 1 Gbps public & private uplink in dal13
slcli order place --billing hourly CLOUD_SERVER DALLAS13 \\
GUEST_CORES_4 \\
RAM_16_GB \\
REBOOT_REMOTE_CONSOLE \\
1_GBPS_PUBLIC_PRIVATE_NETWORK_UPLINKS \\
BANDWIDTH_0_GB_2 \\
1_IP_ADDRESS \\
GUEST_DISK_100_GB_SAN \\
OS_UBUNTU_16_04_LTS_XENIAL_XERUS_MINIMAL_64_BIT_FOR_VSI \\
MONITORING_HOST_PING \\
NOTIFICATION_EMAIL_AND_TICKET \\
AUTOMATED_NOTIFICATION \\
UNLIMITED_SSL_VPN_USERS_1_PPTP_VPN_USER_PER_ACCOUNT \\
NESSUS_VULNERABILITY_ASSESSMENT_REPORTING \\
--extras '{"virtualGuests": [{"hostname": "test", "domain": "softlayer.com"}]}' \\
--complex-type SoftLayer_Container_Product_Order_Virtual_Guest | [
"Place",
"or",
"verify",
"an",
"order",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/order/place.py#L41-L120 | train | 234,622 |
softlayer/softlayer-python | SoftLayer/CLI/sshkey/edit.py | cli | def cli(env, identifier, label, note):
"""Edits an SSH key."""
mgr = SoftLayer.SshKeyManager(env.client)
key_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'SshKey')
if not mgr.edit_key(key_id, label=label, notes=note):
raise exceptions.CLIAbort('Failed to edit SSH key') | python | def cli(env, identifier, label, note):
"""Edits an SSH key."""
mgr = SoftLayer.SshKeyManager(env.client)
key_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'SshKey')
if not mgr.edit_key(key_id, label=label, notes=note):
raise exceptions.CLIAbort('Failed to edit SSH key') | [
"def",
"cli",
"(",
"env",
",",
"identifier",
",",
"label",
",",
"note",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"SshKeyManager",
"(",
"env",
".",
"client",
")",
"key_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"mgr",
".",
"resolve_ids",
",",
"identifier",
",",
"'SshKey'",
")",
"if",
"not",
"mgr",
".",
"edit_key",
"(",
"key_id",
",",
"label",
"=",
"label",
",",
"notes",
"=",
"note",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Failed to edit SSH key'",
")"
] | Edits an SSH key. | [
"Edits",
"an",
"SSH",
"key",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/sshkey/edit.py#L17-L25 | train | 234,623 |
softlayer/softlayer-python | SoftLayer/CLI/securitygroup/delete.py | cli | def cli(env, securitygroup_id):
"""Deletes the given security group"""
mgr = SoftLayer.NetworkManager(env.client)
if not mgr.delete_securitygroup(securitygroup_id):
raise exceptions.CLIAbort("Failed to delete security group") | python | def cli(env, securitygroup_id):
"""Deletes the given security group"""
mgr = SoftLayer.NetworkManager(env.client)
if not mgr.delete_securitygroup(securitygroup_id):
raise exceptions.CLIAbort("Failed to delete security group") | [
"def",
"cli",
"(",
"env",
",",
"securitygroup_id",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"NetworkManager",
"(",
"env",
".",
"client",
")",
"if",
"not",
"mgr",
".",
"delete_securitygroup",
"(",
"securitygroup_id",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"\"Failed to delete security group\"",
")"
] | Deletes the given security group | [
"Deletes",
"the",
"given",
"security",
"group"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/securitygroup/delete.py#L13-L17 | train | 234,624 |
softlayer/softlayer-python | SoftLayer/CLI/globalip/create.py | cli | def cli(env, ipv6, test):
"""Creates a global IP."""
mgr = SoftLayer.NetworkManager(env.client)
version = 4
if ipv6:
version = 6
if not (test or env.skip_confirmations):
if not formatting.confirm("This action will incur charges on your "
"account. Continue?"):
raise exceptions.CLIAbort('Cancelling order.')
result = mgr.add_global_ip(version=version, test_order=test)
table = formatting.Table(['item', 'cost'])
table.align['Item'] = 'r'
table.align['cost'] = 'r'
total = 0.0
for price in result['orderDetails']['prices']:
total += float(price.get('recurringFee', 0.0))
rate = "%.2f" % float(price['recurringFee'])
table.add_row([price['item']['description'], rate])
table.add_row(['Total monthly cost', "%.2f" % total])
env.fout(table) | python | def cli(env, ipv6, test):
"""Creates a global IP."""
mgr = SoftLayer.NetworkManager(env.client)
version = 4
if ipv6:
version = 6
if not (test or env.skip_confirmations):
if not formatting.confirm("This action will incur charges on your "
"account. Continue?"):
raise exceptions.CLIAbort('Cancelling order.')
result = mgr.add_global_ip(version=version, test_order=test)
table = formatting.Table(['item', 'cost'])
table.align['Item'] = 'r'
table.align['cost'] = 'r'
total = 0.0
for price in result['orderDetails']['prices']:
total += float(price.get('recurringFee', 0.0))
rate = "%.2f" % float(price['recurringFee'])
table.add_row([price['item']['description'], rate])
table.add_row(['Total monthly cost', "%.2f" % total])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"ipv6",
",",
"test",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"NetworkManager",
"(",
"env",
".",
"client",
")",
"version",
"=",
"4",
"if",
"ipv6",
":",
"version",
"=",
"6",
"if",
"not",
"(",
"test",
"or",
"env",
".",
"skip_confirmations",
")",
":",
"if",
"not",
"formatting",
".",
"confirm",
"(",
"\"This action will incur charges on your \"",
"\"account. Continue?\"",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Cancelling order.'",
")",
"result",
"=",
"mgr",
".",
"add_global_ip",
"(",
"version",
"=",
"version",
",",
"test_order",
"=",
"test",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'item'",
",",
"'cost'",
"]",
")",
"table",
".",
"align",
"[",
"'Item'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'cost'",
"]",
"=",
"'r'",
"total",
"=",
"0.0",
"for",
"price",
"in",
"result",
"[",
"'orderDetails'",
"]",
"[",
"'prices'",
"]",
":",
"total",
"+=",
"float",
"(",
"price",
".",
"get",
"(",
"'recurringFee'",
",",
"0.0",
")",
")",
"rate",
"=",
"\"%.2f\"",
"%",
"float",
"(",
"price",
"[",
"'recurringFee'",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"price",
"[",
"'item'",
"]",
"[",
"'description'",
"]",
",",
"rate",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Total monthly cost'",
",",
"\"%.2f\"",
"%",
"total",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Creates a global IP. | [
"Creates",
"a",
"global",
"IP",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/globalip/create.py#L16-L44 | train | 234,625 |
softlayer/softlayer-python | SoftLayer/CLI/vpn/ipsec/translation/remove.py | cli | def cli(env, context_id, translation_id):
"""Remove a translation entry from an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices.
"""
manager = SoftLayer.IPSECManager(env.client)
# ensure translation can be retrieved by given id
manager.get_translation(context_id, translation_id)
succeeded = manager.remove_translation(context_id, translation_id)
if succeeded:
env.out('Removed translation #{}'.format(translation_id))
else:
raise CLIHalt('Failed to remove translation #{}'.format(translation_id)) | python | def cli(env, context_id, translation_id):
"""Remove a translation entry from an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices.
"""
manager = SoftLayer.IPSECManager(env.client)
# ensure translation can be retrieved by given id
manager.get_translation(context_id, translation_id)
succeeded = manager.remove_translation(context_id, translation_id)
if succeeded:
env.out('Removed translation #{}'.format(translation_id))
else:
raise CLIHalt('Failed to remove translation #{}'.format(translation_id)) | [
"def",
"cli",
"(",
"env",
",",
"context_id",
",",
"translation_id",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"IPSECManager",
"(",
"env",
".",
"client",
")",
"# ensure translation can be retrieved by given id",
"manager",
".",
"get_translation",
"(",
"context_id",
",",
"translation_id",
")",
"succeeded",
"=",
"manager",
".",
"remove_translation",
"(",
"context_id",
",",
"translation_id",
")",
"if",
"succeeded",
":",
"env",
".",
"out",
"(",
"'Removed translation #{}'",
".",
"format",
"(",
"translation_id",
")",
")",
"else",
":",
"raise",
"CLIHalt",
"(",
"'Failed to remove translation #{}'",
".",
"format",
"(",
"translation_id",
")",
")"
] | Remove a translation entry from an IPSEC tunnel context.
A separate configuration request should be made to realize changes on
network devices. | [
"Remove",
"a",
"translation",
"entry",
"from",
"an",
"IPSEC",
"tunnel",
"context",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/vpn/ipsec/translation/remove.py#L19-L33 | train | 234,626 |
softlayer/softlayer-python | SoftLayer/CLI/virt/list.py | cli | def cli(env, sortby, cpu, domain, datacenter, hostname, memory, network,
hourly, monthly, tag, columns, limit):
"""List virtual servers."""
vsi = SoftLayer.VSManager(env.client)
guests = vsi.list_instances(hourly=hourly,
monthly=monthly,
hostname=hostname,
domain=domain,
cpus=cpu,
memory=memory,
datacenter=datacenter,
nic_speed=network,
tags=tag,
mask=columns.mask(),
limit=limit)
table = formatting.Table(columns.columns)
table.sortby = sortby
for guest in guests:
table.add_row([value or formatting.blank()
for value in columns.row(guest)])
env.fout(table) | python | def cli(env, sortby, cpu, domain, datacenter, hostname, memory, network,
hourly, monthly, tag, columns, limit):
"""List virtual servers."""
vsi = SoftLayer.VSManager(env.client)
guests = vsi.list_instances(hourly=hourly,
monthly=monthly,
hostname=hostname,
domain=domain,
cpus=cpu,
memory=memory,
datacenter=datacenter,
nic_speed=network,
tags=tag,
mask=columns.mask(),
limit=limit)
table = formatting.Table(columns.columns)
table.sortby = sortby
for guest in guests:
table.add_row([value or formatting.blank()
for value in columns.row(guest)])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"sortby",
",",
"cpu",
",",
"domain",
",",
"datacenter",
",",
"hostname",
",",
"memory",
",",
"network",
",",
"hourly",
",",
"monthly",
",",
"tag",
",",
"columns",
",",
"limit",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"guests",
"=",
"vsi",
".",
"list_instances",
"(",
"hourly",
"=",
"hourly",
",",
"monthly",
"=",
"monthly",
",",
"hostname",
"=",
"hostname",
",",
"domain",
"=",
"domain",
",",
"cpus",
"=",
"cpu",
",",
"memory",
"=",
"memory",
",",
"datacenter",
"=",
"datacenter",
",",
"nic_speed",
"=",
"network",
",",
"tags",
"=",
"tag",
",",
"mask",
"=",
"columns",
".",
"mask",
"(",
")",
",",
"limit",
"=",
"limit",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"columns",
".",
"columns",
")",
"table",
".",
"sortby",
"=",
"sortby",
"for",
"guest",
"in",
"guests",
":",
"table",
".",
"add_row",
"(",
"[",
"value",
"or",
"formatting",
".",
"blank",
"(",
")",
"for",
"value",
"in",
"columns",
".",
"row",
"(",
"guest",
")",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List virtual servers. | [
"List",
"virtual",
"servers",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/list.py#L70-L93 | train | 234,627 |
softlayer/softlayer-python | SoftLayer/CLI/sshkey/remove.py | cli | def cli(env, identifier):
"""Permanently removes an SSH key."""
mgr = SoftLayer.SshKeyManager(env.client)
key_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'SshKey')
if not (env.skip_confirmations or formatting.no_going_back(key_id)):
raise exceptions.CLIAbort('Aborted')
mgr.delete_key(key_id) | python | def cli(env, identifier):
"""Permanently removes an SSH key."""
mgr = SoftLayer.SshKeyManager(env.client)
key_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'SshKey')
if not (env.skip_confirmations or formatting.no_going_back(key_id)):
raise exceptions.CLIAbort('Aborted')
mgr.delete_key(key_id) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"SshKeyManager",
"(",
"env",
".",
"client",
")",
"key_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"mgr",
".",
"resolve_ids",
",",
"identifier",
",",
"'SshKey'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"no_going_back",
"(",
"key_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted'",
")",
"mgr",
".",
"delete_key",
"(",
"key_id",
")"
] | Permanently removes an SSH key. | [
"Permanently",
"removes",
"an",
"SSH",
"key",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/sshkey/remove.py#L16-L24 | train | 234,628 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | format_output | def format_output(data, fmt='table'): # pylint: disable=R0911,R0912
"""Given some data, will format it for console output.
:param data: One of: String, Table, FormattedItem, List, Tuple,
SequentialOutput
:param string fmt (optional): One of: table, raw, json, python
"""
if isinstance(data, utils.string_types):
if fmt in ('json', 'jsonraw'):
return json.dumps(data)
return data
# responds to .prettytable()
if hasattr(data, 'prettytable'):
if fmt == 'table':
return str(format_prettytable(data))
elif fmt == 'raw':
return str(format_no_tty(data))
# responds to .to_python()
if hasattr(data, 'to_python'):
if fmt == 'json':
return json.dumps(
format_output(data, fmt='python'),
indent=4,
cls=CLIJSONEncoder)
elif fmt == 'jsonraw':
return json.dumps(format_output(data, fmt='python'),
cls=CLIJSONEncoder)
elif fmt == 'python':
return data.to_python()
# responds to .formatted
if hasattr(data, 'formatted'):
if fmt == 'table':
return data.formatted
# responds to .separator
if hasattr(data, 'separator'):
output = [format_output(d, fmt=fmt) for d in data if d]
return str(SequentialOutput(data.separator, output))
# is iterable
if isinstance(data, list) or isinstance(data, tuple):
output = [format_output(d, fmt=fmt) for d in data]
if fmt == 'python':
return output
return format_output(listing(output, separator=os.linesep))
# fallback, convert this odd object to a string
return data | python | def format_output(data, fmt='table'): # pylint: disable=R0911,R0912
"""Given some data, will format it for console output.
:param data: One of: String, Table, FormattedItem, List, Tuple,
SequentialOutput
:param string fmt (optional): One of: table, raw, json, python
"""
if isinstance(data, utils.string_types):
if fmt in ('json', 'jsonraw'):
return json.dumps(data)
return data
# responds to .prettytable()
if hasattr(data, 'prettytable'):
if fmt == 'table':
return str(format_prettytable(data))
elif fmt == 'raw':
return str(format_no_tty(data))
# responds to .to_python()
if hasattr(data, 'to_python'):
if fmt == 'json':
return json.dumps(
format_output(data, fmt='python'),
indent=4,
cls=CLIJSONEncoder)
elif fmt == 'jsonraw':
return json.dumps(format_output(data, fmt='python'),
cls=CLIJSONEncoder)
elif fmt == 'python':
return data.to_python()
# responds to .formatted
if hasattr(data, 'formatted'):
if fmt == 'table':
return data.formatted
# responds to .separator
if hasattr(data, 'separator'):
output = [format_output(d, fmt=fmt) for d in data if d]
return str(SequentialOutput(data.separator, output))
# is iterable
if isinstance(data, list) or isinstance(data, tuple):
output = [format_output(d, fmt=fmt) for d in data]
if fmt == 'python':
return output
return format_output(listing(output, separator=os.linesep))
# fallback, convert this odd object to a string
return data | [
"def",
"format_output",
"(",
"data",
",",
"fmt",
"=",
"'table'",
")",
":",
"# pylint: disable=R0911,R0912",
"if",
"isinstance",
"(",
"data",
",",
"utils",
".",
"string_types",
")",
":",
"if",
"fmt",
"in",
"(",
"'json'",
",",
"'jsonraw'",
")",
":",
"return",
"json",
".",
"dumps",
"(",
"data",
")",
"return",
"data",
"# responds to .prettytable()",
"if",
"hasattr",
"(",
"data",
",",
"'prettytable'",
")",
":",
"if",
"fmt",
"==",
"'table'",
":",
"return",
"str",
"(",
"format_prettytable",
"(",
"data",
")",
")",
"elif",
"fmt",
"==",
"'raw'",
":",
"return",
"str",
"(",
"format_no_tty",
"(",
"data",
")",
")",
"# responds to .to_python()",
"if",
"hasattr",
"(",
"data",
",",
"'to_python'",
")",
":",
"if",
"fmt",
"==",
"'json'",
":",
"return",
"json",
".",
"dumps",
"(",
"format_output",
"(",
"data",
",",
"fmt",
"=",
"'python'",
")",
",",
"indent",
"=",
"4",
",",
"cls",
"=",
"CLIJSONEncoder",
")",
"elif",
"fmt",
"==",
"'jsonraw'",
":",
"return",
"json",
".",
"dumps",
"(",
"format_output",
"(",
"data",
",",
"fmt",
"=",
"'python'",
")",
",",
"cls",
"=",
"CLIJSONEncoder",
")",
"elif",
"fmt",
"==",
"'python'",
":",
"return",
"data",
".",
"to_python",
"(",
")",
"# responds to .formatted",
"if",
"hasattr",
"(",
"data",
",",
"'formatted'",
")",
":",
"if",
"fmt",
"==",
"'table'",
":",
"return",
"data",
".",
"formatted",
"# responds to .separator",
"if",
"hasattr",
"(",
"data",
",",
"'separator'",
")",
":",
"output",
"=",
"[",
"format_output",
"(",
"d",
",",
"fmt",
"=",
"fmt",
")",
"for",
"d",
"in",
"data",
"if",
"d",
"]",
"return",
"str",
"(",
"SequentialOutput",
"(",
"data",
".",
"separator",
",",
"output",
")",
")",
"# is iterable",
"if",
"isinstance",
"(",
"data",
",",
"list",
")",
"or",
"isinstance",
"(",
"data",
",",
"tuple",
")",
":",
"output",
"=",
"[",
"format_output",
"(",
"d",
",",
"fmt",
"=",
"fmt",
")",
"for",
"d",
"in",
"data",
"]",
"if",
"fmt",
"==",
"'python'",
":",
"return",
"output",
"return",
"format_output",
"(",
"listing",
"(",
"output",
",",
"separator",
"=",
"os",
".",
"linesep",
")",
")",
"# fallback, convert this odd object to a string",
"return",
"data"
] | Given some data, will format it for console output.
:param data: One of: String, Table, FormattedItem, List, Tuple,
SequentialOutput
:param string fmt (optional): One of: table, raw, json, python | [
"Given",
"some",
"data",
"will",
"format",
"it",
"for",
"console",
"output",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L26-L76 | train | 234,629 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | transaction_status | def transaction_status(transaction):
"""Returns a FormattedItem describing the given transaction.
:param item: An object capable of having an active transaction
"""
if not transaction or not transaction.get('transactionStatus'):
return blank()
return FormattedItem(
transaction['transactionStatus'].get('name'),
transaction['transactionStatus'].get('friendlyName')) | python | def transaction_status(transaction):
"""Returns a FormattedItem describing the given transaction.
:param item: An object capable of having an active transaction
"""
if not transaction or not transaction.get('transactionStatus'):
return blank()
return FormattedItem(
transaction['transactionStatus'].get('name'),
transaction['transactionStatus'].get('friendlyName')) | [
"def",
"transaction_status",
"(",
"transaction",
")",
":",
"if",
"not",
"transaction",
"or",
"not",
"transaction",
".",
"get",
"(",
"'transactionStatus'",
")",
":",
"return",
"blank",
"(",
")",
"return",
"FormattedItem",
"(",
"transaction",
"[",
"'transactionStatus'",
"]",
".",
"get",
"(",
"'name'",
")",
",",
"transaction",
"[",
"'transactionStatus'",
"]",
".",
"get",
"(",
"'friendlyName'",
")",
")"
] | Returns a FormattedItem describing the given transaction.
:param item: An object capable of having an active transaction | [
"Returns",
"a",
"FormattedItem",
"describing",
"the",
"given",
"transaction",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L162-L172 | train | 234,630 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | tags | def tags(tag_references):
"""Returns a formatted list of tags."""
if not tag_references:
return blank()
tag_row = []
for tag_detail in tag_references:
tag = utils.lookup(tag_detail, 'tag', 'name')
if tag is not None:
tag_row.append(tag)
return listing(tag_row, separator=', ') | python | def tags(tag_references):
"""Returns a formatted list of tags."""
if not tag_references:
return blank()
tag_row = []
for tag_detail in tag_references:
tag = utils.lookup(tag_detail, 'tag', 'name')
if tag is not None:
tag_row.append(tag)
return listing(tag_row, separator=', ') | [
"def",
"tags",
"(",
"tag_references",
")",
":",
"if",
"not",
"tag_references",
":",
"return",
"blank",
"(",
")",
"tag_row",
"=",
"[",
"]",
"for",
"tag_detail",
"in",
"tag_references",
":",
"tag",
"=",
"utils",
".",
"lookup",
"(",
"tag_detail",
",",
"'tag'",
",",
"'name'",
")",
"if",
"tag",
"is",
"not",
"None",
":",
"tag_row",
".",
"append",
"(",
"tag",
")",
"return",
"listing",
"(",
"tag_row",
",",
"separator",
"=",
"', '",
")"
] | Returns a formatted list of tags. | [
"Returns",
"a",
"formatted",
"list",
"of",
"tags",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L175-L186 | train | 234,631 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | confirm | def confirm(prompt_str, default=False):
"""Show a confirmation prompt to a command-line user.
:param string prompt_str: prompt to give to the user
:param bool default: Default value to True or False
"""
if default:
default_str = 'y'
prompt = '%s [Y/n]' % prompt_str
else:
default_str = 'n'
prompt = '%s [y/N]' % prompt_str
ans = click.prompt(prompt, default=default_str, show_default=False)
if ans.lower() in ('y', 'yes', 'yeah', 'yup', 'yolo'):
return True
return False | python | def confirm(prompt_str, default=False):
"""Show a confirmation prompt to a command-line user.
:param string prompt_str: prompt to give to the user
:param bool default: Default value to True or False
"""
if default:
default_str = 'y'
prompt = '%s [Y/n]' % prompt_str
else:
default_str = 'n'
prompt = '%s [y/N]' % prompt_str
ans = click.prompt(prompt, default=default_str, show_default=False)
if ans.lower() in ('y', 'yes', 'yeah', 'yup', 'yolo'):
return True
return False | [
"def",
"confirm",
"(",
"prompt_str",
",",
"default",
"=",
"False",
")",
":",
"if",
"default",
":",
"default_str",
"=",
"'y'",
"prompt",
"=",
"'%s [Y/n]'",
"%",
"prompt_str",
"else",
":",
"default_str",
"=",
"'n'",
"prompt",
"=",
"'%s [y/N]'",
"%",
"prompt_str",
"ans",
"=",
"click",
".",
"prompt",
"(",
"prompt",
",",
"default",
"=",
"default_str",
",",
"show_default",
"=",
"False",
")",
"if",
"ans",
".",
"lower",
"(",
")",
"in",
"(",
"'y'",
",",
"'yes'",
",",
"'yeah'",
",",
"'yup'",
",",
"'yolo'",
")",
":",
"return",
"True",
"return",
"False"
] | Show a confirmation prompt to a command-line user.
:param string prompt_str: prompt to give to the user
:param bool default: Default value to True or False | [
"Show",
"a",
"confirmation",
"prompt",
"to",
"a",
"command",
"-",
"line",
"user",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L189-L206 | train | 234,632 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | no_going_back | def no_going_back(confirmation):
"""Show a confirmation to a user.
:param confirmation str: the string the user has to enter in order to
confirm their action.
"""
if not confirmation:
confirmation = 'yes'
prompt = ('This action cannot be undone! Type "%s" or press Enter '
'to abort' % confirmation)
ans = click.prompt(prompt, default='', show_default=False)
if ans.lower() == str(confirmation):
return True
return False | python | def no_going_back(confirmation):
"""Show a confirmation to a user.
:param confirmation str: the string the user has to enter in order to
confirm their action.
"""
if not confirmation:
confirmation = 'yes'
prompt = ('This action cannot be undone! Type "%s" or press Enter '
'to abort' % confirmation)
ans = click.prompt(prompt, default='', show_default=False)
if ans.lower() == str(confirmation):
return True
return False | [
"def",
"no_going_back",
"(",
"confirmation",
")",
":",
"if",
"not",
"confirmation",
":",
"confirmation",
"=",
"'yes'",
"prompt",
"=",
"(",
"'This action cannot be undone! Type \"%s\" or press Enter '",
"'to abort'",
"%",
"confirmation",
")",
"ans",
"=",
"click",
".",
"prompt",
"(",
"prompt",
",",
"default",
"=",
"''",
",",
"show_default",
"=",
"False",
")",
"if",
"ans",
".",
"lower",
"(",
")",
"==",
"str",
"(",
"confirmation",
")",
":",
"return",
"True",
"return",
"False"
] | Show a confirmation to a user.
:param confirmation str: the string the user has to enter in order to
confirm their action. | [
"Show",
"a",
"confirmation",
"to",
"a",
"user",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L209-L225 | train | 234,633 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | iter_to_table | def iter_to_table(value):
"""Convert raw API responses to response tables."""
if isinstance(value, list):
return _format_list(value)
if isinstance(value, dict):
return _format_dict(value)
return value | python | def iter_to_table(value):
"""Convert raw API responses to response tables."""
if isinstance(value, list):
return _format_list(value)
if isinstance(value, dict):
return _format_dict(value)
return value | [
"def",
"iter_to_table",
"(",
"value",
")",
":",
"if",
"isinstance",
"(",
"value",
",",
"list",
")",
":",
"return",
"_format_list",
"(",
"value",
")",
"if",
"isinstance",
"(",
"value",
",",
"dict",
")",
":",
"return",
"_format_dict",
"(",
"value",
")",
"return",
"value"
] | Convert raw API responses to response tables. | [
"Convert",
"raw",
"API",
"responses",
"to",
"response",
"tables",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L390-L396 | train | 234,634 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | _format_dict | def _format_dict(result):
"""Format dictionary responses into key-value table."""
table = KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
for key, value in result.items():
value = iter_to_table(value)
table.add_row([key, value])
return table | python | def _format_dict(result):
"""Format dictionary responses into key-value table."""
table = KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
for key, value in result.items():
value = iter_to_table(value)
table.add_row([key, value])
return table | [
"def",
"_format_dict",
"(",
"result",
")",
":",
"table",
"=",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"table",
".",
"align",
"[",
"'name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'value'",
"]",
"=",
"'l'",
"for",
"key",
",",
"value",
"in",
"result",
".",
"items",
"(",
")",
":",
"value",
"=",
"iter_to_table",
"(",
"value",
")",
"table",
".",
"add_row",
"(",
"[",
"key",
",",
"value",
"]",
")",
"return",
"table"
] | Format dictionary responses into key-value table. | [
"Format",
"dictionary",
"responses",
"into",
"key",
"-",
"value",
"table",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L399-L410 | train | 234,635 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | _format_list | def _format_list(result):
"""Format list responses into a table."""
if not result:
return result
if isinstance(result[0], dict):
return _format_list_objects(result)
table = Table(['value'])
for item in result:
table.add_row([iter_to_table(item)])
return table | python | def _format_list(result):
"""Format list responses into a table."""
if not result:
return result
if isinstance(result[0], dict):
return _format_list_objects(result)
table = Table(['value'])
for item in result:
table.add_row([iter_to_table(item)])
return table | [
"def",
"_format_list",
"(",
"result",
")",
":",
"if",
"not",
"result",
":",
"return",
"result",
"if",
"isinstance",
"(",
"result",
"[",
"0",
"]",
",",
"dict",
")",
":",
"return",
"_format_list_objects",
"(",
"result",
")",
"table",
"=",
"Table",
"(",
"[",
"'value'",
"]",
")",
"for",
"item",
"in",
"result",
":",
"table",
".",
"add_row",
"(",
"[",
"iter_to_table",
"(",
"item",
")",
"]",
")",
"return",
"table"
] | Format list responses into a table. | [
"Format",
"list",
"responses",
"into",
"a",
"table",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L413-L425 | train | 234,636 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | _format_list_objects | def _format_list_objects(result):
"""Format list of objects into a table."""
all_keys = set()
for item in result:
all_keys = all_keys.union(item.keys())
all_keys = sorted(all_keys)
table = Table(all_keys)
for item in result:
values = []
for key in all_keys:
value = iter_to_table(item.get(key))
values.append(value)
table.add_row(values)
return table | python | def _format_list_objects(result):
"""Format list of objects into a table."""
all_keys = set()
for item in result:
all_keys = all_keys.union(item.keys())
all_keys = sorted(all_keys)
table = Table(all_keys)
for item in result:
values = []
for key in all_keys:
value = iter_to_table(item.get(key))
values.append(value)
table.add_row(values)
return table | [
"def",
"_format_list_objects",
"(",
"result",
")",
":",
"all_keys",
"=",
"set",
"(",
")",
"for",
"item",
"in",
"result",
":",
"all_keys",
"=",
"all_keys",
".",
"union",
"(",
"item",
".",
"keys",
"(",
")",
")",
"all_keys",
"=",
"sorted",
"(",
"all_keys",
")",
"table",
"=",
"Table",
"(",
"all_keys",
")",
"for",
"item",
"in",
"result",
":",
"values",
"=",
"[",
"]",
"for",
"key",
"in",
"all_keys",
":",
"value",
"=",
"iter_to_table",
"(",
"item",
".",
"get",
"(",
"key",
")",
")",
"values",
".",
"append",
"(",
"value",
")",
"table",
".",
"add_row",
"(",
"values",
")",
"return",
"table"
] | Format list of objects into a table. | [
"Format",
"list",
"of",
"objects",
"into",
"a",
"table",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L428-L446 | train | 234,637 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | Table.to_python | def to_python(self):
"""Decode this Table object to standard Python types."""
# Adding rows
items = []
for row in self.rows:
formatted_row = [_format_python_value(v) for v in row]
items.append(dict(zip(self.columns, formatted_row)))
return items | python | def to_python(self):
"""Decode this Table object to standard Python types."""
# Adding rows
items = []
for row in self.rows:
formatted_row = [_format_python_value(v) for v in row]
items.append(dict(zip(self.columns, formatted_row)))
return items | [
"def",
"to_python",
"(",
"self",
")",
":",
"# Adding rows",
"items",
"=",
"[",
"]",
"for",
"row",
"in",
"self",
".",
"rows",
":",
"formatted_row",
"=",
"[",
"_format_python_value",
"(",
"v",
")",
"for",
"v",
"in",
"row",
"]",
"items",
".",
"append",
"(",
"dict",
"(",
"zip",
"(",
"self",
".",
"columns",
",",
"formatted_row",
")",
")",
")",
"return",
"items"
] | Decode this Table object to standard Python types. | [
"Decode",
"this",
"Table",
"object",
"to",
"standard",
"Python",
"types",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L285-L292 | train | 234,638 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | Table.prettytable | def prettytable(self):
"""Returns a new prettytable instance."""
table = prettytable.PrettyTable(self.columns)
if self.sortby:
if self.sortby in self.columns:
table.sortby = self.sortby
else:
msg = "Column (%s) doesn't exist to sort by" % self.sortby
raise exceptions.CLIAbort(msg)
for a_col, alignment in self.align.items():
table.align[a_col] = alignment
if self.title:
table.title = self.title
# Adding rows
for row in self.rows:
table.add_row(row)
return table | python | def prettytable(self):
"""Returns a new prettytable instance."""
table = prettytable.PrettyTable(self.columns)
if self.sortby:
if self.sortby in self.columns:
table.sortby = self.sortby
else:
msg = "Column (%s) doesn't exist to sort by" % self.sortby
raise exceptions.CLIAbort(msg)
for a_col, alignment in self.align.items():
table.align[a_col] = alignment
if self.title:
table.title = self.title
# Adding rows
for row in self.rows:
table.add_row(row)
return table | [
"def",
"prettytable",
"(",
"self",
")",
":",
"table",
"=",
"prettytable",
".",
"PrettyTable",
"(",
"self",
".",
"columns",
")",
"if",
"self",
".",
"sortby",
":",
"if",
"self",
".",
"sortby",
"in",
"self",
".",
"columns",
":",
"table",
".",
"sortby",
"=",
"self",
".",
"sortby",
"else",
":",
"msg",
"=",
"\"Column (%s) doesn't exist to sort by\"",
"%",
"self",
".",
"sortby",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"msg",
")",
"for",
"a_col",
",",
"alignment",
"in",
"self",
".",
"align",
".",
"items",
"(",
")",
":",
"table",
".",
"align",
"[",
"a_col",
"]",
"=",
"alignment",
"if",
"self",
".",
"title",
":",
"table",
".",
"title",
"=",
"self",
".",
"title",
"# Adding rows",
"for",
"row",
"in",
"self",
".",
"rows",
":",
"table",
".",
"add_row",
"(",
"row",
")",
"return",
"table"
] | Returns a new prettytable instance. | [
"Returns",
"a",
"new",
"prettytable",
"instance",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L294-L312 | train | 234,639 |
softlayer/softlayer-python | SoftLayer/CLI/formatting.py | KeyValueTable.to_python | def to_python(self):
"""Decode this KeyValueTable object to standard Python types."""
mapping = {}
for row in self.rows:
mapping[row[0]] = _format_python_value(row[1])
return mapping | python | def to_python(self):
"""Decode this KeyValueTable object to standard Python types."""
mapping = {}
for row in self.rows:
mapping[row[0]] = _format_python_value(row[1])
return mapping | [
"def",
"to_python",
"(",
"self",
")",
":",
"mapping",
"=",
"{",
"}",
"for",
"row",
"in",
"self",
".",
"rows",
":",
"mapping",
"[",
"row",
"[",
"0",
"]",
"]",
"=",
"_format_python_value",
"(",
"row",
"[",
"1",
"]",
")",
"return",
"mapping"
] | Decode this KeyValueTable object to standard Python types. | [
"Decode",
"this",
"KeyValueTable",
"object",
"to",
"standard",
"Python",
"types",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/formatting.py#L318-L323 | train | 234,640 |
softlayer/softlayer-python | SoftLayer/CLI/user/create.py | cli | def cli(env, username, email, password, from_user, template, api_key):
"""Creates a user Users.
:Example: slcli user create my@email.com -e my@email.com -p generate -a
-t '{"firstName": "Test", "lastName": "Testerson"}'
Remember to set the permissions and access for this new user.
"""
mgr = SoftLayer.UserManager(env.client)
user_mask = ("mask[id, firstName, lastName, email, companyName, address1, city, country, postalCode, "
"state, userStatusId, timezoneId]")
from_user_id = None
if from_user is None:
user_template = mgr.get_current_user(objectmask=user_mask)
from_user_id = user_template['id']
else:
from_user_id = helpers.resolve_id(mgr.resolve_ids, from_user, 'username')
user_template = mgr.get_user(from_user_id, objectmask=user_mask)
# If we send the ID back to the API, an exception will be thrown
del user_template['id']
if template is not None:
try:
template_object = json.loads(template)
for key in template_object:
user_template[key] = template_object[key]
except ValueError as ex:
raise exceptions.ArgumentError("Unable to parse --template. %s" % ex)
user_template['username'] = username
if password == 'generate':
password = generate_password()
user_template['email'] = email
if not env.skip_confirmations:
table = formatting.KeyValueTable(['name', 'value'])
for key in user_template:
table.add_row([key, user_template[key]])
table.add_row(['password', password])
click.secho("You are about to create the following user...", fg='green')
env.fout(table)
if not formatting.confirm("Do you wish to continue?"):
raise exceptions.CLIAbort("Canceling creation!")
result = mgr.create_user(user_template, password)
new_api_key = None
if api_key:
click.secho("Adding API key...", fg='green')
new_api_key = mgr.add_api_authentication_key(result['id'])
table = formatting.Table(['Username', 'Email', 'Password', 'API Key'])
table.add_row([result['username'], result['email'], password, new_api_key])
env.fout(table) | python | def cli(env, username, email, password, from_user, template, api_key):
"""Creates a user Users.
:Example: slcli user create my@email.com -e my@email.com -p generate -a
-t '{"firstName": "Test", "lastName": "Testerson"}'
Remember to set the permissions and access for this new user.
"""
mgr = SoftLayer.UserManager(env.client)
user_mask = ("mask[id, firstName, lastName, email, companyName, address1, city, country, postalCode, "
"state, userStatusId, timezoneId]")
from_user_id = None
if from_user is None:
user_template = mgr.get_current_user(objectmask=user_mask)
from_user_id = user_template['id']
else:
from_user_id = helpers.resolve_id(mgr.resolve_ids, from_user, 'username')
user_template = mgr.get_user(from_user_id, objectmask=user_mask)
# If we send the ID back to the API, an exception will be thrown
del user_template['id']
if template is not None:
try:
template_object = json.loads(template)
for key in template_object:
user_template[key] = template_object[key]
except ValueError as ex:
raise exceptions.ArgumentError("Unable to parse --template. %s" % ex)
user_template['username'] = username
if password == 'generate':
password = generate_password()
user_template['email'] = email
if not env.skip_confirmations:
table = formatting.KeyValueTable(['name', 'value'])
for key in user_template:
table.add_row([key, user_template[key]])
table.add_row(['password', password])
click.secho("You are about to create the following user...", fg='green')
env.fout(table)
if not formatting.confirm("Do you wish to continue?"):
raise exceptions.CLIAbort("Canceling creation!")
result = mgr.create_user(user_template, password)
new_api_key = None
if api_key:
click.secho("Adding API key...", fg='green')
new_api_key = mgr.add_api_authentication_key(result['id'])
table = formatting.Table(['Username', 'Email', 'Password', 'API Key'])
table.add_row([result['username'], result['email'], password, new_api_key])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"username",
",",
"email",
",",
"password",
",",
"from_user",
",",
"template",
",",
"api_key",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"UserManager",
"(",
"env",
".",
"client",
")",
"user_mask",
"=",
"(",
"\"mask[id, firstName, lastName, email, companyName, address1, city, country, postalCode, \"",
"\"state, userStatusId, timezoneId]\"",
")",
"from_user_id",
"=",
"None",
"if",
"from_user",
"is",
"None",
":",
"user_template",
"=",
"mgr",
".",
"get_current_user",
"(",
"objectmask",
"=",
"user_mask",
")",
"from_user_id",
"=",
"user_template",
"[",
"'id'",
"]",
"else",
":",
"from_user_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"mgr",
".",
"resolve_ids",
",",
"from_user",
",",
"'username'",
")",
"user_template",
"=",
"mgr",
".",
"get_user",
"(",
"from_user_id",
",",
"objectmask",
"=",
"user_mask",
")",
"# If we send the ID back to the API, an exception will be thrown",
"del",
"user_template",
"[",
"'id'",
"]",
"if",
"template",
"is",
"not",
"None",
":",
"try",
":",
"template_object",
"=",
"json",
".",
"loads",
"(",
"template",
")",
"for",
"key",
"in",
"template_object",
":",
"user_template",
"[",
"key",
"]",
"=",
"template_object",
"[",
"key",
"]",
"except",
"ValueError",
"as",
"ex",
":",
"raise",
"exceptions",
".",
"ArgumentError",
"(",
"\"Unable to parse --template. %s\"",
"%",
"ex",
")",
"user_template",
"[",
"'username'",
"]",
"=",
"username",
"if",
"password",
"==",
"'generate'",
":",
"password",
"=",
"generate_password",
"(",
")",
"user_template",
"[",
"'email'",
"]",
"=",
"email",
"if",
"not",
"env",
".",
"skip_confirmations",
":",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"for",
"key",
"in",
"user_template",
":",
"table",
".",
"add_row",
"(",
"[",
"key",
",",
"user_template",
"[",
"key",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'password'",
",",
"password",
"]",
")",
"click",
".",
"secho",
"(",
"\"You are about to create the following user...\"",
",",
"fg",
"=",
"'green'",
")",
"env",
".",
"fout",
"(",
"table",
")",
"if",
"not",
"formatting",
".",
"confirm",
"(",
"\"Do you wish to continue?\"",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"\"Canceling creation!\"",
")",
"result",
"=",
"mgr",
".",
"create_user",
"(",
"user_template",
",",
"password",
")",
"new_api_key",
"=",
"None",
"if",
"api_key",
":",
"click",
".",
"secho",
"(",
"\"Adding API key...\"",
",",
"fg",
"=",
"'green'",
")",
"new_api_key",
"=",
"mgr",
".",
"add_api_authentication_key",
"(",
"result",
"[",
"'id'",
"]",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'Username'",
",",
"'Email'",
",",
"'Password'",
",",
"'API Key'",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"result",
"[",
"'username'",
"]",
",",
"result",
"[",
"'email'",
"]",
",",
"password",
",",
"new_api_key",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Creates a user Users.
:Example: slcli user create my@email.com -e my@email.com -p generate -a
-t '{"firstName": "Test", "lastName": "Testerson"}'
Remember to set the permissions and access for this new user. | [
"Creates",
"a",
"user",
"Users",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/user/create.py#L34-L88 | train | 234,641 |
softlayer/softlayer-python | SoftLayer/CLI/user/create.py | generate_password | def generate_password():
"""Returns a 23 character random string, with 3 special characters at the end"""
if sys.version_info > (3, 6):
import secrets # pylint: disable=import-error
alphabet = string.ascii_letters + string.digits
password = ''.join(secrets.choice(alphabet) for i in range(20))
special = ''.join(secrets.choice(string.punctuation) for i in range(3))
return password + special
else:
raise ImportError("Generating passwords require python 3.6 or higher") | python | def generate_password():
"""Returns a 23 character random string, with 3 special characters at the end"""
if sys.version_info > (3, 6):
import secrets # pylint: disable=import-error
alphabet = string.ascii_letters + string.digits
password = ''.join(secrets.choice(alphabet) for i in range(20))
special = ''.join(secrets.choice(string.punctuation) for i in range(3))
return password + special
else:
raise ImportError("Generating passwords require python 3.6 or higher") | [
"def",
"generate_password",
"(",
")",
":",
"if",
"sys",
".",
"version_info",
">",
"(",
"3",
",",
"6",
")",
":",
"import",
"secrets",
"# pylint: disable=import-error",
"alphabet",
"=",
"string",
".",
"ascii_letters",
"+",
"string",
".",
"digits",
"password",
"=",
"''",
".",
"join",
"(",
"secrets",
".",
"choice",
"(",
"alphabet",
")",
"for",
"i",
"in",
"range",
"(",
"20",
")",
")",
"special",
"=",
"''",
".",
"join",
"(",
"secrets",
".",
"choice",
"(",
"string",
".",
"punctuation",
")",
"for",
"i",
"in",
"range",
"(",
"3",
")",
")",
"return",
"password",
"+",
"special",
"else",
":",
"raise",
"ImportError",
"(",
"\"Generating passwords require python 3.6 or higher\"",
")"
] | Returns a 23 character random string, with 3 special characters at the end | [
"Returns",
"a",
"23",
"character",
"random",
"string",
"with",
"3",
"special",
"characters",
"at",
"the",
"end"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/user/create.py#L91-L100 | train | 234,642 |
softlayer/softlayer-python | SoftLayer/CLI/event_log/types.py | cli | def cli(env):
"""Get Event Log Types"""
mgr = SoftLayer.EventLogManager(env.client)
event_log_types = mgr.get_event_log_types()
table = formatting.Table(COLUMNS)
for event_log_type in event_log_types:
table.add_row([event_log_type])
env.fout(table) | python | def cli(env):
"""Get Event Log Types"""
mgr = SoftLayer.EventLogManager(env.client)
event_log_types = mgr.get_event_log_types()
table = formatting.Table(COLUMNS)
for event_log_type in event_log_types:
table.add_row([event_log_type])
env.fout(table) | [
"def",
"cli",
"(",
"env",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"EventLogManager",
"(",
"env",
".",
"client",
")",
"event_log_types",
"=",
"mgr",
".",
"get_event_log_types",
"(",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"COLUMNS",
")",
"for",
"event_log_type",
"in",
"event_log_types",
":",
"table",
".",
"add_row",
"(",
"[",
"event_log_type",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Get Event Log Types | [
"Get",
"Event",
"Log",
"Types"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/event_log/types.py#L15-L26 | train | 234,643 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_extra_price_id | def _get_extra_price_id(items, key_name, hourly, location):
"""Returns a price id attached to item with the given key_name."""
for item in items:
if utils.lookup(item, 'keyName') != key_name:
continue
for price in item['prices']:
if not _matches_billing(price, hourly):
continue
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for extra option, '%s'" % key_name) | python | def _get_extra_price_id(items, key_name, hourly, location):
"""Returns a price id attached to item with the given key_name."""
for item in items:
if utils.lookup(item, 'keyName') != key_name:
continue
for price in item['prices']:
if not _matches_billing(price, hourly):
continue
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for extra option, '%s'" % key_name) | [
"def",
"_get_extra_price_id",
"(",
"items",
",",
"key_name",
",",
"hourly",
",",
"location",
")",
":",
"for",
"item",
"in",
"items",
":",
"if",
"utils",
".",
"lookup",
"(",
"item",
",",
"'keyName'",
")",
"!=",
"key_name",
":",
"continue",
"for",
"price",
"in",
"item",
"[",
"'prices'",
"]",
":",
"if",
"not",
"_matches_billing",
"(",
"price",
",",
"hourly",
")",
":",
"continue",
"if",
"not",
"_matches_location",
"(",
"price",
",",
"location",
")",
":",
"continue",
"return",
"price",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid price for extra option, '%s'\"",
"%",
"key_name",
")"
] | Returns a price id attached to item with the given key_name. | [
"Returns",
"a",
"price",
"id",
"attached",
"to",
"item",
"with",
"the",
"given",
"key_name",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L668-L685 | train | 234,644 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_default_price_id | def _get_default_price_id(items, option, hourly, location):
"""Returns a 'free' price id given an option."""
for item in items:
if utils.lookup(item, 'itemCategory', 'categoryCode') != option:
continue
for price in item['prices']:
if all([float(price.get('hourlyRecurringFee', 0)) == 0.0,
float(price.get('recurringFee', 0)) == 0.0,
_matches_billing(price, hourly),
_matches_location(price, location)]):
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for '%s' option" % option) | python | def _get_default_price_id(items, option, hourly, location):
"""Returns a 'free' price id given an option."""
for item in items:
if utils.lookup(item, 'itemCategory', 'categoryCode') != option:
continue
for price in item['prices']:
if all([float(price.get('hourlyRecurringFee', 0)) == 0.0,
float(price.get('recurringFee', 0)) == 0.0,
_matches_billing(price, hourly),
_matches_location(price, location)]):
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for '%s' option" % option) | [
"def",
"_get_default_price_id",
"(",
"items",
",",
"option",
",",
"hourly",
",",
"location",
")",
":",
"for",
"item",
"in",
"items",
":",
"if",
"utils",
".",
"lookup",
"(",
"item",
",",
"'itemCategory'",
",",
"'categoryCode'",
")",
"!=",
"option",
":",
"continue",
"for",
"price",
"in",
"item",
"[",
"'prices'",
"]",
":",
"if",
"all",
"(",
"[",
"float",
"(",
"price",
".",
"get",
"(",
"'hourlyRecurringFee'",
",",
"0",
")",
")",
"==",
"0.0",
",",
"float",
"(",
"price",
".",
"get",
"(",
"'recurringFee'",
",",
"0",
")",
")",
"==",
"0.0",
",",
"_matches_billing",
"(",
"price",
",",
"hourly",
")",
",",
"_matches_location",
"(",
"price",
",",
"location",
")",
"]",
")",
":",
"return",
"price",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid price for '%s' option\"",
"%",
"option",
")"
] | Returns a 'free' price id given an option. | [
"Returns",
"a",
"free",
"price",
"id",
"given",
"an",
"option",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L688-L703 | train | 234,645 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_bandwidth_price_id | def _get_bandwidth_price_id(items,
hourly=True,
no_public=False,
location=None):
"""Choose a valid price id for bandwidth."""
# Prefer pay-for-use data transfer with hourly
for item in items:
capacity = float(item.get('capacity', 0))
# Hourly and private only do pay-as-you-go bandwidth
if any([utils.lookup(item,
'itemCategory',
'categoryCode') != 'bandwidth',
(hourly or no_public) and capacity != 0.0,
not (hourly or no_public) and capacity == 0.0]):
continue
for price in item['prices']:
if not _matches_billing(price, hourly):
continue
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for bandwidth option") | python | def _get_bandwidth_price_id(items,
hourly=True,
no_public=False,
location=None):
"""Choose a valid price id for bandwidth."""
# Prefer pay-for-use data transfer with hourly
for item in items:
capacity = float(item.get('capacity', 0))
# Hourly and private only do pay-as-you-go bandwidth
if any([utils.lookup(item,
'itemCategory',
'categoryCode') != 'bandwidth',
(hourly or no_public) and capacity != 0.0,
not (hourly or no_public) and capacity == 0.0]):
continue
for price in item['prices']:
if not _matches_billing(price, hourly):
continue
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for bandwidth option") | [
"def",
"_get_bandwidth_price_id",
"(",
"items",
",",
"hourly",
"=",
"True",
",",
"no_public",
"=",
"False",
",",
"location",
"=",
"None",
")",
":",
"# Prefer pay-for-use data transfer with hourly",
"for",
"item",
"in",
"items",
":",
"capacity",
"=",
"float",
"(",
"item",
".",
"get",
"(",
"'capacity'",
",",
"0",
")",
")",
"# Hourly and private only do pay-as-you-go bandwidth",
"if",
"any",
"(",
"[",
"utils",
".",
"lookup",
"(",
"item",
",",
"'itemCategory'",
",",
"'categoryCode'",
")",
"!=",
"'bandwidth'",
",",
"(",
"hourly",
"or",
"no_public",
")",
"and",
"capacity",
"!=",
"0.0",
",",
"not",
"(",
"hourly",
"or",
"no_public",
")",
"and",
"capacity",
"==",
"0.0",
"]",
")",
":",
"continue",
"for",
"price",
"in",
"item",
"[",
"'prices'",
"]",
":",
"if",
"not",
"_matches_billing",
"(",
"price",
",",
"hourly",
")",
":",
"continue",
"if",
"not",
"_matches_location",
"(",
"price",
",",
"location",
")",
":",
"continue",
"return",
"price",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid price for bandwidth option\"",
")"
] | Choose a valid price id for bandwidth. | [
"Choose",
"a",
"valid",
"price",
"id",
"for",
"bandwidth",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L706-L733 | train | 234,646 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_os_price_id | def _get_os_price_id(items, os, location):
"""Returns the price id matching."""
for item in items:
if any([utils.lookup(item,
'itemCategory',
'categoryCode') != 'os',
utils.lookup(item,
'softwareDescription',
'referenceCode') != os]):
continue
for price in item['prices']:
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError("Could not find valid price for os: '%s'" %
os) | python | def _get_os_price_id(items, os, location):
"""Returns the price id matching."""
for item in items:
if any([utils.lookup(item,
'itemCategory',
'categoryCode') != 'os',
utils.lookup(item,
'softwareDescription',
'referenceCode') != os]):
continue
for price in item['prices']:
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError("Could not find valid price for os: '%s'" %
os) | [
"def",
"_get_os_price_id",
"(",
"items",
",",
"os",
",",
"location",
")",
":",
"for",
"item",
"in",
"items",
":",
"if",
"any",
"(",
"[",
"utils",
".",
"lookup",
"(",
"item",
",",
"'itemCategory'",
",",
"'categoryCode'",
")",
"!=",
"'os'",
",",
"utils",
".",
"lookup",
"(",
"item",
",",
"'softwareDescription'",
",",
"'referenceCode'",
")",
"!=",
"os",
"]",
")",
":",
"continue",
"for",
"price",
"in",
"item",
"[",
"'prices'",
"]",
":",
"if",
"not",
"_matches_location",
"(",
"price",
",",
"location",
")",
":",
"continue",
"return",
"price",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid price for os: '%s'\"",
"%",
"os",
")"
] | Returns the price id matching. | [
"Returns",
"the",
"price",
"id",
"matching",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L736-L755 | train | 234,647 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_port_speed_price_id | def _get_port_speed_price_id(items, port_speed, no_public, location):
"""Choose a valid price id for port speed."""
for item in items:
if utils.lookup(item,
'itemCategory',
'categoryCode') != 'port_speed':
continue
# Check for correct capacity and if the item matches private only
if any([int(utils.lookup(item, 'capacity')) != port_speed,
_is_private_port_speed_item(item) != no_public,
not _is_bonded(item)]):
continue
for price in item['prices']:
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for port speed: '%s'" % port_speed) | python | def _get_port_speed_price_id(items, port_speed, no_public, location):
"""Choose a valid price id for port speed."""
for item in items:
if utils.lookup(item,
'itemCategory',
'categoryCode') != 'port_speed':
continue
# Check for correct capacity and if the item matches private only
if any([int(utils.lookup(item, 'capacity')) != port_speed,
_is_private_port_speed_item(item) != no_public,
not _is_bonded(item)]):
continue
for price in item['prices']:
if not _matches_location(price, location):
continue
return price['id']
raise SoftLayer.SoftLayerError(
"Could not find valid price for port speed: '%s'" % port_speed) | [
"def",
"_get_port_speed_price_id",
"(",
"items",
",",
"port_speed",
",",
"no_public",
",",
"location",
")",
":",
"for",
"item",
"in",
"items",
":",
"if",
"utils",
".",
"lookup",
"(",
"item",
",",
"'itemCategory'",
",",
"'categoryCode'",
")",
"!=",
"'port_speed'",
":",
"continue",
"# Check for correct capacity and if the item matches private only",
"if",
"any",
"(",
"[",
"int",
"(",
"utils",
".",
"lookup",
"(",
"item",
",",
"'capacity'",
")",
")",
"!=",
"port_speed",
",",
"_is_private_port_speed_item",
"(",
"item",
")",
"!=",
"no_public",
",",
"not",
"_is_bonded",
"(",
"item",
")",
"]",
")",
":",
"continue",
"for",
"price",
"in",
"item",
"[",
"'prices'",
"]",
":",
"if",
"not",
"_matches_location",
"(",
"price",
",",
"location",
")",
":",
"continue",
"return",
"price",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid price for port speed: '%s'\"",
"%",
"port_speed",
")"
] | Choose a valid price id for port speed. | [
"Choose",
"a",
"valid",
"price",
"id",
"for",
"port",
"speed",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L758-L780 | train | 234,648 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _matches_location | def _matches_location(price, location):
"""Return True if the price object matches the location."""
# the price has no location restriction
if not price.get('locationGroupId'):
return True
# Check to see if any of the location groups match the location group
# of this price object
for group in location['location']['location']['priceGroups']:
if group['id'] == price['locationGroupId']:
return True
return False | python | def _matches_location(price, location):
"""Return True if the price object matches the location."""
# the price has no location restriction
if not price.get('locationGroupId'):
return True
# Check to see if any of the location groups match the location group
# of this price object
for group in location['location']['location']['priceGroups']:
if group['id'] == price['locationGroupId']:
return True
return False | [
"def",
"_matches_location",
"(",
"price",
",",
"location",
")",
":",
"# the price has no location restriction",
"if",
"not",
"price",
".",
"get",
"(",
"'locationGroupId'",
")",
":",
"return",
"True",
"# Check to see if any of the location groups match the location group",
"# of this price object",
"for",
"group",
"in",
"location",
"[",
"'location'",
"]",
"[",
"'location'",
"]",
"[",
"'priceGroups'",
"]",
":",
"if",
"group",
"[",
"'id'",
"]",
"==",
"price",
"[",
"'locationGroupId'",
"]",
":",
"return",
"True",
"return",
"False"
] | Return True if the price object matches the location. | [
"Return",
"True",
"if",
"the",
"price",
"object",
"matches",
"the",
"location",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L789-L801 | train | 234,649 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_location | def _get_location(package, location):
"""Get the longer key with a short location name."""
for region in package['regions']:
if region['location']['location']['name'] == location:
return region
raise SoftLayer.SoftLayerError("Could not find valid location for: '%s'" % location) | python | def _get_location(package, location):
"""Get the longer key with a short location name."""
for region in package['regions']:
if region['location']['location']['name'] == location:
return region
raise SoftLayer.SoftLayerError("Could not find valid location for: '%s'" % location) | [
"def",
"_get_location",
"(",
"package",
",",
"location",
")",
":",
"for",
"region",
"in",
"package",
"[",
"'regions'",
"]",
":",
"if",
"region",
"[",
"'location'",
"]",
"[",
"'location'",
"]",
"[",
"'name'",
"]",
"==",
"location",
":",
"return",
"region",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid location for: '%s'\"",
"%",
"location",
")"
] | Get the longer key with a short location name. | [
"Get",
"the",
"longer",
"key",
"with",
"a",
"short",
"location",
"name",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L822-L828 | train | 234,650 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | _get_preset_id | def _get_preset_id(package, size):
"""Get the preset id given the keyName of the preset."""
for preset in package['activePresets'] + package['accountRestrictedActivePresets']:
if preset['keyName'] == size or preset['id'] == size:
return preset['id']
raise SoftLayer.SoftLayerError("Could not find valid size for: '%s'" % size) | python | def _get_preset_id(package, size):
"""Get the preset id given the keyName of the preset."""
for preset in package['activePresets'] + package['accountRestrictedActivePresets']:
if preset['keyName'] == size or preset['id'] == size:
return preset['id']
raise SoftLayer.SoftLayerError("Could not find valid size for: '%s'" % size) | [
"def",
"_get_preset_id",
"(",
"package",
",",
"size",
")",
":",
"for",
"preset",
"in",
"package",
"[",
"'activePresets'",
"]",
"+",
"package",
"[",
"'accountRestrictedActivePresets'",
"]",
":",
"if",
"preset",
"[",
"'keyName'",
"]",
"==",
"size",
"or",
"preset",
"[",
"'id'",
"]",
"==",
"size",
":",
"return",
"preset",
"[",
"'id'",
"]",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Could not find valid size for: '%s'\"",
"%",
"size",
")"
] | Get the preset id given the keyName of the preset. | [
"Get",
"the",
"preset",
"id",
"given",
"the",
"keyName",
"of",
"the",
"preset",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L831-L837 | train | 234,651 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.cancel_hardware | def cancel_hardware(self, hardware_id, reason='unneeded', comment='', immediate=False):
"""Cancels the specified dedicated server.
Example::
# Cancels hardware id 1234
result = mgr.cancel_hardware(hardware_id=1234)
:param int hardware_id: The ID of the hardware to be cancelled.
:param string reason: The reason code for the cancellation. This should come from
:func:`get_cancellation_reasons`.
:param string comment: An optional comment to include with the cancellation.
:param bool immediate: If set to True, will automatically update the cancelation ticket to request
the resource be reclaimed asap. This request still has to be reviewed by a human
:returns: True on success or an exception
"""
# Get cancel reason
reasons = self.get_cancellation_reasons()
cancel_reason = reasons.get(reason, reasons['unneeded'])
ticket_mgr = SoftLayer.TicketManager(self.client)
mask = 'mask[id, hourlyBillingFlag, billingItem[id], openCancellationTicket[id], activeTransaction]'
hw_billing = self.get_hardware(hardware_id, mask=mask)
if 'activeTransaction' in hw_billing:
raise SoftLayer.SoftLayerError("Unable to cancel hardware with running transaction")
if 'billingItem' not in hw_billing:
raise SoftLayer.SoftLayerError("Ticket #%s already exists for this server" %
hw_billing['openCancellationTicket']['id'])
billing_id = hw_billing['billingItem']['id']
if immediate and not hw_billing['hourlyBillingFlag']:
LOGGER.warning("Immediate cancelation of montly servers is not guaranteed."
"Please check the cancelation ticket for updates.")
result = self.client.call('Billing_Item', 'cancelItem',
False, False, cancel_reason, comment, id=billing_id)
hw_billing = self.get_hardware(hardware_id, mask=mask)
ticket_number = hw_billing['openCancellationTicket']['id']
cancel_message = "Please reclaim this server ASAP, it is no longer needed. Thankyou."
ticket_mgr.update_ticket(ticket_number, cancel_message)
LOGGER.info("Cancelation ticket #%s has been updated requesting immediate reclaim", ticket_number)
else:
result = self.client.call('Billing_Item', 'cancelItem',
immediate, False, cancel_reason, comment, id=billing_id)
hw_billing = self.get_hardware(hardware_id, mask=mask)
ticket_number = hw_billing['openCancellationTicket']['id']
LOGGER.info("Cancelation ticket #%s has been created", ticket_number)
return result | python | def cancel_hardware(self, hardware_id, reason='unneeded', comment='', immediate=False):
"""Cancels the specified dedicated server.
Example::
# Cancels hardware id 1234
result = mgr.cancel_hardware(hardware_id=1234)
:param int hardware_id: The ID of the hardware to be cancelled.
:param string reason: The reason code for the cancellation. This should come from
:func:`get_cancellation_reasons`.
:param string comment: An optional comment to include with the cancellation.
:param bool immediate: If set to True, will automatically update the cancelation ticket to request
the resource be reclaimed asap. This request still has to be reviewed by a human
:returns: True on success or an exception
"""
# Get cancel reason
reasons = self.get_cancellation_reasons()
cancel_reason = reasons.get(reason, reasons['unneeded'])
ticket_mgr = SoftLayer.TicketManager(self.client)
mask = 'mask[id, hourlyBillingFlag, billingItem[id], openCancellationTicket[id], activeTransaction]'
hw_billing = self.get_hardware(hardware_id, mask=mask)
if 'activeTransaction' in hw_billing:
raise SoftLayer.SoftLayerError("Unable to cancel hardware with running transaction")
if 'billingItem' not in hw_billing:
raise SoftLayer.SoftLayerError("Ticket #%s already exists for this server" %
hw_billing['openCancellationTicket']['id'])
billing_id = hw_billing['billingItem']['id']
if immediate and not hw_billing['hourlyBillingFlag']:
LOGGER.warning("Immediate cancelation of montly servers is not guaranteed."
"Please check the cancelation ticket for updates.")
result = self.client.call('Billing_Item', 'cancelItem',
False, False, cancel_reason, comment, id=billing_id)
hw_billing = self.get_hardware(hardware_id, mask=mask)
ticket_number = hw_billing['openCancellationTicket']['id']
cancel_message = "Please reclaim this server ASAP, it is no longer needed. Thankyou."
ticket_mgr.update_ticket(ticket_number, cancel_message)
LOGGER.info("Cancelation ticket #%s has been updated requesting immediate reclaim", ticket_number)
else:
result = self.client.call('Billing_Item', 'cancelItem',
immediate, False, cancel_reason, comment, id=billing_id)
hw_billing = self.get_hardware(hardware_id, mask=mask)
ticket_number = hw_billing['openCancellationTicket']['id']
LOGGER.info("Cancelation ticket #%s has been created", ticket_number)
return result | [
"def",
"cancel_hardware",
"(",
"self",
",",
"hardware_id",
",",
"reason",
"=",
"'unneeded'",
",",
"comment",
"=",
"''",
",",
"immediate",
"=",
"False",
")",
":",
"# Get cancel reason",
"reasons",
"=",
"self",
".",
"get_cancellation_reasons",
"(",
")",
"cancel_reason",
"=",
"reasons",
".",
"get",
"(",
"reason",
",",
"reasons",
"[",
"'unneeded'",
"]",
")",
"ticket_mgr",
"=",
"SoftLayer",
".",
"TicketManager",
"(",
"self",
".",
"client",
")",
"mask",
"=",
"'mask[id, hourlyBillingFlag, billingItem[id], openCancellationTicket[id], activeTransaction]'",
"hw_billing",
"=",
"self",
".",
"get_hardware",
"(",
"hardware_id",
",",
"mask",
"=",
"mask",
")",
"if",
"'activeTransaction'",
"in",
"hw_billing",
":",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Unable to cancel hardware with running transaction\"",
")",
"if",
"'billingItem'",
"not",
"in",
"hw_billing",
":",
"raise",
"SoftLayer",
".",
"SoftLayerError",
"(",
"\"Ticket #%s already exists for this server\"",
"%",
"hw_billing",
"[",
"'openCancellationTicket'",
"]",
"[",
"'id'",
"]",
")",
"billing_id",
"=",
"hw_billing",
"[",
"'billingItem'",
"]",
"[",
"'id'",
"]",
"if",
"immediate",
"and",
"not",
"hw_billing",
"[",
"'hourlyBillingFlag'",
"]",
":",
"LOGGER",
".",
"warning",
"(",
"\"Immediate cancelation of montly servers is not guaranteed.\"",
"\"Please check the cancelation ticket for updates.\"",
")",
"result",
"=",
"self",
".",
"client",
".",
"call",
"(",
"'Billing_Item'",
",",
"'cancelItem'",
",",
"False",
",",
"False",
",",
"cancel_reason",
",",
"comment",
",",
"id",
"=",
"billing_id",
")",
"hw_billing",
"=",
"self",
".",
"get_hardware",
"(",
"hardware_id",
",",
"mask",
"=",
"mask",
")",
"ticket_number",
"=",
"hw_billing",
"[",
"'openCancellationTicket'",
"]",
"[",
"'id'",
"]",
"cancel_message",
"=",
"\"Please reclaim this server ASAP, it is no longer needed. Thankyou.\"",
"ticket_mgr",
".",
"update_ticket",
"(",
"ticket_number",
",",
"cancel_message",
")",
"LOGGER",
".",
"info",
"(",
"\"Cancelation ticket #%s has been updated requesting immediate reclaim\"",
",",
"ticket_number",
")",
"else",
":",
"result",
"=",
"self",
".",
"client",
".",
"call",
"(",
"'Billing_Item'",
",",
"'cancelItem'",
",",
"immediate",
",",
"False",
",",
"cancel_reason",
",",
"comment",
",",
"id",
"=",
"billing_id",
")",
"hw_billing",
"=",
"self",
".",
"get_hardware",
"(",
"hardware_id",
",",
"mask",
"=",
"mask",
")",
"ticket_number",
"=",
"hw_billing",
"[",
"'openCancellationTicket'",
"]",
"[",
"'id'",
"]",
"LOGGER",
".",
"info",
"(",
"\"Cancelation ticket #%s has been created\"",
",",
"ticket_number",
")",
"return",
"result"
] | Cancels the specified dedicated server.
Example::
# Cancels hardware id 1234
result = mgr.cancel_hardware(hardware_id=1234)
:param int hardware_id: The ID of the hardware to be cancelled.
:param string reason: The reason code for the cancellation. This should come from
:func:`get_cancellation_reasons`.
:param string comment: An optional comment to include with the cancellation.
:param bool immediate: If set to True, will automatically update the cancelation ticket to request
the resource be reclaimed asap. This request still has to be reviewed by a human
:returns: True on success or an exception | [
"Cancels",
"the",
"specified",
"dedicated",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L61-L112 | train | 234,652 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.get_hardware | def get_hardware(self, hardware_id, **kwargs):
"""Get details about a hardware device.
:param integer id: the hardware ID
:returns: A dictionary containing a large amount of information about
the specified server.
Example::
object_mask = "mask[id,networkVlans[vlanNumber]]"
# Object masks are optional
result = mgr.get_hardware(hardware_id=1234,mask=object_mask)
"""
if 'mask' not in kwargs:
kwargs['mask'] = (
'id,'
'globalIdentifier,'
'fullyQualifiedDomainName,'
'hostname,'
'domain,'
'provisionDate,'
'hardwareStatus,'
'processorPhysicalCoreAmount,'
'memoryCapacity,'
'notes,'
'privateNetworkOnlyFlag,'
'primaryBackendIpAddress,'
'primaryIpAddress,'
'networkManagementIpAddress,'
'userData,'
'datacenter,'
'''networkComponents[id, status, speed, maxSpeed, name,
ipmiMacAddress, ipmiIpAddress, macAddress, primaryIpAddress,
port, primarySubnet[id, netmask, broadcastAddress,
networkIdentifier, gateway]],'''
'hardwareChassis[id,name],'
'activeTransaction[id, transactionStatus[friendlyName,name]],'
'''operatingSystem[
softwareLicense[softwareDescription[manufacturer,
name,
version,
referenceCode]],
passwords[username,password]],'''
'''softwareComponents[
softwareLicense[softwareDescription[manufacturer,
name,
version,
referenceCode]],
passwords[username,password]],'''
'billingItem['
'id,nextInvoiceTotalRecurringAmount,'
'children[nextInvoiceTotalRecurringAmount],'
'orderItem.order.userRecord[username]'
'],'
'hourlyBillingFlag,'
'tagReferences[id,tag[name,id]],'
'networkVlans[id,vlanNumber,networkSpace],'
'remoteManagementAccounts[username,password]'
)
return self.hardware.getObject(id=hardware_id, **kwargs) | python | def get_hardware(self, hardware_id, **kwargs):
"""Get details about a hardware device.
:param integer id: the hardware ID
:returns: A dictionary containing a large amount of information about
the specified server.
Example::
object_mask = "mask[id,networkVlans[vlanNumber]]"
# Object masks are optional
result = mgr.get_hardware(hardware_id=1234,mask=object_mask)
"""
if 'mask' not in kwargs:
kwargs['mask'] = (
'id,'
'globalIdentifier,'
'fullyQualifiedDomainName,'
'hostname,'
'domain,'
'provisionDate,'
'hardwareStatus,'
'processorPhysicalCoreAmount,'
'memoryCapacity,'
'notes,'
'privateNetworkOnlyFlag,'
'primaryBackendIpAddress,'
'primaryIpAddress,'
'networkManagementIpAddress,'
'userData,'
'datacenter,'
'''networkComponents[id, status, speed, maxSpeed, name,
ipmiMacAddress, ipmiIpAddress, macAddress, primaryIpAddress,
port, primarySubnet[id, netmask, broadcastAddress,
networkIdentifier, gateway]],'''
'hardwareChassis[id,name],'
'activeTransaction[id, transactionStatus[friendlyName,name]],'
'''operatingSystem[
softwareLicense[softwareDescription[manufacturer,
name,
version,
referenceCode]],
passwords[username,password]],'''
'''softwareComponents[
softwareLicense[softwareDescription[manufacturer,
name,
version,
referenceCode]],
passwords[username,password]],'''
'billingItem['
'id,nextInvoiceTotalRecurringAmount,'
'children[nextInvoiceTotalRecurringAmount],'
'orderItem.order.userRecord[username]'
'],'
'hourlyBillingFlag,'
'tagReferences[id,tag[name,id]],'
'networkVlans[id,vlanNumber,networkSpace],'
'remoteManagementAccounts[username,password]'
)
return self.hardware.getObject(id=hardware_id, **kwargs) | [
"def",
"get_hardware",
"(",
"self",
",",
"hardware_id",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'mask'",
"not",
"in",
"kwargs",
":",
"kwargs",
"[",
"'mask'",
"]",
"=",
"(",
"'id,'",
"'globalIdentifier,'",
"'fullyQualifiedDomainName,'",
"'hostname,'",
"'domain,'",
"'provisionDate,'",
"'hardwareStatus,'",
"'processorPhysicalCoreAmount,'",
"'memoryCapacity,'",
"'notes,'",
"'privateNetworkOnlyFlag,'",
"'primaryBackendIpAddress,'",
"'primaryIpAddress,'",
"'networkManagementIpAddress,'",
"'userData,'",
"'datacenter,'",
"'''networkComponents[id, status, speed, maxSpeed, name,\n ipmiMacAddress, ipmiIpAddress, macAddress, primaryIpAddress,\n port, primarySubnet[id, netmask, broadcastAddress,\n networkIdentifier, gateway]],'''",
"'hardwareChassis[id,name],'",
"'activeTransaction[id, transactionStatus[friendlyName,name]],'",
"'''operatingSystem[\n softwareLicense[softwareDescription[manufacturer,\n name,\n version,\n referenceCode]],\n passwords[username,password]],'''",
"'''softwareComponents[\n softwareLicense[softwareDescription[manufacturer,\n name,\n version,\n referenceCode]],\n passwords[username,password]],'''",
"'billingItem['",
"'id,nextInvoiceTotalRecurringAmount,'",
"'children[nextInvoiceTotalRecurringAmount],'",
"'orderItem.order.userRecord[username]'",
"'],'",
"'hourlyBillingFlag,'",
"'tagReferences[id,tag[name,id]],'",
"'networkVlans[id,vlanNumber,networkSpace],'",
"'remoteManagementAccounts[username,password]'",
")",
"return",
"self",
".",
"hardware",
".",
"getObject",
"(",
"id",
"=",
"hardware_id",
",",
"*",
"*",
"kwargs",
")"
] | Get details about a hardware device.
:param integer id: the hardware ID
:returns: A dictionary containing a large amount of information about
the specified server.
Example::
object_mask = "mask[id,networkVlans[vlanNumber]]"
# Object masks are optional
result = mgr.get_hardware(hardware_id=1234,mask=object_mask) | [
"Get",
"details",
"about",
"a",
"hardware",
"device",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L204-L265 | train | 234,653 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.reload | def reload(self, hardware_id, post_uri=None, ssh_keys=None):
"""Perform an OS reload of a server with its current configuration.
:param integer hardware_id: the instance ID to reload
:param string post_uri: The URI of the post-install script to run
after reload
:param list ssh_keys: The SSH keys to add to the root user
"""
config = {}
if post_uri:
config['customProvisionScriptUri'] = post_uri
if ssh_keys:
config['sshKeyIds'] = [key_id for key_id in ssh_keys]
return self.hardware.reloadOperatingSystem('FORCE', config,
id=hardware_id) | python | def reload(self, hardware_id, post_uri=None, ssh_keys=None):
"""Perform an OS reload of a server with its current configuration.
:param integer hardware_id: the instance ID to reload
:param string post_uri: The URI of the post-install script to run
after reload
:param list ssh_keys: The SSH keys to add to the root user
"""
config = {}
if post_uri:
config['customProvisionScriptUri'] = post_uri
if ssh_keys:
config['sshKeyIds'] = [key_id for key_id in ssh_keys]
return self.hardware.reloadOperatingSystem('FORCE', config,
id=hardware_id) | [
"def",
"reload",
"(",
"self",
",",
"hardware_id",
",",
"post_uri",
"=",
"None",
",",
"ssh_keys",
"=",
"None",
")",
":",
"config",
"=",
"{",
"}",
"if",
"post_uri",
":",
"config",
"[",
"'customProvisionScriptUri'",
"]",
"=",
"post_uri",
"if",
"ssh_keys",
":",
"config",
"[",
"'sshKeyIds'",
"]",
"=",
"[",
"key_id",
"for",
"key_id",
"in",
"ssh_keys",
"]",
"return",
"self",
".",
"hardware",
".",
"reloadOperatingSystem",
"(",
"'FORCE'",
",",
"config",
",",
"id",
"=",
"hardware_id",
")"
] | Perform an OS reload of a server with its current configuration.
:param integer hardware_id: the instance ID to reload
:param string post_uri: The URI of the post-install script to run
after reload
:param list ssh_keys: The SSH keys to add to the root user | [
"Perform",
"an",
"OS",
"reload",
"of",
"a",
"server",
"with",
"its",
"current",
"configuration",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L267-L285 | train | 234,654 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.change_port_speed | def change_port_speed(self, hardware_id, public, speed):
"""Allows you to change the port speed of a server's NICs.
:param int hardware_id: The ID of the server
:param bool public: Flag to indicate which interface to change.
True (default) means the public interface.
False indicates the private interface.
:param int speed: The port speed to set.
.. warning::
A port speed of 0 will disable the interface.
Example::
#change the Public interface to 10Mbps on instance 12345
result = mgr.change_port_speed(hardware_id=12345,
public=True, speed=10)
# result will be True or an Exception
"""
if public:
return self.client.call('Hardware_Server',
'setPublicNetworkInterfaceSpeed',
speed, id=hardware_id)
else:
return self.client.call('Hardware_Server',
'setPrivateNetworkInterfaceSpeed',
speed, id=hardware_id) | python | def change_port_speed(self, hardware_id, public, speed):
"""Allows you to change the port speed of a server's NICs.
:param int hardware_id: The ID of the server
:param bool public: Flag to indicate which interface to change.
True (default) means the public interface.
False indicates the private interface.
:param int speed: The port speed to set.
.. warning::
A port speed of 0 will disable the interface.
Example::
#change the Public interface to 10Mbps on instance 12345
result = mgr.change_port_speed(hardware_id=12345,
public=True, speed=10)
# result will be True or an Exception
"""
if public:
return self.client.call('Hardware_Server',
'setPublicNetworkInterfaceSpeed',
speed, id=hardware_id)
else:
return self.client.call('Hardware_Server',
'setPrivateNetworkInterfaceSpeed',
speed, id=hardware_id) | [
"def",
"change_port_speed",
"(",
"self",
",",
"hardware_id",
",",
"public",
",",
"speed",
")",
":",
"if",
"public",
":",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Hardware_Server'",
",",
"'setPublicNetworkInterfaceSpeed'",
",",
"speed",
",",
"id",
"=",
"hardware_id",
")",
"else",
":",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Hardware_Server'",
",",
"'setPrivateNetworkInterfaceSpeed'",
",",
"speed",
",",
"id",
"=",
"hardware_id",
")"
] | Allows you to change the port speed of a server's NICs.
:param int hardware_id: The ID of the server
:param bool public: Flag to indicate which interface to change.
True (default) means the public interface.
False indicates the private interface.
:param int speed: The port speed to set.
.. warning::
A port speed of 0 will disable the interface.
Example::
#change the Public interface to 10Mbps on instance 12345
result = mgr.change_port_speed(hardware_id=12345,
public=True, speed=10)
# result will be True or an Exception | [
"Allows",
"you",
"to",
"change",
"the",
"port",
"speed",
"of",
"a",
"server",
"s",
"NICs",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L298-L324 | train | 234,655 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.place_order | def place_order(self, **kwargs):
"""Places an order for a piece of hardware.
See get_create_options() for valid arguments.
:param string size: server size name or presetId
:param string hostname: server hostname
:param string domain: server domain name
:param string location: location (datacenter) name
:param string os: operating system name
:param int port_speed: Port speed in Mbps
:param list ssh_keys: list of ssh key ids
:param string post_uri: The URI of the post-install script to run
after reload
:param boolean hourly: True if using hourly pricing (default).
False for monthly.
:param boolean no_public: True if this server should only have private
interfaces
:param list extras: List of extra feature names
"""
create_options = self._generate_create_dict(**kwargs)
return self.client['Product_Order'].placeOrder(create_options) | python | def place_order(self, **kwargs):
"""Places an order for a piece of hardware.
See get_create_options() for valid arguments.
:param string size: server size name or presetId
:param string hostname: server hostname
:param string domain: server domain name
:param string location: location (datacenter) name
:param string os: operating system name
:param int port_speed: Port speed in Mbps
:param list ssh_keys: list of ssh key ids
:param string post_uri: The URI of the post-install script to run
after reload
:param boolean hourly: True if using hourly pricing (default).
False for monthly.
:param boolean no_public: True if this server should only have private
interfaces
:param list extras: List of extra feature names
"""
create_options = self._generate_create_dict(**kwargs)
return self.client['Product_Order'].placeOrder(create_options) | [
"def",
"place_order",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"create_options",
"=",
"self",
".",
"_generate_create_dict",
"(",
"*",
"*",
"kwargs",
")",
"return",
"self",
".",
"client",
"[",
"'Product_Order'",
"]",
".",
"placeOrder",
"(",
"create_options",
")"
] | Places an order for a piece of hardware.
See get_create_options() for valid arguments.
:param string size: server size name or presetId
:param string hostname: server hostname
:param string domain: server domain name
:param string location: location (datacenter) name
:param string os: operating system name
:param int port_speed: Port speed in Mbps
:param list ssh_keys: list of ssh key ids
:param string post_uri: The URI of the post-install script to run
after reload
:param boolean hourly: True if using hourly pricing (default).
False for monthly.
:param boolean no_public: True if this server should only have private
interfaces
:param list extras: List of extra feature names | [
"Places",
"an",
"order",
"for",
"a",
"piece",
"of",
"hardware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L326-L347 | train | 234,656 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.verify_order | def verify_order(self, **kwargs):
"""Verifies an order for a piece of hardware.
See :func:`place_order` for a list of available options.
"""
create_options = self._generate_create_dict(**kwargs)
return self.client['Product_Order'].verifyOrder(create_options) | python | def verify_order(self, **kwargs):
"""Verifies an order for a piece of hardware.
See :func:`place_order` for a list of available options.
"""
create_options = self._generate_create_dict(**kwargs)
return self.client['Product_Order'].verifyOrder(create_options) | [
"def",
"verify_order",
"(",
"self",
",",
"*",
"*",
"kwargs",
")",
":",
"create_options",
"=",
"self",
".",
"_generate_create_dict",
"(",
"*",
"*",
"kwargs",
")",
"return",
"self",
".",
"client",
"[",
"'Product_Order'",
"]",
".",
"verifyOrder",
"(",
"create_options",
")"
] | Verifies an order for a piece of hardware.
See :func:`place_order` for a list of available options. | [
"Verifies",
"an",
"order",
"for",
"a",
"piece",
"of",
"hardware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L349-L355 | train | 234,657 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.get_create_options | def get_create_options(self):
"""Returns valid options for ordering hardware."""
package = self._get_package()
# Locations
locations = []
for region in package['regions']:
locations.append({
'name': region['location']['location']['longName'],
'key': region['location']['location']['name'],
})
# Sizes
sizes = []
for preset in package['activePresets'] + package['accountRestrictedActivePresets']:
sizes.append({
'name': preset['description'],
'key': preset['keyName']
})
# Operating systems
operating_systems = []
for item in package['items']:
if item['itemCategory']['categoryCode'] == 'os':
operating_systems.append({
'name': item['softwareDescription']['longDescription'],
'key': item['softwareDescription']['referenceCode'],
})
# Port speeds
port_speeds = []
for item in package['items']:
if all([item['itemCategory']['categoryCode'] == 'port_speed',
# Hide private options
not _is_private_port_speed_item(item),
# Hide unbonded options
_is_bonded(item)]):
port_speeds.append({
'name': item['description'],
'key': item['capacity'],
})
# Extras
extras = []
for item in package['items']:
if item['itemCategory']['categoryCode'] in EXTRA_CATEGORIES:
extras.append({
'name': item['description'],
'key': item['keyName']
})
return {
'locations': locations,
'sizes': sizes,
'operating_systems': operating_systems,
'port_speeds': port_speeds,
'extras': extras,
} | python | def get_create_options(self):
"""Returns valid options for ordering hardware."""
package = self._get_package()
# Locations
locations = []
for region in package['regions']:
locations.append({
'name': region['location']['location']['longName'],
'key': region['location']['location']['name'],
})
# Sizes
sizes = []
for preset in package['activePresets'] + package['accountRestrictedActivePresets']:
sizes.append({
'name': preset['description'],
'key': preset['keyName']
})
# Operating systems
operating_systems = []
for item in package['items']:
if item['itemCategory']['categoryCode'] == 'os':
operating_systems.append({
'name': item['softwareDescription']['longDescription'],
'key': item['softwareDescription']['referenceCode'],
})
# Port speeds
port_speeds = []
for item in package['items']:
if all([item['itemCategory']['categoryCode'] == 'port_speed',
# Hide private options
not _is_private_port_speed_item(item),
# Hide unbonded options
_is_bonded(item)]):
port_speeds.append({
'name': item['description'],
'key': item['capacity'],
})
# Extras
extras = []
for item in package['items']:
if item['itemCategory']['categoryCode'] in EXTRA_CATEGORIES:
extras.append({
'name': item['description'],
'key': item['keyName']
})
return {
'locations': locations,
'sizes': sizes,
'operating_systems': operating_systems,
'port_speeds': port_speeds,
'extras': extras,
} | [
"def",
"get_create_options",
"(",
"self",
")",
":",
"package",
"=",
"self",
".",
"_get_package",
"(",
")",
"# Locations",
"locations",
"=",
"[",
"]",
"for",
"region",
"in",
"package",
"[",
"'regions'",
"]",
":",
"locations",
".",
"append",
"(",
"{",
"'name'",
":",
"region",
"[",
"'location'",
"]",
"[",
"'location'",
"]",
"[",
"'longName'",
"]",
",",
"'key'",
":",
"region",
"[",
"'location'",
"]",
"[",
"'location'",
"]",
"[",
"'name'",
"]",
",",
"}",
")",
"# Sizes",
"sizes",
"=",
"[",
"]",
"for",
"preset",
"in",
"package",
"[",
"'activePresets'",
"]",
"+",
"package",
"[",
"'accountRestrictedActivePresets'",
"]",
":",
"sizes",
".",
"append",
"(",
"{",
"'name'",
":",
"preset",
"[",
"'description'",
"]",
",",
"'key'",
":",
"preset",
"[",
"'keyName'",
"]",
"}",
")",
"# Operating systems",
"operating_systems",
"=",
"[",
"]",
"for",
"item",
"in",
"package",
"[",
"'items'",
"]",
":",
"if",
"item",
"[",
"'itemCategory'",
"]",
"[",
"'categoryCode'",
"]",
"==",
"'os'",
":",
"operating_systems",
".",
"append",
"(",
"{",
"'name'",
":",
"item",
"[",
"'softwareDescription'",
"]",
"[",
"'longDescription'",
"]",
",",
"'key'",
":",
"item",
"[",
"'softwareDescription'",
"]",
"[",
"'referenceCode'",
"]",
",",
"}",
")",
"# Port speeds",
"port_speeds",
"=",
"[",
"]",
"for",
"item",
"in",
"package",
"[",
"'items'",
"]",
":",
"if",
"all",
"(",
"[",
"item",
"[",
"'itemCategory'",
"]",
"[",
"'categoryCode'",
"]",
"==",
"'port_speed'",
",",
"# Hide private options",
"not",
"_is_private_port_speed_item",
"(",
"item",
")",
",",
"# Hide unbonded options",
"_is_bonded",
"(",
"item",
")",
"]",
")",
":",
"port_speeds",
".",
"append",
"(",
"{",
"'name'",
":",
"item",
"[",
"'description'",
"]",
",",
"'key'",
":",
"item",
"[",
"'capacity'",
"]",
",",
"}",
")",
"# Extras",
"extras",
"=",
"[",
"]",
"for",
"item",
"in",
"package",
"[",
"'items'",
"]",
":",
"if",
"item",
"[",
"'itemCategory'",
"]",
"[",
"'categoryCode'",
"]",
"in",
"EXTRA_CATEGORIES",
":",
"extras",
".",
"append",
"(",
"{",
"'name'",
":",
"item",
"[",
"'description'",
"]",
",",
"'key'",
":",
"item",
"[",
"'keyName'",
"]",
"}",
")",
"return",
"{",
"'locations'",
":",
"locations",
",",
"'sizes'",
":",
"sizes",
",",
"'operating_systems'",
":",
"operating_systems",
",",
"'port_speeds'",
":",
"port_speeds",
",",
"'extras'",
":",
"extras",
",",
"}"
] | Returns valid options for ordering hardware. | [
"Returns",
"valid",
"options",
"for",
"ordering",
"hardware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L377-L435 | train | 234,658 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager._get_package | def _get_package(self):
"""Get the package related to simple hardware ordering."""
mask = '''
items[
keyName,
capacity,
description,
attributes[id,attributeTypeKeyName],
itemCategory[id,categoryCode],
softwareDescription[id,referenceCode,longDescription],
prices
],
activePresets,
accountRestrictedActivePresets,
regions[location[location[priceGroups]]]
'''
package_keyname = 'BARE_METAL_SERVER'
package = self.ordering_manager.get_package_by_key(package_keyname, mask=mask)
return package | python | def _get_package(self):
"""Get the package related to simple hardware ordering."""
mask = '''
items[
keyName,
capacity,
description,
attributes[id,attributeTypeKeyName],
itemCategory[id,categoryCode],
softwareDescription[id,referenceCode,longDescription],
prices
],
activePresets,
accountRestrictedActivePresets,
regions[location[location[priceGroups]]]
'''
package_keyname = 'BARE_METAL_SERVER'
package = self.ordering_manager.get_package_by_key(package_keyname, mask=mask)
return package | [
"def",
"_get_package",
"(",
"self",
")",
":",
"mask",
"=",
"'''\n items[\n keyName,\n capacity,\n description,\n attributes[id,attributeTypeKeyName],\n itemCategory[id,categoryCode],\n softwareDescription[id,referenceCode,longDescription],\n prices\n ],\n activePresets,\n accountRestrictedActivePresets,\n regions[location[location[priceGroups]]]\n '''",
"package_keyname",
"=",
"'BARE_METAL_SERVER'",
"package",
"=",
"self",
".",
"ordering_manager",
".",
"get_package_by_key",
"(",
"package_keyname",
",",
"mask",
"=",
"mask",
")",
"return",
"package"
] | Get the package related to simple hardware ordering. | [
"Get",
"the",
"package",
"related",
"to",
"simple",
"hardware",
"ordering",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L438-L457 | train | 234,659 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager._generate_create_dict | def _generate_create_dict(self,
size=None,
hostname=None,
domain=None,
location=None,
os=None,
port_speed=None,
ssh_keys=None,
post_uri=None,
hourly=True,
no_public=False,
extras=None):
"""Translates arguments into a dictionary for creating a server."""
extras = extras or []
package = self._get_package()
location = _get_location(package, location)
prices = []
for category in ['pri_ip_addresses',
'vpn_management',
'remote_management']:
prices.append(_get_default_price_id(package['items'],
option=category,
hourly=hourly,
location=location))
prices.append(_get_os_price_id(package['items'], os,
location=location))
prices.append(_get_bandwidth_price_id(package['items'],
hourly=hourly,
no_public=no_public,
location=location))
prices.append(_get_port_speed_price_id(package['items'],
port_speed,
no_public,
location=location))
for extra in extras:
prices.append(_get_extra_price_id(package['items'],
extra, hourly,
location=location))
hardware = {
'hostname': hostname,
'domain': domain,
}
order = {
'hardware': [hardware],
'location': location['keyname'],
'prices': [{'id': price} for price in prices],
'packageId': package['id'],
'presetId': _get_preset_id(package, size),
'useHourlyPricing': hourly,
}
if post_uri:
order['provisionScripts'] = [post_uri]
if ssh_keys:
order['sshKeys'] = [{'sshKeyIds': ssh_keys}]
return order | python | def _generate_create_dict(self,
size=None,
hostname=None,
domain=None,
location=None,
os=None,
port_speed=None,
ssh_keys=None,
post_uri=None,
hourly=True,
no_public=False,
extras=None):
"""Translates arguments into a dictionary for creating a server."""
extras = extras or []
package = self._get_package()
location = _get_location(package, location)
prices = []
for category in ['pri_ip_addresses',
'vpn_management',
'remote_management']:
prices.append(_get_default_price_id(package['items'],
option=category,
hourly=hourly,
location=location))
prices.append(_get_os_price_id(package['items'], os,
location=location))
prices.append(_get_bandwidth_price_id(package['items'],
hourly=hourly,
no_public=no_public,
location=location))
prices.append(_get_port_speed_price_id(package['items'],
port_speed,
no_public,
location=location))
for extra in extras:
prices.append(_get_extra_price_id(package['items'],
extra, hourly,
location=location))
hardware = {
'hostname': hostname,
'domain': domain,
}
order = {
'hardware': [hardware],
'location': location['keyname'],
'prices': [{'id': price} for price in prices],
'packageId': package['id'],
'presetId': _get_preset_id(package, size),
'useHourlyPricing': hourly,
}
if post_uri:
order['provisionScripts'] = [post_uri]
if ssh_keys:
order['sshKeys'] = [{'sshKeyIds': ssh_keys}]
return order | [
"def",
"_generate_create_dict",
"(",
"self",
",",
"size",
"=",
"None",
",",
"hostname",
"=",
"None",
",",
"domain",
"=",
"None",
",",
"location",
"=",
"None",
",",
"os",
"=",
"None",
",",
"port_speed",
"=",
"None",
",",
"ssh_keys",
"=",
"None",
",",
"post_uri",
"=",
"None",
",",
"hourly",
"=",
"True",
",",
"no_public",
"=",
"False",
",",
"extras",
"=",
"None",
")",
":",
"extras",
"=",
"extras",
"or",
"[",
"]",
"package",
"=",
"self",
".",
"_get_package",
"(",
")",
"location",
"=",
"_get_location",
"(",
"package",
",",
"location",
")",
"prices",
"=",
"[",
"]",
"for",
"category",
"in",
"[",
"'pri_ip_addresses'",
",",
"'vpn_management'",
",",
"'remote_management'",
"]",
":",
"prices",
".",
"append",
"(",
"_get_default_price_id",
"(",
"package",
"[",
"'items'",
"]",
",",
"option",
"=",
"category",
",",
"hourly",
"=",
"hourly",
",",
"location",
"=",
"location",
")",
")",
"prices",
".",
"append",
"(",
"_get_os_price_id",
"(",
"package",
"[",
"'items'",
"]",
",",
"os",
",",
"location",
"=",
"location",
")",
")",
"prices",
".",
"append",
"(",
"_get_bandwidth_price_id",
"(",
"package",
"[",
"'items'",
"]",
",",
"hourly",
"=",
"hourly",
",",
"no_public",
"=",
"no_public",
",",
"location",
"=",
"location",
")",
")",
"prices",
".",
"append",
"(",
"_get_port_speed_price_id",
"(",
"package",
"[",
"'items'",
"]",
",",
"port_speed",
",",
"no_public",
",",
"location",
"=",
"location",
")",
")",
"for",
"extra",
"in",
"extras",
":",
"prices",
".",
"append",
"(",
"_get_extra_price_id",
"(",
"package",
"[",
"'items'",
"]",
",",
"extra",
",",
"hourly",
",",
"location",
"=",
"location",
")",
")",
"hardware",
"=",
"{",
"'hostname'",
":",
"hostname",
",",
"'domain'",
":",
"domain",
",",
"}",
"order",
"=",
"{",
"'hardware'",
":",
"[",
"hardware",
"]",
",",
"'location'",
":",
"location",
"[",
"'keyname'",
"]",
",",
"'prices'",
":",
"[",
"{",
"'id'",
":",
"price",
"}",
"for",
"price",
"in",
"prices",
"]",
",",
"'packageId'",
":",
"package",
"[",
"'id'",
"]",
",",
"'presetId'",
":",
"_get_preset_id",
"(",
"package",
",",
"size",
")",
",",
"'useHourlyPricing'",
":",
"hourly",
",",
"}",
"if",
"post_uri",
":",
"order",
"[",
"'provisionScripts'",
"]",
"=",
"[",
"post_uri",
"]",
"if",
"ssh_keys",
":",
"order",
"[",
"'sshKeys'",
"]",
"=",
"[",
"{",
"'sshKeyIds'",
":",
"ssh_keys",
"}",
"]",
"return",
"order"
] | Translates arguments into a dictionary for creating a server. | [
"Translates",
"arguments",
"into",
"a",
"dictionary",
"for",
"creating",
"a",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L459-L523 | train | 234,660 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager._get_ids_from_hostname | def _get_ids_from_hostname(self, hostname):
"""Returns list of matching hardware IDs for a given hostname."""
results = self.list_hardware(hostname=hostname, mask="id")
return [result['id'] for result in results] | python | def _get_ids_from_hostname(self, hostname):
"""Returns list of matching hardware IDs for a given hostname."""
results = self.list_hardware(hostname=hostname, mask="id")
return [result['id'] for result in results] | [
"def",
"_get_ids_from_hostname",
"(",
"self",
",",
"hostname",
")",
":",
"results",
"=",
"self",
".",
"list_hardware",
"(",
"hostname",
"=",
"hostname",
",",
"mask",
"=",
"\"id\"",
")",
"return",
"[",
"result",
"[",
"'id'",
"]",
"for",
"result",
"in",
"results",
"]"
] | Returns list of matching hardware IDs for a given hostname. | [
"Returns",
"list",
"of",
"matching",
"hardware",
"IDs",
"for",
"a",
"given",
"hostname",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L525-L528 | train | 234,661 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager._get_ids_from_ip | def _get_ids_from_ip(self, ip): # pylint: disable=inconsistent-return-statements
"""Returns list of matching hardware IDs for a given ip address."""
try:
# Does it look like an ip address?
socket.inet_aton(ip)
except socket.error:
return []
# Find the server via ip address. First try public ip, then private
results = self.list_hardware(public_ip=ip, mask="id")
if results:
return [result['id'] for result in results]
results = self.list_hardware(private_ip=ip, mask="id")
if results:
return [result['id'] for result in results] | python | def _get_ids_from_ip(self, ip): # pylint: disable=inconsistent-return-statements
"""Returns list of matching hardware IDs for a given ip address."""
try:
# Does it look like an ip address?
socket.inet_aton(ip)
except socket.error:
return []
# Find the server via ip address. First try public ip, then private
results = self.list_hardware(public_ip=ip, mask="id")
if results:
return [result['id'] for result in results]
results = self.list_hardware(private_ip=ip, mask="id")
if results:
return [result['id'] for result in results] | [
"def",
"_get_ids_from_ip",
"(",
"self",
",",
"ip",
")",
":",
"# pylint: disable=inconsistent-return-statements",
"try",
":",
"# Does it look like an ip address?",
"socket",
".",
"inet_aton",
"(",
"ip",
")",
"except",
"socket",
".",
"error",
":",
"return",
"[",
"]",
"# Find the server via ip address. First try public ip, then private",
"results",
"=",
"self",
".",
"list_hardware",
"(",
"public_ip",
"=",
"ip",
",",
"mask",
"=",
"\"id\"",
")",
"if",
"results",
":",
"return",
"[",
"result",
"[",
"'id'",
"]",
"for",
"result",
"in",
"results",
"]",
"results",
"=",
"self",
".",
"list_hardware",
"(",
"private_ip",
"=",
"ip",
",",
"mask",
"=",
"\"id\"",
")",
"if",
"results",
":",
"return",
"[",
"result",
"[",
"'id'",
"]",
"for",
"result",
"in",
"results",
"]"
] | Returns list of matching hardware IDs for a given ip address. | [
"Returns",
"list",
"of",
"matching",
"hardware",
"IDs",
"for",
"a",
"given",
"ip",
"address",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L530-L545 | train | 234,662 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.edit | def edit(self, hardware_id, userdata=None, hostname=None, domain=None,
notes=None, tags=None):
"""Edit hostname, domain name, notes, user data of the hardware.
Parameters set to None will be ignored and not attempted to be updated.
:param integer hardware_id: the instance ID to edit
:param string userdata: user data on the hardware to edit.
If none exist it will be created
:param string hostname: valid hostname
:param string domain: valid domain name
:param string notes: notes about this particular hardware
:param string tags: tags to set on the hardware as a comma separated
list. Use the empty string to remove all tags.
Example::
# Change the hostname on instance 12345 to 'something'
result = mgr.edit(hardware_id=12345 , hostname="something")
#result will be True or an Exception
"""
obj = {}
if userdata:
self.hardware.setUserMetadata([userdata], id=hardware_id)
if tags is not None:
self.hardware.setTags(tags, id=hardware_id)
if hostname:
obj['hostname'] = hostname
if domain:
obj['domain'] = domain
if notes:
obj['notes'] = notes
if not obj:
return True
return self.hardware.editObject(obj, id=hardware_id) | python | def edit(self, hardware_id, userdata=None, hostname=None, domain=None,
notes=None, tags=None):
"""Edit hostname, domain name, notes, user data of the hardware.
Parameters set to None will be ignored and not attempted to be updated.
:param integer hardware_id: the instance ID to edit
:param string userdata: user data on the hardware to edit.
If none exist it will be created
:param string hostname: valid hostname
:param string domain: valid domain name
:param string notes: notes about this particular hardware
:param string tags: tags to set on the hardware as a comma separated
list. Use the empty string to remove all tags.
Example::
# Change the hostname on instance 12345 to 'something'
result = mgr.edit(hardware_id=12345 , hostname="something")
#result will be True or an Exception
"""
obj = {}
if userdata:
self.hardware.setUserMetadata([userdata], id=hardware_id)
if tags is not None:
self.hardware.setTags(tags, id=hardware_id)
if hostname:
obj['hostname'] = hostname
if domain:
obj['domain'] = domain
if notes:
obj['notes'] = notes
if not obj:
return True
return self.hardware.editObject(obj, id=hardware_id) | [
"def",
"edit",
"(",
"self",
",",
"hardware_id",
",",
"userdata",
"=",
"None",
",",
"hostname",
"=",
"None",
",",
"domain",
"=",
"None",
",",
"notes",
"=",
"None",
",",
"tags",
"=",
"None",
")",
":",
"obj",
"=",
"{",
"}",
"if",
"userdata",
":",
"self",
".",
"hardware",
".",
"setUserMetadata",
"(",
"[",
"userdata",
"]",
",",
"id",
"=",
"hardware_id",
")",
"if",
"tags",
"is",
"not",
"None",
":",
"self",
".",
"hardware",
".",
"setTags",
"(",
"tags",
",",
"id",
"=",
"hardware_id",
")",
"if",
"hostname",
":",
"obj",
"[",
"'hostname'",
"]",
"=",
"hostname",
"if",
"domain",
":",
"obj",
"[",
"'domain'",
"]",
"=",
"domain",
"if",
"notes",
":",
"obj",
"[",
"'notes'",
"]",
"=",
"notes",
"if",
"not",
"obj",
":",
"return",
"True",
"return",
"self",
".",
"hardware",
".",
"editObject",
"(",
"obj",
",",
"id",
"=",
"hardware_id",
")"
] | Edit hostname, domain name, notes, user data of the hardware.
Parameters set to None will be ignored and not attempted to be updated.
:param integer hardware_id: the instance ID to edit
:param string userdata: user data on the hardware to edit.
If none exist it will be created
:param string hostname: valid hostname
:param string domain: valid domain name
:param string notes: notes about this particular hardware
:param string tags: tags to set on the hardware as a comma separated
list. Use the empty string to remove all tags.
Example::
# Change the hostname on instance 12345 to 'something'
result = mgr.edit(hardware_id=12345 , hostname="something")
#result will be True or an Exception | [
"Edit",
"hostname",
"domain",
"name",
"notes",
"user",
"data",
"of",
"the",
"hardware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L547-L588 | train | 234,663 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.update_firmware | def update_firmware(self,
hardware_id,
ipmi=True,
raid_controller=True,
bios=True,
hard_drive=True):
"""Update hardware firmware.
This will cause the server to be unavailable for ~20 minutes.
:param int hardware_id: The ID of the hardware to have its firmware
updated.
:param bool ipmi: Update the ipmi firmware.
:param bool raid_controller: Update the raid controller firmware.
:param bool bios: Update the bios firmware.
:param bool hard_drive: Update the hard drive firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.update_firmware(hardware_id=1234)
"""
return self.hardware.createFirmwareUpdateTransaction(
bool(ipmi), bool(raid_controller), bool(bios), bool(hard_drive), id=hardware_id) | python | def update_firmware(self,
hardware_id,
ipmi=True,
raid_controller=True,
bios=True,
hard_drive=True):
"""Update hardware firmware.
This will cause the server to be unavailable for ~20 minutes.
:param int hardware_id: The ID of the hardware to have its firmware
updated.
:param bool ipmi: Update the ipmi firmware.
:param bool raid_controller: Update the raid controller firmware.
:param bool bios: Update the bios firmware.
:param bool hard_drive: Update the hard drive firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.update_firmware(hardware_id=1234)
"""
return self.hardware.createFirmwareUpdateTransaction(
bool(ipmi), bool(raid_controller), bool(bios), bool(hard_drive), id=hardware_id) | [
"def",
"update_firmware",
"(",
"self",
",",
"hardware_id",
",",
"ipmi",
"=",
"True",
",",
"raid_controller",
"=",
"True",
",",
"bios",
"=",
"True",
",",
"hard_drive",
"=",
"True",
")",
":",
"return",
"self",
".",
"hardware",
".",
"createFirmwareUpdateTransaction",
"(",
"bool",
"(",
"ipmi",
")",
",",
"bool",
"(",
"raid_controller",
")",
",",
"bool",
"(",
"bios",
")",
",",
"bool",
"(",
"hard_drive",
")",
",",
"id",
"=",
"hardware_id",
")"
] | Update hardware firmware.
This will cause the server to be unavailable for ~20 minutes.
:param int hardware_id: The ID of the hardware to have its firmware
updated.
:param bool ipmi: Update the ipmi firmware.
:param bool raid_controller: Update the raid controller firmware.
:param bool bios: Update the bios firmware.
:param bool hard_drive: Update the hard drive firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.update_firmware(hardware_id=1234) | [
"Update",
"hardware",
"firmware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L590-L614 | train | 234,664 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.reflash_firmware | def reflash_firmware(self,
hardware_id,
ipmi=True,
raid_controller=True,
bios=True):
"""Reflash hardware firmware.
This will cause the server to be unavailable for ~60 minutes.
The firmware will not be upgraded but rather reflashed to the version installed.
:param int hardware_id: The ID of the hardware to have its firmware
reflashed.
:param bool ipmi: Reflash the ipmi firmware.
:param bool raid_controller: Reflash the raid controller firmware.
:param bool bios: Reflash the bios firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.reflash_firmware(hardware_id=1234)
"""
return self.hardware.createFirmwareReflashTransaction(
bool(ipmi), bool(raid_controller), bool(bios), id=hardware_id) | python | def reflash_firmware(self,
hardware_id,
ipmi=True,
raid_controller=True,
bios=True):
"""Reflash hardware firmware.
This will cause the server to be unavailable for ~60 minutes.
The firmware will not be upgraded but rather reflashed to the version installed.
:param int hardware_id: The ID of the hardware to have its firmware
reflashed.
:param bool ipmi: Reflash the ipmi firmware.
:param bool raid_controller: Reflash the raid controller firmware.
:param bool bios: Reflash the bios firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.reflash_firmware(hardware_id=1234)
"""
return self.hardware.createFirmwareReflashTransaction(
bool(ipmi), bool(raid_controller), bool(bios), id=hardware_id) | [
"def",
"reflash_firmware",
"(",
"self",
",",
"hardware_id",
",",
"ipmi",
"=",
"True",
",",
"raid_controller",
"=",
"True",
",",
"bios",
"=",
"True",
")",
":",
"return",
"self",
".",
"hardware",
".",
"createFirmwareReflashTransaction",
"(",
"bool",
"(",
"ipmi",
")",
",",
"bool",
"(",
"raid_controller",
")",
",",
"bool",
"(",
"bios",
")",
",",
"id",
"=",
"hardware_id",
")"
] | Reflash hardware firmware.
This will cause the server to be unavailable for ~60 minutes.
The firmware will not be upgraded but rather reflashed to the version installed.
:param int hardware_id: The ID of the hardware to have its firmware
reflashed.
:param bool ipmi: Reflash the ipmi firmware.
:param bool raid_controller: Reflash the raid controller firmware.
:param bool bios: Reflash the bios firmware.
Example::
# Check the servers active transactions to see progress
result = mgr.reflash_firmware(hardware_id=1234) | [
"Reflash",
"hardware",
"firmware",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L616-L639 | train | 234,665 |
softlayer/softlayer-python | SoftLayer/managers/hardware.py | HardwareManager.wait_for_ready | def wait_for_ready(self, instance_id, limit=14400, delay=10, pending=False):
"""Determine if a Server is ready.
A server is ready when no transactions are running on it.
:param int instance_id: The instance ID with the pending transaction
:param int limit: The maximum amount of seconds to wait.
:param int delay: The number of seconds to sleep before checks. Defaults to 10.
"""
now = time.time()
until = now + limit
mask = "mask[id, lastOperatingSystemReload[id], activeTransaction, provisionDate]"
instance = self.get_hardware(instance_id, mask=mask)
while now <= until:
if utils.is_ready(instance, pending):
return True
transaction = utils.lookup(instance, 'activeTransaction', 'transactionStatus', 'friendlyName')
snooze = min(delay, until - now)
LOGGER.info("%s - %d not ready. Auto retry in %ds", transaction, instance_id, snooze)
time.sleep(snooze)
instance = self.get_hardware(instance_id, mask=mask)
now = time.time()
LOGGER.info("Waiting for %d expired.", instance_id)
return False | python | def wait_for_ready(self, instance_id, limit=14400, delay=10, pending=False):
"""Determine if a Server is ready.
A server is ready when no transactions are running on it.
:param int instance_id: The instance ID with the pending transaction
:param int limit: The maximum amount of seconds to wait.
:param int delay: The number of seconds to sleep before checks. Defaults to 10.
"""
now = time.time()
until = now + limit
mask = "mask[id, lastOperatingSystemReload[id], activeTransaction, provisionDate]"
instance = self.get_hardware(instance_id, mask=mask)
while now <= until:
if utils.is_ready(instance, pending):
return True
transaction = utils.lookup(instance, 'activeTransaction', 'transactionStatus', 'friendlyName')
snooze = min(delay, until - now)
LOGGER.info("%s - %d not ready. Auto retry in %ds", transaction, instance_id, snooze)
time.sleep(snooze)
instance = self.get_hardware(instance_id, mask=mask)
now = time.time()
LOGGER.info("Waiting for %d expired.", instance_id)
return False | [
"def",
"wait_for_ready",
"(",
"self",
",",
"instance_id",
",",
"limit",
"=",
"14400",
",",
"delay",
"=",
"10",
",",
"pending",
"=",
"False",
")",
":",
"now",
"=",
"time",
".",
"time",
"(",
")",
"until",
"=",
"now",
"+",
"limit",
"mask",
"=",
"\"mask[id, lastOperatingSystemReload[id], activeTransaction, provisionDate]\"",
"instance",
"=",
"self",
".",
"get_hardware",
"(",
"instance_id",
",",
"mask",
"=",
"mask",
")",
"while",
"now",
"<=",
"until",
":",
"if",
"utils",
".",
"is_ready",
"(",
"instance",
",",
"pending",
")",
":",
"return",
"True",
"transaction",
"=",
"utils",
".",
"lookup",
"(",
"instance",
",",
"'activeTransaction'",
",",
"'transactionStatus'",
",",
"'friendlyName'",
")",
"snooze",
"=",
"min",
"(",
"delay",
",",
"until",
"-",
"now",
")",
"LOGGER",
".",
"info",
"(",
"\"%s - %d not ready. Auto retry in %ds\"",
",",
"transaction",
",",
"instance_id",
",",
"snooze",
")",
"time",
".",
"sleep",
"(",
"snooze",
")",
"instance",
"=",
"self",
".",
"get_hardware",
"(",
"instance_id",
",",
"mask",
"=",
"mask",
")",
"now",
"=",
"time",
".",
"time",
"(",
")",
"LOGGER",
".",
"info",
"(",
"\"Waiting for %d expired.\"",
",",
"instance_id",
")",
"return",
"False"
] | Determine if a Server is ready.
A server is ready when no transactions are running on it.
:param int instance_id: The instance ID with the pending transaction
:param int limit: The maximum amount of seconds to wait.
:param int delay: The number of seconds to sleep before checks. Defaults to 10. | [
"Determine",
"if",
"a",
"Server",
"is",
"ready",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/hardware.py#L641-L665 | train | 234,666 |
softlayer/softlayer-python | SoftLayer/CLI/hardware/cancel.py | cli | def cli(env, identifier, immediate, comment, reason):
"""Cancel a dedicated server."""
mgr = SoftLayer.HardwareManager(env.client)
hw_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'hardware')
if not (env.skip_confirmations or formatting.no_going_back(hw_id)):
raise exceptions.CLIAbort('Aborted')
mgr.cancel_hardware(hw_id, reason, comment, immediate) | python | def cli(env, identifier, immediate, comment, reason):
"""Cancel a dedicated server."""
mgr = SoftLayer.HardwareManager(env.client)
hw_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'hardware')
if not (env.skip_confirmations or formatting.no_going_back(hw_id)):
raise exceptions.CLIAbort('Aborted')
mgr.cancel_hardware(hw_id, reason, comment, immediate) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
",",
"immediate",
",",
"comment",
",",
"reason",
")",
":",
"mgr",
"=",
"SoftLayer",
".",
"HardwareManager",
"(",
"env",
".",
"client",
")",
"hw_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"mgr",
".",
"resolve_ids",
",",
"identifier",
",",
"'hardware'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"no_going_back",
"(",
"hw_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted'",
")",
"mgr",
".",
"cancel_hardware",
"(",
"hw_id",
",",
"reason",
",",
"comment",
",",
"immediate",
")"
] | Cancel a dedicated server. | [
"Cancel",
"a",
"dedicated",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/hardware/cancel.py#L24-L33 | train | 234,667 |
softlayer/softlayer-python | SoftLayer/CLI/virt/reload.py | cli | def cli(env, identifier, postinstall, key, image):
"""Reload operating system on a virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
keys = []
if key:
for single_key in key:
resolver = SoftLayer.SshKeyManager(env.client).resolve_ids
key_id = helpers.resolve_id(resolver, single_key, 'SshKey')
keys.append(key_id)
if not (env.skip_confirmations or formatting.no_going_back(vs_id)):
raise exceptions.CLIAbort('Aborted')
vsi.reload_instance(vs_id,
post_uri=postinstall,
ssh_keys=keys,
image_id=image) | python | def cli(env, identifier, postinstall, key, image):
"""Reload operating system on a virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
keys = []
if key:
for single_key in key:
resolver = SoftLayer.SshKeyManager(env.client).resolve_ids
key_id = helpers.resolve_id(resolver, single_key, 'SshKey')
keys.append(key_id)
if not (env.skip_confirmations or formatting.no_going_back(vs_id)):
raise exceptions.CLIAbort('Aborted')
vsi.reload_instance(vs_id,
post_uri=postinstall,
ssh_keys=keys,
image_id=image) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
",",
"postinstall",
",",
"key",
",",
"image",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"keys",
"=",
"[",
"]",
"if",
"key",
":",
"for",
"single_key",
"in",
"key",
":",
"resolver",
"=",
"SoftLayer",
".",
"SshKeyManager",
"(",
"env",
".",
"client",
")",
".",
"resolve_ids",
"key_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"resolver",
",",
"single_key",
",",
"'SshKey'",
")",
"keys",
".",
"append",
"(",
"key_id",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"no_going_back",
"(",
"vs_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted'",
")",
"vsi",
".",
"reload_instance",
"(",
"vs_id",
",",
"post_uri",
"=",
"postinstall",
",",
"ssh_keys",
"=",
"keys",
",",
"image_id",
"=",
"image",
")"
] | Reload operating system on a virtual server. | [
"Reload",
"operating",
"system",
"on",
"a",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/reload.py#L23-L40 | train | 234,668 |
softlayer/softlayer-python | SoftLayer/CLI/virt/capacity/detail.py | cli | def cli(env, identifier, columns):
"""Reserved Capacity Group details. Will show which guests are assigned to a reservation."""
manager = CapacityManager(env.client)
mask = """mask[instances[id,createDate,guestId,billingItem[id, description, recurringFee, category[name]],
guest[modifyDate,id, primaryBackendIpAddress, primaryIpAddress,domain, hostname]]]"""
result = manager.get_object(identifier, mask)
try:
flavor = result['instances'][0]['billingItem']['description']
except KeyError:
flavor = "Pending Approval..."
table = formatting.Table(columns.columns, title="%s - %s" % (result.get('name'), flavor))
# RCI = Reserved Capacity Instance
for rci in result['instances']:
guest = rci.get('guest', None)
if guest is not None:
table.add_row([value or formatting.blank() for value in columns.row(guest)])
else:
table.add_row(['-' for value in columns.columns])
env.fout(table) | python | def cli(env, identifier, columns):
"""Reserved Capacity Group details. Will show which guests are assigned to a reservation."""
manager = CapacityManager(env.client)
mask = """mask[instances[id,createDate,guestId,billingItem[id, description, recurringFee, category[name]],
guest[modifyDate,id, primaryBackendIpAddress, primaryIpAddress,domain, hostname]]]"""
result = manager.get_object(identifier, mask)
try:
flavor = result['instances'][0]['billingItem']['description']
except KeyError:
flavor = "Pending Approval..."
table = formatting.Table(columns.columns, title="%s - %s" % (result.get('name'), flavor))
# RCI = Reserved Capacity Instance
for rci in result['instances']:
guest = rci.get('guest', None)
if guest is not None:
table.add_row([value or formatting.blank() for value in columns.row(guest)])
else:
table.add_row(['-' for value in columns.columns])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"identifier",
",",
"columns",
")",
":",
"manager",
"=",
"CapacityManager",
"(",
"env",
".",
"client",
")",
"mask",
"=",
"\"\"\"mask[instances[id,createDate,guestId,billingItem[id, description, recurringFee, category[name]],\n guest[modifyDate,id, primaryBackendIpAddress, primaryIpAddress,domain, hostname]]]\"\"\"",
"result",
"=",
"manager",
".",
"get_object",
"(",
"identifier",
",",
"mask",
")",
"try",
":",
"flavor",
"=",
"result",
"[",
"'instances'",
"]",
"[",
"0",
"]",
"[",
"'billingItem'",
"]",
"[",
"'description'",
"]",
"except",
"KeyError",
":",
"flavor",
"=",
"\"Pending Approval...\"",
"table",
"=",
"formatting",
".",
"Table",
"(",
"columns",
".",
"columns",
",",
"title",
"=",
"\"%s - %s\"",
"%",
"(",
"result",
".",
"get",
"(",
"'name'",
")",
",",
"flavor",
")",
")",
"# RCI = Reserved Capacity Instance",
"for",
"rci",
"in",
"result",
"[",
"'instances'",
"]",
":",
"guest",
"=",
"rci",
".",
"get",
"(",
"'guest'",
",",
"None",
")",
"if",
"guest",
"is",
"not",
"None",
":",
"table",
".",
"add_row",
"(",
"[",
"value",
"or",
"formatting",
".",
"blank",
"(",
")",
"for",
"value",
"in",
"columns",
".",
"row",
"(",
"guest",
")",
"]",
")",
"else",
":",
"table",
".",
"add_row",
"(",
"[",
"'-'",
"for",
"value",
"in",
"columns",
".",
"columns",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | Reserved Capacity Group details. Will show which guests are assigned to a reservation. | [
"Reserved",
"Capacity",
"Group",
"details",
".",
"Will",
"show",
"which",
"guests",
"are",
"assigned",
"to",
"a",
"reservation",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/capacity/detail.py#L36-L57 | train | 234,669 |
softlayer/softlayer-python | SoftLayer/config.py | get_client_settings_args | def get_client_settings_args(**kwargs):
"""Retrieve client settings from user-supplied arguments.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
timeout = kwargs.get('timeout')
if timeout is not None:
timeout = float(timeout)
return {
'endpoint_url': kwargs.get('endpoint_url'),
'timeout': timeout,
'proxy': kwargs.get('proxy'),
'username': kwargs.get('username'),
'api_key': kwargs.get('api_key'),
} | python | def get_client_settings_args(**kwargs):
"""Retrieve client settings from user-supplied arguments.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
timeout = kwargs.get('timeout')
if timeout is not None:
timeout = float(timeout)
return {
'endpoint_url': kwargs.get('endpoint_url'),
'timeout': timeout,
'proxy': kwargs.get('proxy'),
'username': kwargs.get('username'),
'api_key': kwargs.get('api_key'),
} | [
"def",
"get_client_settings_args",
"(",
"*",
"*",
"kwargs",
")",
":",
"timeout",
"=",
"kwargs",
".",
"get",
"(",
"'timeout'",
")",
"if",
"timeout",
"is",
"not",
"None",
":",
"timeout",
"=",
"float",
"(",
"timeout",
")",
"return",
"{",
"'endpoint_url'",
":",
"kwargs",
".",
"get",
"(",
"'endpoint_url'",
")",
",",
"'timeout'",
":",
"timeout",
",",
"'proxy'",
":",
"kwargs",
".",
"get",
"(",
"'proxy'",
")",
",",
"'username'",
":",
"kwargs",
".",
"get",
"(",
"'username'",
")",
",",
"'api_key'",
":",
"kwargs",
".",
"get",
"(",
"'api_key'",
")",
",",
"}"
] | Retrieve client settings from user-supplied arguments.
:param \\*\\*kwargs: Arguments that are passed into the client instance | [
"Retrieve",
"client",
"settings",
"from",
"user",
"-",
"supplied",
"arguments",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/config.py#L14-L29 | train | 234,670 |
softlayer/softlayer-python | SoftLayer/config.py | get_client_settings_env | def get_client_settings_env(**_):
"""Retrieve client settings from environment settings.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
return {
'proxy': os.environ.get('https_proxy'),
'username': os.environ.get('SL_USERNAME'),
'api_key': os.environ.get('SL_API_KEY'),
} | python | def get_client_settings_env(**_):
"""Retrieve client settings from environment settings.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
return {
'proxy': os.environ.get('https_proxy'),
'username': os.environ.get('SL_USERNAME'),
'api_key': os.environ.get('SL_API_KEY'),
} | [
"def",
"get_client_settings_env",
"(",
"*",
"*",
"_",
")",
":",
"return",
"{",
"'proxy'",
":",
"os",
".",
"environ",
".",
"get",
"(",
"'https_proxy'",
")",
",",
"'username'",
":",
"os",
".",
"environ",
".",
"get",
"(",
"'SL_USERNAME'",
")",
",",
"'api_key'",
":",
"os",
".",
"environ",
".",
"get",
"(",
"'SL_API_KEY'",
")",
",",
"}"
] | Retrieve client settings from environment settings.
:param \\*\\*kwargs: Arguments that are passed into the client instance | [
"Retrieve",
"client",
"settings",
"from",
"environment",
"settings",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/config.py#L32-L42 | train | 234,671 |
softlayer/softlayer-python | SoftLayer/config.py | get_client_settings_config_file | def get_client_settings_config_file(**kwargs): # pylint: disable=inconsistent-return-statements
"""Retrieve client settings from the possible config file locations.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
config_files = ['/etc/softlayer.conf', '~/.softlayer']
if kwargs.get('config_file'):
config_files.append(kwargs.get('config_file'))
config_files = [os.path.expanduser(f) for f in config_files]
config = utils.configparser.RawConfigParser({
'username': '',
'api_key': '',
'endpoint_url': '',
'timeout': '0',
'proxy': '',
})
config.read(config_files)
if config.has_section('softlayer'):
return {
'endpoint_url': config.get('softlayer', 'endpoint_url'),
'timeout': config.getfloat('softlayer', 'timeout'),
'proxy': config.get('softlayer', 'proxy'),
'username': config.get('softlayer', 'username'),
'api_key': config.get('softlayer', 'api_key'),
} | python | def get_client_settings_config_file(**kwargs): # pylint: disable=inconsistent-return-statements
"""Retrieve client settings from the possible config file locations.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
config_files = ['/etc/softlayer.conf', '~/.softlayer']
if kwargs.get('config_file'):
config_files.append(kwargs.get('config_file'))
config_files = [os.path.expanduser(f) for f in config_files]
config = utils.configparser.RawConfigParser({
'username': '',
'api_key': '',
'endpoint_url': '',
'timeout': '0',
'proxy': '',
})
config.read(config_files)
if config.has_section('softlayer'):
return {
'endpoint_url': config.get('softlayer', 'endpoint_url'),
'timeout': config.getfloat('softlayer', 'timeout'),
'proxy': config.get('softlayer', 'proxy'),
'username': config.get('softlayer', 'username'),
'api_key': config.get('softlayer', 'api_key'),
} | [
"def",
"get_client_settings_config_file",
"(",
"*",
"*",
"kwargs",
")",
":",
"# pylint: disable=inconsistent-return-statements",
"config_files",
"=",
"[",
"'/etc/softlayer.conf'",
",",
"'~/.softlayer'",
"]",
"if",
"kwargs",
".",
"get",
"(",
"'config_file'",
")",
":",
"config_files",
".",
"append",
"(",
"kwargs",
".",
"get",
"(",
"'config_file'",
")",
")",
"config_files",
"=",
"[",
"os",
".",
"path",
".",
"expanduser",
"(",
"f",
")",
"for",
"f",
"in",
"config_files",
"]",
"config",
"=",
"utils",
".",
"configparser",
".",
"RawConfigParser",
"(",
"{",
"'username'",
":",
"''",
",",
"'api_key'",
":",
"''",
",",
"'endpoint_url'",
":",
"''",
",",
"'timeout'",
":",
"'0'",
",",
"'proxy'",
":",
"''",
",",
"}",
")",
"config",
".",
"read",
"(",
"config_files",
")",
"if",
"config",
".",
"has_section",
"(",
"'softlayer'",
")",
":",
"return",
"{",
"'endpoint_url'",
":",
"config",
".",
"get",
"(",
"'softlayer'",
",",
"'endpoint_url'",
")",
",",
"'timeout'",
":",
"config",
".",
"getfloat",
"(",
"'softlayer'",
",",
"'timeout'",
")",
",",
"'proxy'",
":",
"config",
".",
"get",
"(",
"'softlayer'",
",",
"'proxy'",
")",
",",
"'username'",
":",
"config",
".",
"get",
"(",
"'softlayer'",
",",
"'username'",
")",
",",
"'api_key'",
":",
"config",
".",
"get",
"(",
"'softlayer'",
",",
"'api_key'",
")",
",",
"}"
] | Retrieve client settings from the possible config file locations.
:param \\*\\*kwargs: Arguments that are passed into the client instance | [
"Retrieve",
"client",
"settings",
"from",
"the",
"possible",
"config",
"file",
"locations",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/config.py#L45-L70 | train | 234,672 |
softlayer/softlayer-python | SoftLayer/config.py | get_client_settings | def get_client_settings(**kwargs):
"""Parse client settings.
Parses settings from various input methods, preferring earlier values
to later ones. The settings currently come from explicit user arguments,
environmental variables and config files.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
all_settings = {}
for setting_method in SETTING_RESOLVERS:
settings = setting_method(**kwargs)
if settings:
settings.update((k, v) for k, v in all_settings.items() if v)
all_settings = settings
return all_settings | python | def get_client_settings(**kwargs):
"""Parse client settings.
Parses settings from various input methods, preferring earlier values
to later ones. The settings currently come from explicit user arguments,
environmental variables and config files.
:param \\*\\*kwargs: Arguments that are passed into the client instance
"""
all_settings = {}
for setting_method in SETTING_RESOLVERS:
settings = setting_method(**kwargs)
if settings:
settings.update((k, v) for k, v in all_settings.items() if v)
all_settings = settings
return all_settings | [
"def",
"get_client_settings",
"(",
"*",
"*",
"kwargs",
")",
":",
"all_settings",
"=",
"{",
"}",
"for",
"setting_method",
"in",
"SETTING_RESOLVERS",
":",
"settings",
"=",
"setting_method",
"(",
"*",
"*",
"kwargs",
")",
"if",
"settings",
":",
"settings",
".",
"update",
"(",
"(",
"k",
",",
"v",
")",
"for",
"k",
",",
"v",
"in",
"all_settings",
".",
"items",
"(",
")",
"if",
"v",
")",
"all_settings",
"=",
"settings",
"return",
"all_settings"
] | Parse client settings.
Parses settings from various input methods, preferring earlier values
to later ones. The settings currently come from explicit user arguments,
environmental variables and config files.
:param \\*\\*kwargs: Arguments that are passed into the client instance | [
"Parse",
"client",
"settings",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/config.py#L78-L94 | train | 234,673 |
softlayer/softlayer-python | SoftLayer/CLI/order/category_list.py | cli | def cli(env, package_keyname, required):
"""List the categories of a package.
::
# List the categories of Bare Metal servers
slcli order category-list BARE_METAL_SERVER
# List the required categories for Bare Metal servers
slcli order category-list BARE_METAL_SERVER --required
"""
client = env.client
manager = ordering.OrderingManager(client)
table = formatting.Table(COLUMNS)
categories = manager.list_categories(package_keyname)
if required:
categories = [cat for cat in categories if cat['isRequired']]
for cat in categories:
table.add_row([
cat['itemCategory']['name'],
cat['itemCategory']['categoryCode'],
'Y' if cat['isRequired'] else 'N'
])
env.fout(table) | python | def cli(env, package_keyname, required):
"""List the categories of a package.
::
# List the categories of Bare Metal servers
slcli order category-list BARE_METAL_SERVER
# List the required categories for Bare Metal servers
slcli order category-list BARE_METAL_SERVER --required
"""
client = env.client
manager = ordering.OrderingManager(client)
table = formatting.Table(COLUMNS)
categories = manager.list_categories(package_keyname)
if required:
categories = [cat for cat in categories if cat['isRequired']]
for cat in categories:
table.add_row([
cat['itemCategory']['name'],
cat['itemCategory']['categoryCode'],
'Y' if cat['isRequired'] else 'N'
])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"package_keyname",
",",
"required",
")",
":",
"client",
"=",
"env",
".",
"client",
"manager",
"=",
"ordering",
".",
"OrderingManager",
"(",
"client",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"COLUMNS",
")",
"categories",
"=",
"manager",
".",
"list_categories",
"(",
"package_keyname",
")",
"if",
"required",
":",
"categories",
"=",
"[",
"cat",
"for",
"cat",
"in",
"categories",
"if",
"cat",
"[",
"'isRequired'",
"]",
"]",
"for",
"cat",
"in",
"categories",
":",
"table",
".",
"add_row",
"(",
"[",
"cat",
"[",
"'itemCategory'",
"]",
"[",
"'name'",
"]",
",",
"cat",
"[",
"'itemCategory'",
"]",
"[",
"'categoryCode'",
"]",
",",
"'Y'",
"if",
"cat",
"[",
"'isRequired'",
"]",
"else",
"'N'",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List the categories of a package.
::
# List the categories of Bare Metal servers
slcli order category-list BARE_METAL_SERVER
# List the required categories for Bare Metal servers
slcli order category-list BARE_METAL_SERVER --required | [
"List",
"the",
"categories",
"of",
"a",
"package",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/order/category_list.py#L19-L47 | train | 234,674 |
softlayer/softlayer-python | SoftLayer/managers/ssl.py | SSLManager.list_certs | def list_certs(self, method='all'):
"""List all certificates.
:param string method: The type of certificates to list. Options are
'all', 'expired', and 'valid'.
:returns: A list of dictionaries representing the requested SSL certs.
Example::
# Get all valid SSL certs
certs = mgr.list_certs(method='valid')
print certs
"""
ssl = self.client['Account']
methods = {
'all': 'getSecurityCertificates',
'expired': 'getExpiredSecurityCertificates',
'valid': 'getValidSecurityCertificates'
}
mask = "mask[id, commonName, validityDays, notes]"
func = getattr(ssl, methods[method])
return func(mask=mask) | python | def list_certs(self, method='all'):
"""List all certificates.
:param string method: The type of certificates to list. Options are
'all', 'expired', and 'valid'.
:returns: A list of dictionaries representing the requested SSL certs.
Example::
# Get all valid SSL certs
certs = mgr.list_certs(method='valid')
print certs
"""
ssl = self.client['Account']
methods = {
'all': 'getSecurityCertificates',
'expired': 'getExpiredSecurityCertificates',
'valid': 'getValidSecurityCertificates'
}
mask = "mask[id, commonName, validityDays, notes]"
func = getattr(ssl, methods[method])
return func(mask=mask) | [
"def",
"list_certs",
"(",
"self",
",",
"method",
"=",
"'all'",
")",
":",
"ssl",
"=",
"self",
".",
"client",
"[",
"'Account'",
"]",
"methods",
"=",
"{",
"'all'",
":",
"'getSecurityCertificates'",
",",
"'expired'",
":",
"'getExpiredSecurityCertificates'",
",",
"'valid'",
":",
"'getValidSecurityCertificates'",
"}",
"mask",
"=",
"\"mask[id, commonName, validityDays, notes]\"",
"func",
"=",
"getattr",
"(",
"ssl",
",",
"methods",
"[",
"method",
"]",
")",
"return",
"func",
"(",
"mask",
"=",
"mask",
")"
] | List all certificates.
:param string method: The type of certificates to list. Options are
'all', 'expired', and 'valid'.
:returns: A list of dictionaries representing the requested SSL certs.
Example::
# Get all valid SSL certs
certs = mgr.list_certs(method='valid')
print certs | [
"List",
"all",
"certificates",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/ssl.py#L34-L57 | train | 234,675 |
softlayer/softlayer-python | SoftLayer/CLI/dns/zone_list.py | cli | def cli(env):
"""List all zones."""
manager = SoftLayer.DNSManager(env.client)
zones = manager.list_zones()
table = formatting.Table(['id', 'zone', 'serial', 'updated'])
table.align['serial'] = 'c'
table.align['updated'] = 'c'
for zone in zones:
table.add_row([
zone['id'],
zone['name'],
zone['serial'],
zone['updateDate'],
])
env.fout(table) | python | def cli(env):
"""List all zones."""
manager = SoftLayer.DNSManager(env.client)
zones = manager.list_zones()
table = formatting.Table(['id', 'zone', 'serial', 'updated'])
table.align['serial'] = 'c'
table.align['updated'] = 'c'
for zone in zones:
table.add_row([
zone['id'],
zone['name'],
zone['serial'],
zone['updateDate'],
])
env.fout(table) | [
"def",
"cli",
"(",
"env",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"DNSManager",
"(",
"env",
".",
"client",
")",
"zones",
"=",
"manager",
".",
"list_zones",
"(",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'id'",
",",
"'zone'",
",",
"'serial'",
",",
"'updated'",
"]",
")",
"table",
".",
"align",
"[",
"'serial'",
"]",
"=",
"'c'",
"table",
".",
"align",
"[",
"'updated'",
"]",
"=",
"'c'",
"for",
"zone",
"in",
"zones",
":",
"table",
".",
"add_row",
"(",
"[",
"zone",
"[",
"'id'",
"]",
",",
"zone",
"[",
"'name'",
"]",
",",
"zone",
"[",
"'serial'",
"]",
",",
"zone",
"[",
"'updateDate'",
"]",
",",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List all zones. | [
"List",
"all",
"zones",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/dns/zone_list.py#L13-L30 | train | 234,676 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.list_file_volumes | def list_file_volumes(self, datacenter=None, username=None,
storage_type=None, **kwargs):
"""Returns a list of file volumes.
:param datacenter: Datacenter short name (e.g.: dal09)
:param username: Name of volume.
:param storage_type: Type of volume: Endurance or Performance
:param kwargs:
:return: Returns a list of file volumes.
"""
if 'mask' not in kwargs:
items = [
'id',
'username',
'capacityGb',
'bytesUsed',
'serviceResource.datacenter[name]',
'serviceResourceBackendIpAddress',
'activeTransactionCount',
'fileNetworkMountAddress',
'replicationPartnerCount'
]
kwargs['mask'] = ','.join(items)
_filter = utils.NestedDict(kwargs.get('filter') or {})
_filter['nasNetworkStorage']['serviceResource']['type']['type'] = \
(utils.query_filter('!~ NAS'))
_filter['nasNetworkStorage']['storageType']['keyName'] = (
utils.query_filter('*FILE_STORAGE*'))
if storage_type:
_filter['nasNetworkStorage']['storageType']['keyName'] = (
utils.query_filter('%s_FILE_STORAGE*' % storage_type.upper()))
if datacenter:
_filter['nasNetworkStorage']['serviceResource']['datacenter'][
'name'] = (utils.query_filter(datacenter))
if username:
_filter['nasNetworkStorage']['username'] = \
(utils.query_filter(username))
kwargs['filter'] = _filter.to_dict()
return self.client.call('Account', 'getNasNetworkStorage', **kwargs) | python | def list_file_volumes(self, datacenter=None, username=None,
storage_type=None, **kwargs):
"""Returns a list of file volumes.
:param datacenter: Datacenter short name (e.g.: dal09)
:param username: Name of volume.
:param storage_type: Type of volume: Endurance or Performance
:param kwargs:
:return: Returns a list of file volumes.
"""
if 'mask' not in kwargs:
items = [
'id',
'username',
'capacityGb',
'bytesUsed',
'serviceResource.datacenter[name]',
'serviceResourceBackendIpAddress',
'activeTransactionCount',
'fileNetworkMountAddress',
'replicationPartnerCount'
]
kwargs['mask'] = ','.join(items)
_filter = utils.NestedDict(kwargs.get('filter') or {})
_filter['nasNetworkStorage']['serviceResource']['type']['type'] = \
(utils.query_filter('!~ NAS'))
_filter['nasNetworkStorage']['storageType']['keyName'] = (
utils.query_filter('*FILE_STORAGE*'))
if storage_type:
_filter['nasNetworkStorage']['storageType']['keyName'] = (
utils.query_filter('%s_FILE_STORAGE*' % storage_type.upper()))
if datacenter:
_filter['nasNetworkStorage']['serviceResource']['datacenter'][
'name'] = (utils.query_filter(datacenter))
if username:
_filter['nasNetworkStorage']['username'] = \
(utils.query_filter(username))
kwargs['filter'] = _filter.to_dict()
return self.client.call('Account', 'getNasNetworkStorage', **kwargs) | [
"def",
"list_file_volumes",
"(",
"self",
",",
"datacenter",
"=",
"None",
",",
"username",
"=",
"None",
",",
"storage_type",
"=",
"None",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'mask'",
"not",
"in",
"kwargs",
":",
"items",
"=",
"[",
"'id'",
",",
"'username'",
",",
"'capacityGb'",
",",
"'bytesUsed'",
",",
"'serviceResource.datacenter[name]'",
",",
"'serviceResourceBackendIpAddress'",
",",
"'activeTransactionCount'",
",",
"'fileNetworkMountAddress'",
",",
"'replicationPartnerCount'",
"]",
"kwargs",
"[",
"'mask'",
"]",
"=",
"','",
".",
"join",
"(",
"items",
")",
"_filter",
"=",
"utils",
".",
"NestedDict",
"(",
"kwargs",
".",
"get",
"(",
"'filter'",
")",
"or",
"{",
"}",
")",
"_filter",
"[",
"'nasNetworkStorage'",
"]",
"[",
"'serviceResource'",
"]",
"[",
"'type'",
"]",
"[",
"'type'",
"]",
"=",
"(",
"utils",
".",
"query_filter",
"(",
"'!~ NAS'",
")",
")",
"_filter",
"[",
"'nasNetworkStorage'",
"]",
"[",
"'storageType'",
"]",
"[",
"'keyName'",
"]",
"=",
"(",
"utils",
".",
"query_filter",
"(",
"'*FILE_STORAGE*'",
")",
")",
"if",
"storage_type",
":",
"_filter",
"[",
"'nasNetworkStorage'",
"]",
"[",
"'storageType'",
"]",
"[",
"'keyName'",
"]",
"=",
"(",
"utils",
".",
"query_filter",
"(",
"'%s_FILE_STORAGE*'",
"%",
"storage_type",
".",
"upper",
"(",
")",
")",
")",
"if",
"datacenter",
":",
"_filter",
"[",
"'nasNetworkStorage'",
"]",
"[",
"'serviceResource'",
"]",
"[",
"'datacenter'",
"]",
"[",
"'name'",
"]",
"=",
"(",
"utils",
".",
"query_filter",
"(",
"datacenter",
")",
")",
"if",
"username",
":",
"_filter",
"[",
"'nasNetworkStorage'",
"]",
"[",
"'username'",
"]",
"=",
"(",
"utils",
".",
"query_filter",
"(",
"username",
")",
")",
"kwargs",
"[",
"'filter'",
"]",
"=",
"_filter",
".",
"to_dict",
"(",
")",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Account'",
",",
"'getNasNetworkStorage'",
",",
"*",
"*",
"kwargs",
")"
] | Returns a list of file volumes.
:param datacenter: Datacenter short name (e.g.: dal09)
:param username: Name of volume.
:param storage_type: Type of volume: Endurance or Performance
:param kwargs:
:return: Returns a list of file volumes. | [
"Returns",
"a",
"list",
"of",
"file",
"volumes",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L22-L66 | train | 234,677 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.get_file_volume_details | def get_file_volume_details(self, volume_id, **kwargs):
"""Returns details about the specified volume.
:param volume_id: ID of volume.
:param kwargs:
:return: Returns details about the specified volume.
"""
if 'mask' not in kwargs:
items = [
'id',
'username',
'password',
'capacityGb',
'bytesUsed',
'snapshotCapacityGb',
'parentVolume.snapshotSizeBytes',
'storageType.keyName',
'serviceResource.datacenter[name]',
'serviceResourceBackendIpAddress',
'fileNetworkMountAddress',
'storageTierLevel',
'provisionedIops',
'lunId',
'originalVolumeName',
'originalSnapshotName',
'originalVolumeSize',
'activeTransactionCount',
'activeTransactions.transactionStatus[friendlyName]',
'replicationPartnerCount',
'replicationStatus',
'replicationPartners[id,username,'
'serviceResourceBackendIpAddress,'
'serviceResource[datacenter[name]],'
'replicationSchedule[type[keyname]]]',
]
kwargs['mask'] = ','.join(items)
return self.client.call('Network_Storage', 'getObject',
id=volume_id, **kwargs) | python | def get_file_volume_details(self, volume_id, **kwargs):
"""Returns details about the specified volume.
:param volume_id: ID of volume.
:param kwargs:
:return: Returns details about the specified volume.
"""
if 'mask' not in kwargs:
items = [
'id',
'username',
'password',
'capacityGb',
'bytesUsed',
'snapshotCapacityGb',
'parentVolume.snapshotSizeBytes',
'storageType.keyName',
'serviceResource.datacenter[name]',
'serviceResourceBackendIpAddress',
'fileNetworkMountAddress',
'storageTierLevel',
'provisionedIops',
'lunId',
'originalVolumeName',
'originalSnapshotName',
'originalVolumeSize',
'activeTransactionCount',
'activeTransactions.transactionStatus[friendlyName]',
'replicationPartnerCount',
'replicationStatus',
'replicationPartners[id,username,'
'serviceResourceBackendIpAddress,'
'serviceResource[datacenter[name]],'
'replicationSchedule[type[keyname]]]',
]
kwargs['mask'] = ','.join(items)
return self.client.call('Network_Storage', 'getObject',
id=volume_id, **kwargs) | [
"def",
"get_file_volume_details",
"(",
"self",
",",
"volume_id",
",",
"*",
"*",
"kwargs",
")",
":",
"if",
"'mask'",
"not",
"in",
"kwargs",
":",
"items",
"=",
"[",
"'id'",
",",
"'username'",
",",
"'password'",
",",
"'capacityGb'",
",",
"'bytesUsed'",
",",
"'snapshotCapacityGb'",
",",
"'parentVolume.snapshotSizeBytes'",
",",
"'storageType.keyName'",
",",
"'serviceResource.datacenter[name]'",
",",
"'serviceResourceBackendIpAddress'",
",",
"'fileNetworkMountAddress'",
",",
"'storageTierLevel'",
",",
"'provisionedIops'",
",",
"'lunId'",
",",
"'originalVolumeName'",
",",
"'originalSnapshotName'",
",",
"'originalVolumeSize'",
",",
"'activeTransactionCount'",
",",
"'activeTransactions.transactionStatus[friendlyName]'",
",",
"'replicationPartnerCount'",
",",
"'replicationStatus'",
",",
"'replicationPartners[id,username,'",
"'serviceResourceBackendIpAddress,'",
"'serviceResource[datacenter[name]],'",
"'replicationSchedule[type[keyname]]]'",
",",
"]",
"kwargs",
"[",
"'mask'",
"]",
"=",
"','",
".",
"join",
"(",
"items",
")",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Network_Storage'",
",",
"'getObject'",
",",
"id",
"=",
"volume_id",
",",
"*",
"*",
"kwargs",
")"
] | Returns details about the specified volume.
:param volume_id: ID of volume.
:param kwargs:
:return: Returns details about the specified volume. | [
"Returns",
"details",
"about",
"the",
"specified",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L68-L106 | train | 234,678 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.order_replicant_volume | def order_replicant_volume(self, volume_id, snapshot_schedule,
location, tier=None):
"""Places an order for a replicant file volume.
:param volume_id: The ID of the primary volume to be replicated
:param snapshot_schedule: The primary volume's snapshot
schedule to use for replication
:param location: The location for the ordered replicant volume
:param tier: The tier (IOPS per GB) of the primary volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'billingItem[activeChildren,hourlyFlag],'\
'storageTierLevel,osType,staasVersion,'\
'hasEncryptionAtRest,snapshotCapacityGb,schedules,'\
'intervalSchedule,hourlySchedule,dailySchedule,'\
'weeklySchedule,storageType[keyName],provisionedIops'
file_volume = self.get_file_volume_details(volume_id,
mask=file_mask)
order = storage_utils.prepare_replicant_order_object(
self, snapshot_schedule, location, tier, file_volume, 'file'
)
return self.client.call('Product_Order', 'placeOrder', order) | python | def order_replicant_volume(self, volume_id, snapshot_schedule,
location, tier=None):
"""Places an order for a replicant file volume.
:param volume_id: The ID of the primary volume to be replicated
:param snapshot_schedule: The primary volume's snapshot
schedule to use for replication
:param location: The location for the ordered replicant volume
:param tier: The tier (IOPS per GB) of the primary volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'billingItem[activeChildren,hourlyFlag],'\
'storageTierLevel,osType,staasVersion,'\
'hasEncryptionAtRest,snapshotCapacityGb,schedules,'\
'intervalSchedule,hourlySchedule,dailySchedule,'\
'weeklySchedule,storageType[keyName],provisionedIops'
file_volume = self.get_file_volume_details(volume_id,
mask=file_mask)
order = storage_utils.prepare_replicant_order_object(
self, snapshot_schedule, location, tier, file_volume, 'file'
)
return self.client.call('Product_Order', 'placeOrder', order) | [
"def",
"order_replicant_volume",
"(",
"self",
",",
"volume_id",
",",
"snapshot_schedule",
",",
"location",
",",
"tier",
"=",
"None",
")",
":",
"file_mask",
"=",
"'billingItem[activeChildren,hourlyFlag],'",
"'storageTierLevel,osType,staasVersion,'",
"'hasEncryptionAtRest,snapshotCapacityGb,schedules,'",
"'intervalSchedule,hourlySchedule,dailySchedule,'",
"'weeklySchedule,storageType[keyName],provisionedIops'",
"file_volume",
"=",
"self",
".",
"get_file_volume_details",
"(",
"volume_id",
",",
"mask",
"=",
"file_mask",
")",
"order",
"=",
"storage_utils",
".",
"prepare_replicant_order_object",
"(",
"self",
",",
"snapshot_schedule",
",",
"location",
",",
"tier",
",",
"file_volume",
",",
"'file'",
")",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Product_Order'",
",",
"'placeOrder'",
",",
"order",
")"
] | Places an order for a replicant file volume.
:param volume_id: The ID of the primary volume to be replicated
:param snapshot_schedule: The primary volume's snapshot
schedule to use for replication
:param location: The location for the ordered replicant volume
:param tier: The tier (IOPS per GB) of the primary volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt | [
"Places",
"an",
"order",
"for",
"a",
"replicant",
"file",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L205-L229 | train | 234,679 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.order_duplicate_volume | def order_duplicate_volume(self, origin_volume_id, origin_snapshot_id=None,
duplicate_size=None, duplicate_iops=None,
duplicate_tier_level=None,
duplicate_snapshot_size=None,
hourly_billing_flag=False):
"""Places an order for a duplicate file volume.
:param origin_volume_id: The ID of the origin volume to be duplicated
:param origin_snapshot_id: Origin snapshot ID to use for duplication
:param duplicate_size: Size/capacity for the duplicate volume
:param duplicate_iops: The IOPS per GB for the duplicate volume
:param duplicate_tier_level: Tier level for the duplicate volume
:param duplicate_snapshot_size: Snapshot space size for the duplicate
:param hourly_billing_flag: Billing type, monthly (False)
or hourly (True), default to monthly.
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'id,billingItem[location,hourlyFlag],snapshotCapacityGb,'\
'storageType[keyName],capacityGb,originalVolumeSize,'\
'provisionedIops,storageTierLevel,'\
'staasVersion,hasEncryptionAtRest'
origin_volume = self.get_file_volume_details(origin_volume_id,
mask=file_mask)
order = storage_utils.prepare_duplicate_order_object(
self, origin_volume, duplicate_iops, duplicate_tier_level,
duplicate_size, duplicate_snapshot_size, 'file',
hourly_billing_flag
)
if origin_snapshot_id is not None:
order['duplicateOriginSnapshotId'] = origin_snapshot_id
return self.client.call('Product_Order', 'placeOrder', order) | python | def order_duplicate_volume(self, origin_volume_id, origin_snapshot_id=None,
duplicate_size=None, duplicate_iops=None,
duplicate_tier_level=None,
duplicate_snapshot_size=None,
hourly_billing_flag=False):
"""Places an order for a duplicate file volume.
:param origin_volume_id: The ID of the origin volume to be duplicated
:param origin_snapshot_id: Origin snapshot ID to use for duplication
:param duplicate_size: Size/capacity for the duplicate volume
:param duplicate_iops: The IOPS per GB for the duplicate volume
:param duplicate_tier_level: Tier level for the duplicate volume
:param duplicate_snapshot_size: Snapshot space size for the duplicate
:param hourly_billing_flag: Billing type, monthly (False)
or hourly (True), default to monthly.
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'id,billingItem[location,hourlyFlag],snapshotCapacityGb,'\
'storageType[keyName],capacityGb,originalVolumeSize,'\
'provisionedIops,storageTierLevel,'\
'staasVersion,hasEncryptionAtRest'
origin_volume = self.get_file_volume_details(origin_volume_id,
mask=file_mask)
order = storage_utils.prepare_duplicate_order_object(
self, origin_volume, duplicate_iops, duplicate_tier_level,
duplicate_size, duplicate_snapshot_size, 'file',
hourly_billing_flag
)
if origin_snapshot_id is not None:
order['duplicateOriginSnapshotId'] = origin_snapshot_id
return self.client.call('Product_Order', 'placeOrder', order) | [
"def",
"order_duplicate_volume",
"(",
"self",
",",
"origin_volume_id",
",",
"origin_snapshot_id",
"=",
"None",
",",
"duplicate_size",
"=",
"None",
",",
"duplicate_iops",
"=",
"None",
",",
"duplicate_tier_level",
"=",
"None",
",",
"duplicate_snapshot_size",
"=",
"None",
",",
"hourly_billing_flag",
"=",
"False",
")",
":",
"file_mask",
"=",
"'id,billingItem[location,hourlyFlag],snapshotCapacityGb,'",
"'storageType[keyName],capacityGb,originalVolumeSize,'",
"'provisionedIops,storageTierLevel,'",
"'staasVersion,hasEncryptionAtRest'",
"origin_volume",
"=",
"self",
".",
"get_file_volume_details",
"(",
"origin_volume_id",
",",
"mask",
"=",
"file_mask",
")",
"order",
"=",
"storage_utils",
".",
"prepare_duplicate_order_object",
"(",
"self",
",",
"origin_volume",
",",
"duplicate_iops",
",",
"duplicate_tier_level",
",",
"duplicate_size",
",",
"duplicate_snapshot_size",
",",
"'file'",
",",
"hourly_billing_flag",
")",
"if",
"origin_snapshot_id",
"is",
"not",
"None",
":",
"order",
"[",
"'duplicateOriginSnapshotId'",
"]",
"=",
"origin_snapshot_id",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Product_Order'",
",",
"'placeOrder'",
",",
"order",
")"
] | Places an order for a duplicate file volume.
:param origin_volume_id: The ID of the origin volume to be duplicated
:param origin_snapshot_id: Origin snapshot ID to use for duplication
:param duplicate_size: Size/capacity for the duplicate volume
:param duplicate_iops: The IOPS per GB for the duplicate volume
:param duplicate_tier_level: Tier level for the duplicate volume
:param duplicate_snapshot_size: Snapshot space size for the duplicate
:param hourly_billing_flag: Billing type, monthly (False)
or hourly (True), default to monthly.
:return: Returns a SoftLayer_Container_Product_Order_Receipt | [
"Places",
"an",
"order",
"for",
"a",
"duplicate",
"file",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L251-L285 | train | 234,680 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.order_modified_volume | def order_modified_volume(self, volume_id, new_size=None, new_iops=None, new_tier_level=None):
"""Places an order for modifying an existing file volume.
:param volume_id: The ID of the volume to be modified
:param new_size: The new size/capacity for the volume
:param new_iops: The new IOPS for the volume
:param new_tier_level: The new tier level for the volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
mask_items = [
'id',
'billingItem',
'storageType[keyName]',
'capacityGb',
'provisionedIops',
'storageTierLevel',
'staasVersion',
'hasEncryptionAtRest',
]
file_mask = ','.join(mask_items)
volume = self.get_file_volume_details(volume_id, mask=file_mask)
order = storage_utils.prepare_modify_order_object(
self, volume, new_iops, new_tier_level, new_size
)
return self.client.call('Product_Order', 'placeOrder', order) | python | def order_modified_volume(self, volume_id, new_size=None, new_iops=None, new_tier_level=None):
"""Places an order for modifying an existing file volume.
:param volume_id: The ID of the volume to be modified
:param new_size: The new size/capacity for the volume
:param new_iops: The new IOPS for the volume
:param new_tier_level: The new tier level for the volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
mask_items = [
'id',
'billingItem',
'storageType[keyName]',
'capacityGb',
'provisionedIops',
'storageTierLevel',
'staasVersion',
'hasEncryptionAtRest',
]
file_mask = ','.join(mask_items)
volume = self.get_file_volume_details(volume_id, mask=file_mask)
order = storage_utils.prepare_modify_order_object(
self, volume, new_iops, new_tier_level, new_size
)
return self.client.call('Product_Order', 'placeOrder', order) | [
"def",
"order_modified_volume",
"(",
"self",
",",
"volume_id",
",",
"new_size",
"=",
"None",
",",
"new_iops",
"=",
"None",
",",
"new_tier_level",
"=",
"None",
")",
":",
"mask_items",
"=",
"[",
"'id'",
",",
"'billingItem'",
",",
"'storageType[keyName]'",
",",
"'capacityGb'",
",",
"'provisionedIops'",
",",
"'storageTierLevel'",
",",
"'staasVersion'",
",",
"'hasEncryptionAtRest'",
",",
"]",
"file_mask",
"=",
"','",
".",
"join",
"(",
"mask_items",
")",
"volume",
"=",
"self",
".",
"get_file_volume_details",
"(",
"volume_id",
",",
"mask",
"=",
"file_mask",
")",
"order",
"=",
"storage_utils",
".",
"prepare_modify_order_object",
"(",
"self",
",",
"volume",
",",
"new_iops",
",",
"new_tier_level",
",",
"new_size",
")",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Product_Order'",
",",
"'placeOrder'",
",",
"order",
")"
] | Places an order for modifying an existing file volume.
:param volume_id: The ID of the volume to be modified
:param new_size: The new size/capacity for the volume
:param new_iops: The new IOPS for the volume
:param new_tier_level: The new tier level for the volume
:return: Returns a SoftLayer_Container_Product_Order_Receipt | [
"Places",
"an",
"order",
"for",
"modifying",
"an",
"existing",
"file",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L287-L314 | train | 234,681 |
softlayer/softlayer-python | SoftLayer/managers/file.py | FileStorageManager.order_snapshot_space | def order_snapshot_space(self, volume_id, capacity, tier, upgrade, **kwargs):
"""Orders snapshot space for the given file volume.
:param integer volume_id: The ID of the volume
:param integer capacity: The capacity to order, in GB
:param float tier: The tier level of the file volume, in IOPS per GB
:param boolean upgrade: Flag to indicate if this order is an upgrade
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'id,billingItem[location,hourlyFlag],'\
'storageType[keyName],storageTierLevel,provisionedIops,'\
'staasVersion,hasEncryptionAtRest'
file_volume = self.get_file_volume_details(volume_id,
mask=file_mask,
**kwargs)
order = storage_utils.prepare_snapshot_order_object(
self, file_volume, capacity, tier, upgrade)
return self.client.call('Product_Order', 'placeOrder', order) | python | def order_snapshot_space(self, volume_id, capacity, tier, upgrade, **kwargs):
"""Orders snapshot space for the given file volume.
:param integer volume_id: The ID of the volume
:param integer capacity: The capacity to order, in GB
:param float tier: The tier level of the file volume, in IOPS per GB
:param boolean upgrade: Flag to indicate if this order is an upgrade
:return: Returns a SoftLayer_Container_Product_Order_Receipt
"""
file_mask = 'id,billingItem[location,hourlyFlag],'\
'storageType[keyName],storageTierLevel,provisionedIops,'\
'staasVersion,hasEncryptionAtRest'
file_volume = self.get_file_volume_details(volume_id,
mask=file_mask,
**kwargs)
order = storage_utils.prepare_snapshot_order_object(
self, file_volume, capacity, tier, upgrade)
return self.client.call('Product_Order', 'placeOrder', order) | [
"def",
"order_snapshot_space",
"(",
"self",
",",
"volume_id",
",",
"capacity",
",",
"tier",
",",
"upgrade",
",",
"*",
"*",
"kwargs",
")",
":",
"file_mask",
"=",
"'id,billingItem[location,hourlyFlag],'",
"'storageType[keyName],storageTierLevel,provisionedIops,'",
"'staasVersion,hasEncryptionAtRest'",
"file_volume",
"=",
"self",
".",
"get_file_volume_details",
"(",
"volume_id",
",",
"mask",
"=",
"file_mask",
",",
"*",
"*",
"kwargs",
")",
"order",
"=",
"storage_utils",
".",
"prepare_snapshot_order_object",
"(",
"self",
",",
"file_volume",
",",
"capacity",
",",
"tier",
",",
"upgrade",
")",
"return",
"self",
".",
"client",
".",
"call",
"(",
"'Product_Order'",
",",
"'placeOrder'",
",",
"order",
")"
] | Orders snapshot space for the given file volume.
:param integer volume_id: The ID of the volume
:param integer capacity: The capacity to order, in GB
:param float tier: The tier level of the file volume, in IOPS per GB
:param boolean upgrade: Flag to indicate if this order is an upgrade
:return: Returns a SoftLayer_Container_Product_Order_Receipt | [
"Orders",
"snapshot",
"space",
"for",
"the",
"given",
"file",
"volume",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/managers/file.py#L406-L425 | train | 234,682 |
softlayer/softlayer-python | SoftLayer/CLI/dns/zone_print.py | cli | def cli(env, zone):
"""Print zone in BIND format."""
manager = SoftLayer.DNSManager(env.client)
zone_id = helpers.resolve_id(manager.resolve_ids, zone, name='zone')
env.fout(manager.dump_zone(zone_id)) | python | def cli(env, zone):
"""Print zone in BIND format."""
manager = SoftLayer.DNSManager(env.client)
zone_id = helpers.resolve_id(manager.resolve_ids, zone, name='zone')
env.fout(manager.dump_zone(zone_id)) | [
"def",
"cli",
"(",
"env",
",",
"zone",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"DNSManager",
"(",
"env",
".",
"client",
")",
"zone_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"manager",
".",
"resolve_ids",
",",
"zone",
",",
"name",
"=",
"'zone'",
")",
"env",
".",
"fout",
"(",
"manager",
".",
"dump_zone",
"(",
"zone_id",
")",
")"
] | Print zone in BIND format. | [
"Print",
"zone",
"in",
"BIND",
"format",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/dns/zone_print.py#L14-L19 | train | 234,683 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | rescue | def rescue(env, identifier):
"""Reboot into a rescue image."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm("This action will reboot this VSI. Continue?")):
raise exceptions.CLIAbort('Aborted')
vsi.rescue(vs_id) | python | def rescue(env, identifier):
"""Reboot into a rescue image."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm("This action will reboot this VSI. Continue?")):
raise exceptions.CLIAbort('Aborted')
vsi.rescue(vs_id) | [
"def",
"rescue",
"(",
"env",
",",
"identifier",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"\"This action will reboot this VSI. Continue?\"",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted'",
")",
"vsi",
".",
"rescue",
"(",
"vs_id",
")"
] | Reboot into a rescue image. | [
"Reboot",
"into",
"a",
"rescue",
"image",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L16-L25 | train | 234,684 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | reboot | def reboot(env, identifier, hard):
"""Reboot an active virtual server."""
virtual_guest = env.client['Virtual_Guest']
mgr = SoftLayer.HardwareManager(env.client)
vs_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will reboot the VS with id %s. '
'Continue?' % vs_id)):
raise exceptions.CLIAbort('Aborted.')
if hard is True:
virtual_guest.rebootHard(id=vs_id)
elif hard is False:
virtual_guest.rebootSoft(id=vs_id)
else:
virtual_guest.rebootDefault(id=vs_id) | python | def reboot(env, identifier, hard):
"""Reboot an active virtual server."""
virtual_guest = env.client['Virtual_Guest']
mgr = SoftLayer.HardwareManager(env.client)
vs_id = helpers.resolve_id(mgr.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will reboot the VS with id %s. '
'Continue?' % vs_id)):
raise exceptions.CLIAbort('Aborted.')
if hard is True:
virtual_guest.rebootHard(id=vs_id)
elif hard is False:
virtual_guest.rebootSoft(id=vs_id)
else:
virtual_guest.rebootDefault(id=vs_id) | [
"def",
"reboot",
"(",
"env",
",",
"identifier",
",",
"hard",
")",
":",
"virtual_guest",
"=",
"env",
".",
"client",
"[",
"'Virtual_Guest'",
"]",
"mgr",
"=",
"SoftLayer",
".",
"HardwareManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"mgr",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"'This will reboot the VS with id %s. '",
"'Continue?'",
"%",
"vs_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted.'",
")",
"if",
"hard",
"is",
"True",
":",
"virtual_guest",
".",
"rebootHard",
"(",
"id",
"=",
"vs_id",
")",
"elif",
"hard",
"is",
"False",
":",
"virtual_guest",
".",
"rebootSoft",
"(",
"id",
"=",
"vs_id",
")",
"else",
":",
"virtual_guest",
".",
"rebootDefault",
"(",
"id",
"=",
"vs_id",
")"
] | Reboot an active virtual server. | [
"Reboot",
"an",
"active",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L34-L50 | train | 234,685 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | power_off | def power_off(env, identifier, hard):
"""Power off an active virtual server."""
virtual_guest = env.client['Virtual_Guest']
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will power off the VS with id %s. '
'Continue?' % vs_id)):
raise exceptions.CLIAbort('Aborted.')
if hard:
virtual_guest.powerOff(id=vs_id)
else:
virtual_guest.powerOffSoft(id=vs_id) | python | def power_off(env, identifier, hard):
"""Power off an active virtual server."""
virtual_guest = env.client['Virtual_Guest']
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will power off the VS with id %s. '
'Continue?' % vs_id)):
raise exceptions.CLIAbort('Aborted.')
if hard:
virtual_guest.powerOff(id=vs_id)
else:
virtual_guest.powerOffSoft(id=vs_id) | [
"def",
"power_off",
"(",
"env",
",",
"identifier",
",",
"hard",
")",
":",
"virtual_guest",
"=",
"env",
".",
"client",
"[",
"'Virtual_Guest'",
"]",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"'This will power off the VS with id %s. '",
"'Continue?'",
"%",
"vs_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted.'",
")",
"if",
"hard",
":",
"virtual_guest",
".",
"powerOff",
"(",
"id",
"=",
"vs_id",
")",
"else",
":",
"virtual_guest",
".",
"powerOffSoft",
"(",
"id",
"=",
"vs_id",
")"
] | Power off an active virtual server. | [
"Power",
"off",
"an",
"active",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L57-L71 | train | 234,686 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | power_on | def power_on(env, identifier):
"""Power on a virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
env.client['Virtual_Guest'].powerOn(id=vs_id) | python | def power_on(env, identifier):
"""Power on a virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
env.client['Virtual_Guest'].powerOn(id=vs_id) | [
"def",
"power_on",
"(",
"env",
",",
"identifier",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"env",
".",
"client",
"[",
"'Virtual_Guest'",
"]",
".",
"powerOn",
"(",
"id",
"=",
"vs_id",
")"
] | Power on a virtual server. | [
"Power",
"on",
"a",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L77-L82 | train | 234,687 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | pause | def pause(env, identifier):
"""Pauses an active virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will pause the VS with id %s. Continue?'
% vs_id)):
raise exceptions.CLIAbort('Aborted.')
env.client['Virtual_Guest'].pause(id=vs_id) | python | def pause(env, identifier):
"""Pauses an active virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
if not (env.skip_confirmations or
formatting.confirm('This will pause the VS with id %s. Continue?'
% vs_id)):
raise exceptions.CLIAbort('Aborted.')
env.client['Virtual_Guest'].pause(id=vs_id) | [
"def",
"pause",
"(",
"env",
",",
"identifier",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"if",
"not",
"(",
"env",
".",
"skip_confirmations",
"or",
"formatting",
".",
"confirm",
"(",
"'This will pause the VS with id %s. Continue?'",
"%",
"vs_id",
")",
")",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Aborted.'",
")",
"env",
".",
"client",
"[",
"'Virtual_Guest'",
"]",
".",
"pause",
"(",
"id",
"=",
"vs_id",
")"
] | Pauses an active virtual server. | [
"Pauses",
"an",
"active",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L88-L99 | train | 234,688 |
softlayer/softlayer-python | SoftLayer/CLI/virt/power.py | resume | def resume(env, identifier):
"""Resumes a paused virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
env.client['Virtual_Guest'].resume(id=vs_id) | python | def resume(env, identifier):
"""Resumes a paused virtual server."""
vsi = SoftLayer.VSManager(env.client)
vs_id = helpers.resolve_id(vsi.resolve_ids, identifier, 'VS')
env.client['Virtual_Guest'].resume(id=vs_id) | [
"def",
"resume",
"(",
"env",
",",
"identifier",
")",
":",
"vsi",
"=",
"SoftLayer",
".",
"VSManager",
"(",
"env",
".",
"client",
")",
"vs_id",
"=",
"helpers",
".",
"resolve_id",
"(",
"vsi",
".",
"resolve_ids",
",",
"identifier",
",",
"'VS'",
")",
"env",
".",
"client",
"[",
"'Virtual_Guest'",
"]",
".",
"resume",
"(",
"id",
"=",
"vs_id",
")"
] | Resumes a paused virtual server. | [
"Resumes",
"a",
"paused",
"virtual",
"server",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/virt/power.py#L105-L110 | train | 234,689 |
softlayer/softlayer-python | SoftLayer/CLI/account/summary.py | cli | def cli(env):
"""Prints some various bits of information about an account"""
manager = AccountManager(env.client)
summary = manager.get_summary()
env.fout(get_snapshot_table(summary)) | python | def cli(env):
"""Prints some various bits of information about an account"""
manager = AccountManager(env.client)
summary = manager.get_summary()
env.fout(get_snapshot_table(summary)) | [
"def",
"cli",
"(",
"env",
")",
":",
"manager",
"=",
"AccountManager",
"(",
"env",
".",
"client",
")",
"summary",
"=",
"manager",
".",
"get_summary",
"(",
")",
"env",
".",
"fout",
"(",
"get_snapshot_table",
"(",
"summary",
")",
")"
] | Prints some various bits of information about an account | [
"Prints",
"some",
"various",
"bits",
"of",
"information",
"about",
"an",
"account"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/account/summary.py#L13-L18 | train | 234,690 |
softlayer/softlayer-python | SoftLayer/CLI/account/summary.py | get_snapshot_table | def get_snapshot_table(account):
"""Generates a table for printing account summary data"""
table = formatting.KeyValueTable(["Name", "Value"], title="Account Snapshot")
table.align['Name'] = 'r'
table.align['Value'] = 'l'
table.add_row(['Company Name', account.get('companyName', '-')])
table.add_row(['Balance', utils.lookup(account, 'pendingInvoice', 'startingBalance')])
table.add_row(['Upcoming Invoice', utils.lookup(account, 'pendingInvoice', 'invoiceTotalAmount')])
table.add_row(['Image Templates', account.get('blockDeviceTemplateGroupCount', '-')])
table.add_row(['Dedicated Hosts', account.get('dedicatedHostCount', '-')])
table.add_row(['Hardware', account.get('hardwareCount', '-')])
table.add_row(['Virtual Guests', account.get('virtualGuestCount', '-')])
table.add_row(['Domains', account.get('domainCount', '-')])
table.add_row(['Network Storage Volumes', account.get('networkStorageCount', '-')])
table.add_row(['Open Tickets', account.get('openTicketCount', '-')])
table.add_row(['Network Vlans', account.get('networkVlanCount', '-')])
table.add_row(['Subnets', account.get('subnetCount', '-')])
table.add_row(['Users', account.get('userCount', '-')])
return table | python | def get_snapshot_table(account):
"""Generates a table for printing account summary data"""
table = formatting.KeyValueTable(["Name", "Value"], title="Account Snapshot")
table.align['Name'] = 'r'
table.align['Value'] = 'l'
table.add_row(['Company Name', account.get('companyName', '-')])
table.add_row(['Balance', utils.lookup(account, 'pendingInvoice', 'startingBalance')])
table.add_row(['Upcoming Invoice', utils.lookup(account, 'pendingInvoice', 'invoiceTotalAmount')])
table.add_row(['Image Templates', account.get('blockDeviceTemplateGroupCount', '-')])
table.add_row(['Dedicated Hosts', account.get('dedicatedHostCount', '-')])
table.add_row(['Hardware', account.get('hardwareCount', '-')])
table.add_row(['Virtual Guests', account.get('virtualGuestCount', '-')])
table.add_row(['Domains', account.get('domainCount', '-')])
table.add_row(['Network Storage Volumes', account.get('networkStorageCount', '-')])
table.add_row(['Open Tickets', account.get('openTicketCount', '-')])
table.add_row(['Network Vlans', account.get('networkVlanCount', '-')])
table.add_row(['Subnets', account.get('subnetCount', '-')])
table.add_row(['Users', account.get('userCount', '-')])
return table | [
"def",
"get_snapshot_table",
"(",
"account",
")",
":",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"\"Name\"",
",",
"\"Value\"",
"]",
",",
"title",
"=",
"\"Account Snapshot\"",
")",
"table",
".",
"align",
"[",
"'Name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'Value'",
"]",
"=",
"'l'",
"table",
".",
"add_row",
"(",
"[",
"'Company Name'",
",",
"account",
".",
"get",
"(",
"'companyName'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Balance'",
",",
"utils",
".",
"lookup",
"(",
"account",
",",
"'pendingInvoice'",
",",
"'startingBalance'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Upcoming Invoice'",
",",
"utils",
".",
"lookup",
"(",
"account",
",",
"'pendingInvoice'",
",",
"'invoiceTotalAmount'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Image Templates'",
",",
"account",
".",
"get",
"(",
"'blockDeviceTemplateGroupCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Dedicated Hosts'",
",",
"account",
".",
"get",
"(",
"'dedicatedHostCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Hardware'",
",",
"account",
".",
"get",
"(",
"'hardwareCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Virtual Guests'",
",",
"account",
".",
"get",
"(",
"'virtualGuestCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Domains'",
",",
"account",
".",
"get",
"(",
"'domainCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Network Storage Volumes'",
",",
"account",
".",
"get",
"(",
"'networkStorageCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Open Tickets'",
",",
"account",
".",
"get",
"(",
"'openTicketCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Network Vlans'",
",",
"account",
".",
"get",
"(",
"'networkVlanCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Subnets'",
",",
"account",
".",
"get",
"(",
"'subnetCount'",
",",
"'-'",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'Users'",
",",
"account",
".",
"get",
"(",
"'userCount'",
",",
"'-'",
")",
"]",
")",
"return",
"table"
] | Generates a table for printing account summary data | [
"Generates",
"a",
"table",
"for",
"printing",
"account",
"summary",
"data"
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/account/summary.py#L21-L39 | train | 234,691 |
softlayer/softlayer-python | SoftLayer/CLI/metadata.py | cli | def cli(env, prop):
"""Find details about this machine."""
try:
if prop == 'network':
env.fout(get_network())
return
meta_prop = META_MAPPING.get(prop) or prop
env.fout(SoftLayer.MetadataManager().get(meta_prop))
except SoftLayer.TransportError:
raise exceptions.CLIAbort(
'Cannot connect to the backend service address. Make sure '
'this command is being ran from a device on the backend '
'network.') | python | def cli(env, prop):
"""Find details about this machine."""
try:
if prop == 'network':
env.fout(get_network())
return
meta_prop = META_MAPPING.get(prop) or prop
env.fout(SoftLayer.MetadataManager().get(meta_prop))
except SoftLayer.TransportError:
raise exceptions.CLIAbort(
'Cannot connect to the backend service address. Make sure '
'this command is being ran from a device on the backend '
'network.') | [
"def",
"cli",
"(",
"env",
",",
"prop",
")",
":",
"try",
":",
"if",
"prop",
"==",
"'network'",
":",
"env",
".",
"fout",
"(",
"get_network",
"(",
")",
")",
"return",
"meta_prop",
"=",
"META_MAPPING",
".",
"get",
"(",
"prop",
")",
"or",
"prop",
"env",
".",
"fout",
"(",
"SoftLayer",
".",
"MetadataManager",
"(",
")",
".",
"get",
"(",
"meta_prop",
")",
")",
"except",
"SoftLayer",
".",
"TransportError",
":",
"raise",
"exceptions",
".",
"CLIAbort",
"(",
"'Cannot connect to the backend service address. Make sure '",
"'this command is being ran from a device on the backend '",
"'network.'",
")"
] | Find details about this machine. | [
"Find",
"details",
"about",
"this",
"machine",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/metadata.py#L50-L64 | train | 234,692 |
softlayer/softlayer-python | SoftLayer/CLI/metadata.py | get_network | def get_network():
"""Returns a list of tables with public and private network details."""
meta = SoftLayer.MetadataManager()
network_tables = []
for network_func in [meta.public_network, meta.private_network]:
network = network_func()
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['mac addresses',
formatting.listing(network['mac_addresses'],
separator=',')])
table.add_row(['router', network['router']])
table.add_row(['vlans',
formatting.listing(network['vlans'], separator=',')])
table.add_row(['vlan ids',
formatting.listing(network['vlan_ids'], separator=',')])
network_tables.append(table)
return network_tables | python | def get_network():
"""Returns a list of tables with public and private network details."""
meta = SoftLayer.MetadataManager()
network_tables = []
for network_func in [meta.public_network, meta.private_network]:
network = network_func()
table = formatting.KeyValueTable(['name', 'value'])
table.align['name'] = 'r'
table.align['value'] = 'l'
table.add_row(['mac addresses',
formatting.listing(network['mac_addresses'],
separator=',')])
table.add_row(['router', network['router']])
table.add_row(['vlans',
formatting.listing(network['vlans'], separator=',')])
table.add_row(['vlan ids',
formatting.listing(network['vlan_ids'], separator=',')])
network_tables.append(table)
return network_tables | [
"def",
"get_network",
"(",
")",
":",
"meta",
"=",
"SoftLayer",
".",
"MetadataManager",
"(",
")",
"network_tables",
"=",
"[",
"]",
"for",
"network_func",
"in",
"[",
"meta",
".",
"public_network",
",",
"meta",
".",
"private_network",
"]",
":",
"network",
"=",
"network_func",
"(",
")",
"table",
"=",
"formatting",
".",
"KeyValueTable",
"(",
"[",
"'name'",
",",
"'value'",
"]",
")",
"table",
".",
"align",
"[",
"'name'",
"]",
"=",
"'r'",
"table",
".",
"align",
"[",
"'value'",
"]",
"=",
"'l'",
"table",
".",
"add_row",
"(",
"[",
"'mac addresses'",
",",
"formatting",
".",
"listing",
"(",
"network",
"[",
"'mac_addresses'",
"]",
",",
"separator",
"=",
"','",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'router'",
",",
"network",
"[",
"'router'",
"]",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'vlans'",
",",
"formatting",
".",
"listing",
"(",
"network",
"[",
"'vlans'",
"]",
",",
"separator",
"=",
"','",
")",
"]",
")",
"table",
".",
"add_row",
"(",
"[",
"'vlan ids'",
",",
"formatting",
".",
"listing",
"(",
"network",
"[",
"'vlan_ids'",
"]",
",",
"separator",
"=",
"','",
")",
"]",
")",
"network_tables",
".",
"append",
"(",
"table",
")",
"return",
"network_tables"
] | Returns a list of tables with public and private network details. | [
"Returns",
"a",
"list",
"of",
"tables",
"with",
"public",
"and",
"private",
"network",
"details",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/metadata.py#L67-L87 | train | 234,693 |
softlayer/softlayer-python | SoftLayer/CLI/columns.py | get_formatter | def get_formatter(columns):
"""This function returns a callback to use with click options.
The returned function parses a comma-separated value and returns a new
ColumnFormatter.
:param columns: a list of Column instances
"""
column_map = dict((column.name, column) for column in columns)
def validate(ctx, param, value):
"""Click validation function."""
if value == '':
raise click.BadParameter('At least one column is required.')
formatter = ColumnFormatter()
for column in [col.strip() for col in value.split(',')]:
if column in column_map:
formatter.add_column(column_map[column])
else:
formatter.add_column(Column(column, column.split('.')))
return formatter
return validate | python | def get_formatter(columns):
"""This function returns a callback to use with click options.
The returned function parses a comma-separated value and returns a new
ColumnFormatter.
:param columns: a list of Column instances
"""
column_map = dict((column.name, column) for column in columns)
def validate(ctx, param, value):
"""Click validation function."""
if value == '':
raise click.BadParameter('At least one column is required.')
formatter = ColumnFormatter()
for column in [col.strip() for col in value.split(',')]:
if column in column_map:
formatter.add_column(column_map[column])
else:
formatter.add_column(Column(column, column.split('.')))
return formatter
return validate | [
"def",
"get_formatter",
"(",
"columns",
")",
":",
"column_map",
"=",
"dict",
"(",
"(",
"column",
".",
"name",
",",
"column",
")",
"for",
"column",
"in",
"columns",
")",
"def",
"validate",
"(",
"ctx",
",",
"param",
",",
"value",
")",
":",
"\"\"\"Click validation function.\"\"\"",
"if",
"value",
"==",
"''",
":",
"raise",
"click",
".",
"BadParameter",
"(",
"'At least one column is required.'",
")",
"formatter",
"=",
"ColumnFormatter",
"(",
")",
"for",
"column",
"in",
"[",
"col",
".",
"strip",
"(",
")",
"for",
"col",
"in",
"value",
".",
"split",
"(",
"','",
")",
"]",
":",
"if",
"column",
"in",
"column_map",
":",
"formatter",
".",
"add_column",
"(",
"column_map",
"[",
"column",
"]",
")",
"else",
":",
"formatter",
".",
"add_column",
"(",
"Column",
"(",
"column",
",",
"column",
".",
"split",
"(",
"'.'",
")",
")",
")",
"return",
"formatter",
"return",
"validate"
] | This function returns a callback to use with click options.
The returned function parses a comma-separated value and returns a new
ColumnFormatter.
:param columns: a list of Column instances | [
"This",
"function",
"returns",
"a",
"callback",
"to",
"use",
"with",
"click",
"options",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/columns.py#L57-L82 | train | 234,694 |
softlayer/softlayer-python | SoftLayer/CLI/columns.py | ColumnFormatter.add_column | def add_column(self, column):
"""Add a new column along with a formatting function."""
self.columns.append(column.name)
self.column_funcs.append(column.path)
if column.mask is not None:
self.mask_parts.add(column.mask) | python | def add_column(self, column):
"""Add a new column along with a formatting function."""
self.columns.append(column.name)
self.column_funcs.append(column.path)
if column.mask is not None:
self.mask_parts.add(column.mask) | [
"def",
"add_column",
"(",
"self",
",",
"column",
")",
":",
"self",
".",
"columns",
".",
"append",
"(",
"column",
".",
"name",
")",
"self",
".",
"column_funcs",
".",
"append",
"(",
"column",
".",
"path",
")",
"if",
"column",
".",
"mask",
"is",
"not",
"None",
":",
"self",
".",
"mask_parts",
".",
"add",
"(",
"column",
".",
"mask",
")"
] | Add a new column along with a formatting function. | [
"Add",
"a",
"new",
"column",
"along",
"with",
"a",
"formatting",
"function",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/columns.py#L36-L42 | train | 234,695 |
softlayer/softlayer-python | SoftLayer/CLI/columns.py | ColumnFormatter.row | def row(self, data):
"""Return a formatted row for the given data."""
for column in self.column_funcs:
if callable(column):
yield column(data)
else:
yield utils.lookup(data, *column) | python | def row(self, data):
"""Return a formatted row for the given data."""
for column in self.column_funcs:
if callable(column):
yield column(data)
else:
yield utils.lookup(data, *column) | [
"def",
"row",
"(",
"self",
",",
"data",
")",
":",
"for",
"column",
"in",
"self",
".",
"column_funcs",
":",
"if",
"callable",
"(",
"column",
")",
":",
"yield",
"column",
"(",
"data",
")",
"else",
":",
"yield",
"utils",
".",
"lookup",
"(",
"data",
",",
"*",
"column",
")"
] | Return a formatted row for the given data. | [
"Return",
"a",
"formatted",
"row",
"for",
"the",
"given",
"data",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/columns.py#L44-L50 | train | 234,696 |
softlayer/softlayer-python | SoftLayer/CLI/cdn/origin_remove.py | cli | def cli(env, account_id, origin_id):
"""Remove an origin pull mapping."""
manager = SoftLayer.CDNManager(env.client)
manager.remove_origin(account_id, origin_id) | python | def cli(env, account_id, origin_id):
"""Remove an origin pull mapping."""
manager = SoftLayer.CDNManager(env.client)
manager.remove_origin(account_id, origin_id) | [
"def",
"cli",
"(",
"env",
",",
"account_id",
",",
"origin_id",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"CDNManager",
"(",
"env",
".",
"client",
")",
"manager",
".",
"remove_origin",
"(",
"account_id",
",",
"origin_id",
")"
] | Remove an origin pull mapping. | [
"Remove",
"an",
"origin",
"pull",
"mapping",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/cdn/origin_remove.py#L14-L18 | train | 234,697 |
softlayer/softlayer-python | SoftLayer/CLI/cdn/list.py | cli | def cli(env, sortby):
"""List all CDN accounts."""
manager = SoftLayer.CDNManager(env.client)
accounts = manager.list_accounts()
table = formatting.Table(['id',
'account_name',
'type',
'created',
'notes'])
for account in accounts:
table.add_row([
account['id'],
account['cdnAccountName'],
account['cdnSolutionName'],
account['createDate'],
account.get('cdnAccountNote', formatting.blank())
])
table.sortby = sortby
env.fout(table) | python | def cli(env, sortby):
"""List all CDN accounts."""
manager = SoftLayer.CDNManager(env.client)
accounts = manager.list_accounts()
table = formatting.Table(['id',
'account_name',
'type',
'created',
'notes'])
for account in accounts:
table.add_row([
account['id'],
account['cdnAccountName'],
account['cdnSolutionName'],
account['createDate'],
account.get('cdnAccountNote', formatting.blank())
])
table.sortby = sortby
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"sortby",
")",
":",
"manager",
"=",
"SoftLayer",
".",
"CDNManager",
"(",
"env",
".",
"client",
")",
"accounts",
"=",
"manager",
".",
"list_accounts",
"(",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"[",
"'id'",
",",
"'account_name'",
",",
"'type'",
",",
"'created'",
",",
"'notes'",
"]",
")",
"for",
"account",
"in",
"accounts",
":",
"table",
".",
"add_row",
"(",
"[",
"account",
"[",
"'id'",
"]",
",",
"account",
"[",
"'cdnAccountName'",
"]",
",",
"account",
"[",
"'cdnSolutionName'",
"]",
",",
"account",
"[",
"'createDate'",
"]",
",",
"account",
".",
"get",
"(",
"'cdnAccountNote'",
",",
"formatting",
".",
"blank",
"(",
")",
")",
"]",
")",
"table",
".",
"sortby",
"=",
"sortby",
"env",
".",
"fout",
"(",
"table",
")"
] | List all CDN accounts. | [
"List",
"all",
"CDN",
"accounts",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/cdn/list.py#L22-L43 | train | 234,698 |
softlayer/softlayer-python | SoftLayer/CLI/file/snapshot/list.py | cli | def cli(env, volume_id, sortby, columns):
"""List file storage snapshots."""
file_manager = SoftLayer.FileStorageManager(env.client)
snapshots = file_manager.get_file_volume_snapshot_list(
volume_id,
mask=columns.mask()
)
table = formatting.Table(columns.columns)
table.sortby = sortby
for snapshot in snapshots:
table.add_row([value or formatting.blank()
for value in columns.row(snapshot)])
env.fout(table) | python | def cli(env, volume_id, sortby, columns):
"""List file storage snapshots."""
file_manager = SoftLayer.FileStorageManager(env.client)
snapshots = file_manager.get_file_volume_snapshot_list(
volume_id,
mask=columns.mask()
)
table = formatting.Table(columns.columns)
table.sortby = sortby
for snapshot in snapshots:
table.add_row([value or formatting.blank()
for value in columns.row(snapshot)])
env.fout(table) | [
"def",
"cli",
"(",
"env",
",",
"volume_id",
",",
"sortby",
",",
"columns",
")",
":",
"file_manager",
"=",
"SoftLayer",
".",
"FileStorageManager",
"(",
"env",
".",
"client",
")",
"snapshots",
"=",
"file_manager",
".",
"get_file_volume_snapshot_list",
"(",
"volume_id",
",",
"mask",
"=",
"columns",
".",
"mask",
"(",
")",
")",
"table",
"=",
"formatting",
".",
"Table",
"(",
"columns",
".",
"columns",
")",
"table",
".",
"sortby",
"=",
"sortby",
"for",
"snapshot",
"in",
"snapshots",
":",
"table",
".",
"add_row",
"(",
"[",
"value",
"or",
"formatting",
".",
"blank",
"(",
")",
"for",
"value",
"in",
"columns",
".",
"row",
"(",
"snapshot",
")",
"]",
")",
"env",
".",
"fout",
"(",
"table",
")"
] | List file storage snapshots. | [
"List",
"file",
"storage",
"snapshots",
"."
] | 9f181be08cc3668353b05a6de0cb324f52cff6fa | https://github.com/softlayer/softlayer-python/blob/9f181be08cc3668353b05a6de0cb324f52cff6fa/SoftLayer/CLI/file/snapshot/list.py#L38-L53 | train | 234,699 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.