1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223
|
"""Manage LBaaS Pools/Listeners."""
import click
import SoftLayer
from SoftLayer.CLI import environment
from SoftLayer.CLI import exceptions
from SoftLayer.CLI import helpers
from SoftLayer.exceptions import SoftLayerAPIError
# pylint: disable=unused-argument
def sticky_option(ctx, param, value):
"""parses sticky cli option"""
if value:
return 'SOURCE_IP'
return None
def parse_server(ctx, param, values):
"""Splits out the IP, Port, Weight from the --server argument for l7pools"""
servers = []
for server in values:
splitout = server.split(':')
if len(splitout) != 3:
raise exceptions.ArgumentError(
f"--server needs a port and a weight. {server} improperly formatted")
server = {
'address': splitout[0],
'port': splitout[1],
'weight': splitout[2]
}
servers.append(server)
return servers
@click.command(cls=SoftLayer.CLI.command.SLCommand, )
@click.argument('identifier')
@click.option('--frontProtocol', '-P', default='HTTP', type=click.Choice(['HTTP', 'HTTPS', 'TCP']), show_default=True,
help="Protocol type to use for incoming connections")
@click.option('--backProtocol', '-p', type=click.Choice(['HTTP', 'HTTPS', 'TCP']),
help="Protocol type to use when connecting to backend servers. Defaults to whatever --frontProtocol is.")
@click.option('--frontPort', '-f', required=True, type=int, help="Internet side port")
@click.option('--backPort', '-b', required=True, type=int, help="Private side port")
@click.option('--method', '-m', default='ROUNDROBIN', show_default=True, help="Balancing Method",
type=click.Choice(['ROUNDROBIN', 'LEASTCONNECTION', 'WEIGHTED_RR']))
@click.option('--connections', '-c', type=int, help="Maximum number of connections to allow.")
@click.option('--sticky', '-s', is_flag=True, callback=sticky_option, help="Make sessions sticky based on source_ip.")
@click.option('--sslCert', '-x', help="SSL certificate ID. See `slcli ssl list`")
@environment.pass_env
def add(env, identifier, **args):
"""Adds a listener to the identifier LB"""
mgr = SoftLayer.LoadBalancerManager(env.client)
uuid, _ = mgr.get_lbaas_uuid_id(identifier)
new_listener = {
'backendPort': args.get('backport'),
'backendProtocol': args.get('backprotocol') if args.get('backprotocol') else args.get('frontprotocol'),
'frontendPort': args.get('frontport'),
'frontendProtocol': args.get('frontprotocol'),
'loadBalancingMethod': args.get('method'),
'maxConn': args.get('connections', None),
'sessionType': args.get('sticky'),
'tlsCertificateId': args.get('sslcert')
}
try:
mgr.add_lb_listener(uuid, new_listener)
click.secho("Success", fg='green')
except SoftLayerAPIError as exception:
click.secho(f"ERROR: {exception.faultString}", fg='red')
@click.command(cls=SoftLayer.CLI.command.SLCommand, )
@click.argument('identifier')
@click.argument('listener')
@click.option('--frontProtocol', '-P', type=click.Choice(['HTTP', 'HTTPS', 'TCP']),
help="Protocol type to use for incoming connections")
@click.option('--backProtocol', '-p', type=click.Choice(['HTTP', 'HTTPS', 'TCP']),
help="Protocol type to use when connecting to backend servers. Defaults to whatever --frontProtocol is.")
@click.option('--frontPort', '-f', type=int, help="Internet side port")
@click.option('--backPort', '-b', type=int, help="Private side port")
@click.option('--method', '-m', help="Balancing Method",
type=click.Choice(['ROUNDROBIN', 'LEASTCONNECTION', 'WEIGHTED_RR']))
@click.option('--connections', '-c', type=int, help="Maximum number of connections to allow.")
@click.option('--clientTimeout', '-t', type=int,
help="maximum idle time in seconds(Range: 1 to 7200).")
@click.option('--sticky', '-s', is_flag=True, callback=sticky_option, help="Make sessions sticky based on source_ip.")
@click.option('--sslCert', '-x', help="SSL certificate ID. See `slcli ssl list`")
@environment.pass_env
def edit(env, identifier, listener, **args):
"""Updates a listener's configuration.
LISTENER should be a UUID, and can be found from `slcli lb detail <IDENTIFIER>`
"""
mgr = SoftLayer.LoadBalancerManager(env.client)
uuid, _ = mgr.get_lbaas_uuid_id(identifier)
new_listener = {
'listenerUuid': listener
}
arg_to_option = {
'frontprotocol': 'frontendProtocol',
'backprotocol': 'backendProtocol',
'frontport': 'frontendPort',
'backport': 'backendPort',
'method': 'loadBalancingMethod',
'connections': 'maxConn',
'sticky': 'sessionType',
'clienttimeout': 'clientTimeout',
'sslcert': 'tlsCertificateId'
}
for key, value in args.items():
if value:
new_listener[arg_to_option[key]] = value
try:
mgr.add_lb_listener(uuid, new_listener)
click.secho("Success", fg='green')
except SoftLayerAPIError as exception:
click.secho(f"ERROR: {exception.faultString}", fg='red')
@click.command(cls=SoftLayer.CLI.command.SLCommand, )
@click.argument('identifier')
@click.argument('listener')
@environment.pass_env
def delete(env, identifier, listener):
"""Removes the listener from identified LBaaS instance
LISTENER should be a UUID, and can be found from `slcli lb detail <IDENTIFIER>`
"""
mgr = SoftLayer.LoadBalancerManager(env.client)
uuid, _ = mgr.get_lbaas_uuid_id(identifier)
try:
mgr.remove_lb_listener(uuid, listener)
click.secho("Success", fg='green')
except SoftLayerAPIError as exception:
click.secho(f"ERROR: {exception.faultString}", fg='red')
@click.command(cls=SoftLayer.CLI.command.SLCommand, )
@click.argument('identifier')
# https://sldn.softlayer.com/reference/datatypes/SoftLayer_Network_LBaaS_L7Pool/
@click.option('--name', '-n', required=True, help="Name for this L7 pool.")
@click.option('--method', '-m', help="Balancing Method.", default='ROUNDROBIN', show_default=True,
type=click.Choice(['ROUNDROBIN', 'LEASTCONNECTION', 'WEIGHTED_RR']))
@click.option('--protocol', '-P', type=click.Choice(['HTTP', 'HTTPS']), default='HTTP',
show_default=True, help="Protocol type to use for incoming connections")
# https://sldn.softlayer.com/reference/datatypes/SoftLayer_Network_LBaaS_L7Member/
@helpers.multi_option('--server', '-S', callback=parse_server, required=True,
help="Backend servers that are part of this pool. Format is colon deliminated. "
"BACKEND_IP:PORT:WEIGHT. eg. 10.0.0.1:80:50")
# https://sldn.softlayer.com/reference/datatypes/SoftLayer_Network_LBaaS_L7HealthMonitor/
@click.option('--healthPath', default='/', show_default=True, help="Health check path.")
@click.option('--healthInterval', default=5, type=int, show_default=True, help="Health check interval between checks.")
@click.option('--healthRetry', default=2, type=int, show_default=True,
help="Health check number of times before marking as DOWN.")
@click.option('--healthTimeout', default=2, type=int, show_default=True, help="Health check timeout.")
# https://sldn.softlayer.com/reference/datatypes/SoftLayer_Network_LBaaS_L7SessionAffinity/
@click.option('--sticky', '-s', is_flag=True, callback=sticky_option, help="Make sessions sticky based on source_ip.")
@environment.pass_env
def l7pool_add(env, identifier, **args):
"""Adds a new l7 pool
-S is in colon deliminated format to make grouping IP:port:weight a bit easier.
Example::
slcli loadbal l7pool-add (--id LOADBAL_ID) (-n, --name NAME) [-m, --method METHOD]
[-s, --server BACKEND_IP:PORT] [-p, --protocol PROTOCOL] [--health-path PATH]
[--health-interval INTERVAL] [--health-retry RETRY]
[--health-timeout TIMEOUT] [--sticky cookie | source-ip]
"""
mgr = SoftLayer.LoadBalancerManager(env.client)
uuid, _ = mgr.get_lbaas_uuid_id(identifier)
pool_main = {
'name': args.get('name'),
'loadBalancingAlgorithm': args.get('method'),
'protocol': args.get('protocol')
}
pool_members = list(args.get('server'))
pool_health = {
'interval': args.get('healthinterval'),
'timeout': args.get('healthtimeout'),
'maxRetries': args.get('healthretry'),
'urlPath': args.get('healthpath')
}
pool_sticky = {
'type': args.get('sticky')
}
try:
mgr.add_lb_l7_pool(uuid, pool_main, pool_members, pool_health, pool_sticky)
click.secho("Success", fg='green')
except SoftLayerAPIError as exception:
click.secho(f"ERROR: {exception.faultString}", fg='red')
@click.command(cls=SoftLayer.CLI.command.SLCommand, )
@click.argument('identifier')
@environment.pass_env
def l7pool_del(env, identifier):
"""Deletes the identified pool
Identifier is L7Pool Id. NOT the UUID
"""
mgr = SoftLayer.LoadBalancerManager(env.client)
try:
mgr.del_lb_l7_pool(identifier)
click.secho("Success", fg='green')
except SoftLayerAPIError as exception:
click.secho(f"ERROR: {exception.faultString}", fg='red')
|