Extensive behavior customization and automation can be done by utilizing scripts for both the control plane with Python-based ControlScripts and the data plane with Lua-based DataScripts.
DataScript
DataScripts are a powerful mechanism for customizing the behavior of Avi Load Balancer on a per-virtual-service or even per-client basis. DataScripts are lightweight scripts coded in Lua. These scripts can be executed against each client making a TCP connection, an HTTP request or response, or other events within the data plane.
One or more DataScripts can be attached to the rules section of a virtual service.
Scripts may be uploaded or copied and pasted into either the Request Event Script or Response Event Script section. For instance, to restrict access to the secure directory, the following text would be pasted into the Request Event Script section:
if avi.http.uri == "/secure/" then avi.http.send(403) end
See theVMware Avi Load Balancer DataScript Guide for complete documentation of commands and example DataScripts.
ControlScript
ControlScripts are Python-based scripts which execute on the Avi Load Balancer Controllers. They are initiated by Alert Actions, which themselves are triggered by events within the system. Rather than alerting an admin that a specific event has occurred, the ControlScript can take specific action, such as altering the Avi Load Balancerconfiguration or sending a custom message to an external system, such as telling VMware’s vCenter to scale out more servers if the current servers have reached resource capacity and are incurring lowered health scores.
To create a ControlScript,
Navigate to
.Click Create. The New ControlScript screen appears.
Specify the Name for the ControlScript.
Specify the user defined alert action script in the text box provided or upload a
.py
fileClick Save.
ControlScripts are executed with limited privileges within the Linux subsystem of the Controller. The file system access will be read-only, thus you cannot create new files or modify any files or directories.
Exception: ControlScripts are allowed both read and write access to the /tmp
directory with a quota limit of 10 MB. Any file written in /tmp
is temporary and will be lost as soon as the ControlScript ends.
If you have a script that is needs to read the /etc/ssh/id_se
key file to login to the SEs as part of the control script logic, you must grant the control script access to that file. Copy the /etc/ssh/id_se
key file to /opt/avi/python/lib/avi/scripts/csshared/
.
Change the file permission to 600 and change ownership to avictlruser.
See standard Python documentation for examples and definitions of Python commands. Avi Load Balancer configuration changes may be made by API calls from Linux to Avi Load Balancer through standard API mechanisms.
There are two sets of variables that are passed onto the ControlScripts. These include:
Environment Variables
Script Arguments
Environment Variables
The following environment variables can be used within a ControlScript:
USER/ API_TOKEN
: Contains the user name and API token that can be used to authenticate with the Avi Load Balancer REST API.TENANT/ TENANT_UUID
: Contains the tenant context (name/ UUID) in which the ControlScript is executing.DOCKER_GATEWAY
: Contains the local IP address that the ControlScript can use to communicate with the Avi Load Balancer REST API.VERSION
: Contains the version of the Controller in which the ControlScript is executing.EVENT_DESCRIPTION
: Contains the description of the event that triggered the alert.
The below example shows the contents of these environment variables passed to a ControlScript on a Controller running release 21.1.4, retrieved in Python using os.environ()
.
{ "USER": "admin", "API_TOKEN": "60bc0fc8ece748c4f20f0eabf7a25eb6584af0aa", "TENANT": "admin", "TENANT_UUID": "admin", "DOCKER_GATEWAY": "172.17.0.1", "VERSION": "21.1.4", "EVENT_DESCRIPTION": "Config vs1 update status is success (performed by user admin)", }
The IP address passed in the DOCKER_GATEWAY environment variable must be used to access the Avi Load Balancer REST API.
Script Arguments
The arguments that are provided to the script are provided as an array in this format:
['/home/admin/{{ ALERT NAME }}' , '{{ ALERT DETAILS }}']
Alert Details
Alert details are provided as JSON data and can be parsed using JSON as json.loads(sys.argv[1])
. Here is the pretty print json of the data provided to the ControlScript:
{ "name": "System-CC-Alert-cluster-878226b4-ff2c-4e6b-a9a7-66aa58ad23f1-1580412633.0-1580412633-38875205", "throttle_count": 0, "level": "ALERT_LOW", "reason": "threshold_exceeded", "obj_name": "AWS", "threshold": 1, "events": [ { "event_id": "AWS_ACCESS_FAILURE", "event_details": { "aws_infra_details": { "vpc_id": "vpc-0617ccd15673817c0", "region": "eu-central-1", "error_string": "AuthFailure: AWS was not able to validate the provided access credentials\\n\\tstatus code: 401, request id: f22641cb-140b-4ff2-ab8d-0008a73c6fbf", "cc_id": "cloud-8a3e601b-d06d-4998-bc41-ac3004330066" } }, "obj_uuid": "cluster-878226b4-ff2c-4e6b-a9a7-66aa58ad23f1", "obj_name": "AWS", "report_timestamp": 1580412633 } ] }
If the size of the JSON data is more than 128kb, then it will be discarded.
Examples
To understand scripting, use the examples on how to use the values, given below:
Getting Data Passed to the ControlScript
#!/usr/bin/python # # NSX Advanced Load Balancer ControlScript # # This sample ControlScript will output the environment values, and alert # arguments that are passed from the alert that triggered the alert script. # You can use these values to help construct your python script actions to # handle the alert. # # import os import sys if __name__ == "__main__": print("Environment Vars: %s \n" % os.environ) print("Alert Arguments: %s \n" % sys.argv)
Sticky Pool Group
#!/usr/bin/python3 import os import sys import json from avi.sdk.avi_api import ApiSession import urllib3 import requests if hasattr(requests.packages.urllib3, 'disable_warnings'): requests.packages.urllib3.disable_warnings() if hasattr(urllib3, 'disable_warnings'): urllib3.disable_warnings() def ParseAviParams(argv): if len(argv) != 2: return alert_params = json.loads(argv[1]) print(str(alert_params)) return alert_params def get_api_token(): return os.environ.get('API_TOKEN') def get_api_user(): return os.environ.get('USER') def get_api_endpoint(): return os.environ.get('DOCKER_GATEWAY') or 'localhost' def get_tenant(): return os.environ.get('TENANT') def failover_pools(session, pool_uuid, pool_name, retries=5): if retries <= 0: return 'Too many retry attempts - aborting!' query = 'refers_to=pool:%s' % pool_uuid pg_result = session.get('poolgroup', params=query) if pg_result.count() == 0: return 'No pool group found referencing pool %s' % pool_name pg_obj = pg_result.json()['results'][0] highest_up_pool = None highest_down_pool = None for member in pg_obj['members']: priority_label = member['priority_label'] member_ref = member['pool_ref'] pool_runtime_url = ('%s/runtime/detail' % member_ref.split('/api/')[1]) pool_obj = session.get(pool_runtime_url).json()[0] if pool_obj['oper_status']['state'] == 'OPER_UP': if (not highest_up_pool or int(highest_up_pool[1]) < int(priority_label)): highest_up_pool = (member, priority_label, pool_obj['name']) elif (not highest_down_pool or int(highest_down_pool[1]) < int(priority_label)): highest_down_pool = (member, priority_label, pool_obj['name']) if not highest_up_pool: return ('No action required as all pools in the ' 'pool group are now down.') elif not highest_down_pool: return ('No action required as all pools in the ' 'pool group are now up.') if int(highest_down_pool[1]) <= int(highest_up_pool[1]): return ('No action required. The highest-priority available ' 'pool (%s) already has a higher priority than the ' 'highest-priority non-available pool (%s)' % (highest_up_pool[2], highest_down_pool[2])) highest_up_pool[0]['priority_label'] = highest_down_pool[1] highest_down_pool[0]['priority_label'] = highest_up_pool[1] p_result = session.put('poolgroup/%s' % pg_obj['uuid'], pg_obj) if p_result.status_code < 300: return ', '.join(['Pool %s priority changed to %s' % (p[0], p[1]) for p in ((highest_up_pool[2], highest_down_pool[1]), (highest_down_pool[2], highest_up_pool[1]))]) if p_result.status_code == 412: return failover_pools(session, pool_uuid, pool_name, retries - 1) return 'Error setting pool priority: %s' % p_result.text if __name__ == "__main__": alert_params = ParseAviParams(sys.argv) events = alert_params.get('events', []) if len(events) > 0: token = get_api_token() user = get_api_user() api_endpoint = get_api_endpoint() tenant = get_tenant() pool_uuid = events[0]['obj_uuid'] pool_name = events[0]['obj_name'] event_id = events[0]['event_id'] try: with ApiSession(api_endpoint, user, token=token, tenant=tenant) as session: result = failover_pools(session, pool_uuid, pool_name) except Exception as e: result = str(e) else: result = 'No event data for ControlScript' print(result) # Use with a ControlScript and Alert(s) to perform 'sticky' failover of pool groups. # # Alert should trigger on 'Pool Up' and 'Pool Down' events. #
Add Route to GCP SE
#!/usr/bin/python import sys, os, json, traceback, re, time from avi.sdk.avi_api import ApiSession from oauth2client.client import GoogleCredentials from googleapiclient import discovery ''' This ControlScript is executed on the Controller every time there is a CC_IP_ATTACHED or a CC_IP_DETACHED event. CC_IP_ATTACHED: Event is triggered when a VIP is attached to a SE CC_IP_DETACHED: Event is triggered when a VIP is detached from a SE, usually when a SE goes down or a scale in occurs The goal of this script is to add a route to GCP with the destination as the VIP and nextHopIp as the GCP instance IP on which the SE is running after a CC_IP_ATTACHED event. After a CC_IP_DETACHED event, the goal of the script is to remove the corresponding route. Script assumptions: 1) The Controller GCP instance has scope=compute-rw to be able to modify routes in GCP 2) 'description' field in the Service Engine Group is configured as a JSON encoded string containing GCP project, zone and network Event details contain the SE UUID and the VIP. 1) GET SE object from UUID and extract SE IP address (which is the same as the GCP instance IP address) and Service Engine Group link 2) GET Service Engine Group object. The 'description' field in the Service Engine Group is a JSON encoded string containing GCP project and network URL. Extract project and network from the 'description' field 3) Extract all routes matching destRange as VIP from GCP 4) If event is CC_IP_DETACHED, remove matching route with destRange as vip and nextHopIp as instance IP in the appr network If event is CC_IP_ATTACHED and no matching route exists already, add a new route with destRange as vip and nextHopIp as instance IP in appr network ''' def parse_avi_params(argv): if len(argv) != 2: return {} script_parms = json.loads(argv[1]) return script_parms def create_avi_endpoint(): token=os.environ.get('API_TOKEN') user=os.environ.get('USER') # tenant=os.environ.get('TENANT') return ApiSession.get_session(os.environ.get('DOCKER_GATEWAY'), user, token=token, tenant='admin') def google_compute(): credentials = GoogleCredentials.get_application_default() return discovery.build('compute', 'v1', credentials=credentials) def gcp_program_route(gcp, event_id, project, network, inst_ip, vip): # List all routes for vip result = gcp.routes().list(project=project, filter='destRange eq %s' % vip).execute() if (('items' not in result or len(result['items']) == 0) and event_id == 'CC_IP_DETACHED'): print(('Project %s destRange %s route not found' % (project, vip))) return if event_id == 'CC_IP_DETACHED': # Remove route for vip nextHop instance for r in result['items']: if (r['network'] == network and r['destRange'] == vip and r['nextHopIp'] == inst_ip): result = gcp.routes().delete(project=project, route=r['name']).execute() print(('Route %s delete result %s' % (r['name'], str(result)))) # Wait until done or retries exhausted if 'name' in result: start = int(time.time()) for i in range(0, 20): op_result = gcp.globalOperations().get(project=project, operation=result['name']).execute() print(('op_result %s' % str(op_result))) if op_result['status'] == 'DONE': if 'error' in result: print(('WARNING: Route delete had errors ' 'result %s' % str(op_result))) else: print(('Route delete done result %s' % str(op_result))) break if int(time.time()) - start > 20: print(('WARNING: Wait exhausted last op_result %s' % str(op_result))) break else: time.sleep(1) else: print('WARNING: Unable to obtain name of route delete ' 'operation') elif event_id == 'CC_IP_ATTACHED': # Add routes to instance # Route names can just have - and alphanumeric chars rt_name = re.sub('[./]+', '-', 'route-%s-%s' % (inst_ip, vip)) route = {'name': rt_name, 'destRange': vip, 'network': network, 'nextHopIp': inst_ip} result = gcp.routes().insert(project=project, body=route).execute() print(('Route VIP %s insert result %s' % (vip, str(result)))) def handle_cc_alert(session, gcp, script_parms): se_name = script_parms['obj_name'] print(('Event Se %s %s' % (se_name, str(script_parms)))) if len(script_parms['events']) == 0: print ('WARNING: No events in alert') return # GET SE object from Avi for instance IP address and SE Group link rsp = session.get('serviceengine?uuid=%s' % script_parms['events'][0]['event_details']['cc_ip_details']['se_vm_uuid']) if rsp.status_code in range(200, 299): se = json.loads(rsp.text) if se['count'] == 0 or len(se['results']) == 0: print(('WARNING: SE %s no results' % script_parms['events'][0]['event_details']['cc_ip_details']['se_vm_uuid'])) return inst_ip = next((v['ip']['ip_addr']['addr'] for v in se['results'][0]['mgmt_vnic']['vnic_networks'] if v['ip']['mask'] == 32 and v['mode'] != 'VIP'), '') if not inst_ip: print(('WARNING: Unable to find IP with mask 32 SE %s' % str(se['results'][0]))) return # GET SE Group object for GCP project, zones and network # https://localhost/api/serviceenginegroup/serviceenginegroup-99f78850-4d1f-4b7b-9027-311ad1f8c60e seg_ref_list = se['results'][0]['se_group_ref'].split('/api/') seg_rsp = session.get(seg_ref_list[1]) if seg_rsp.status_code in range(200, 299): vip = '%s/32' % script_parms['events'][0]['event_details']['cc_ip_details']['ip']['addr'] seg = json.loads(seg_rsp.text) descr = json.loads(seg.get('description', '{}')) project = descr.get('project', '') network = descr.get('network', '') if not project or not network: print(('WARNING: Project, Network is required descr %s' % str(descr))) return gcp_program_route(gcp, script_parms['events'][0]['event_id'], project, network, inst_ip, vip) else: print(('WARNING: Unable to retrieve SE Group %s status %d' % (se['results'][0]['se_group_ref'], seg_rsp.status_code))) return else: print(('WARNING: Unable to retrieve SE %s' % script_parms['events'][0]['obj_uuid'])) # Script entry if __name__ == "__main__": script_parms = parse_avi_params(sys.argv) try: admin_session = create_avi_endpoint() gcp = google_compute() handle_cc_alert(admin_session, gcp, script_parms) except Exception: print(('WARNING: Exception with Avi/Gcp route %s' % traceback.format_exc()))
Denial of Service Attack Handling
#!/usr/bin/python import sys, os, json from avi.sdk.avi_api import ApiSession ''' This control script will be executed in the Avi Controller when an alert due to a DOS_ATTACK event is generated. An example params passed to the control script dos-attack.py is as follows params = [u'/home/admin/Dos_Attack-l4vs', '{"name": "Dos_Attack-virtualservice-d1093604-e1f0-476a-ad91-01c5224c5641-1461261720.83-1461261716-77911185", "throttle_count": 0, "level": "ALERT_HIGH", "reason": "threshold_exceeded", "obj_name": "l4vs", "threshold": 1, "events": [ { "event_id": "DOS_ATTACK", "event_details": { "dos_attack_event_details": { "attack_count": 2150.0, "attack": "SYN_FLOOD", "ipgroup_uuids": [ "ipaddrgroup-f6883289-39fa-418f-94c2-3b8f8093cd7a" ], "src_ips": ["10.10.90.67"] } }, "obj_uuid": "virtualservice-d1093604-e1f0-476a-ad91-01c5224c5641", "obj_name": "l4vs", "report_timestamp": 1461261716 } ] }' ] The DOS_ATTACK event was generated due to a SYN_FLOOD from client 10.10.90.67. It was traffic to the Virtual Service : "l4vs". The offending client ip is added as NETWORK_SECURITY_POLICY_ACTION_TYPE_DENY in the network seurity policy for the virtual service ''' def ParseAviParams(argv): if len(argv) != 2: return alert_dict = json.loads(argv[1]) return alert_dict def create_avi_endpoint(): token=os.environ.get('API_TOKEN') user=os.environ.get('USER') # tenant=os.environ.get('TENANT') return ApiSession.get_session(os.environ.get('DOCKER_GATEWAY'), user, token=token, tenant='admin') def add_ns_rules_dos(session, dos_params): vs_name = dos_params['obj_name'] vs_uuid = '' client_ips = [] vs_name = dos_params['obj_name'] for event in dos_params['events']: vs_uuid = event['obj_uuid'] dos_attack_event_details = event['event_details']['dos_attack_event_details'] if dos_attack_event_details['attack'] != 'SYN_FLOOD': continue for ip in dos_attack_event_details['src_ips']: client_ips.append(ip) if len(client_ips) == 0: print ('DOS ATTACK is not SYN_FLOOD. Ignoring') return print('VS name : ' + vs_name + ' VS UUID : ' + vs_uuid + ' Client IPs : ' + str(client_ips)) ip_list = [] for ip in client_ips: ip_addr_obj = { 'addr' : ip, 'type' : 'V4' } ip_list.append(ip_addr_obj) match_obj = { 'match_criteria' : 'IS_IN', 'addrs' : ip_list } ns_match_target_obj = { 'client_ip' : match_obj } ns_rule_dos_obj = { 'enable' : True, 'log' : True, 'match' : ns_match_target_obj, 'action' : 'NETWORK_SECURITY_POLICY_ACTION_TYPE_DENY' } ns_policy_dos_obj = { 'vs_name' : vs_name, 'vs_uuid' : vs_uuid, 'rules' : [ ns_rule_dos_obj, ] } print('ns_policy_dos_obj : ' + str(ns_policy_dos_obj)) try : session.post(path='networksecuritypolicydos?action=block', data=ns_policy_dos_obj) except Exception as e: print(str(e)) print(('Added Client IPs ' + str(client_ips) + \ ' in the blocked list for VS : ' + vs_name)) if __name__ == "__main__": alert_dict = ParseAviParams(sys.argv) try : admin_session = create_avi_endpoint() except Exception as e: print('login failed to Avi Controller!' + str(e)) sys.exit(0) add_ns_rules_dos(admin_session, alert_dict)
Python Packages in ControlScript
NSX Advanced Load Balancer directly maps the libraries installed on the controller inside the controlscript container. Refer to the Supported Python Packages in Controlscript table for details of the controlscript libraries we support.
Package | Version |
---|---|
adal | 1.2.7 |
alabaster | 0.7.8 |
ampoule | 19.6.0 |
ansible | 2.9.13 |
appdirs | 1.4.4 |
astroid | 2.5 |
attrs | 23.2.0 |
Authlib | 0.15.3 |
autobahn | 0.9.2 |
Automat | 22.10.0 |
autopage | 0.5.2 |
awscli | 1.27.95 |
azure-common | 1.1.28 |
azure-core | 1.30.1 |
azure-mgmt-compute | 10.0.0 |
azure-mgmt-dns | 2.1.0 |
azure-mgmt-marketplaceordering | 0.2.1 |
azure-mgmt-monitor | 0.7.0 |
azure-mgmt-network | 8.0.0 |
azure-mgmt-nspkg | 3.0.2 |
azure-mgmt-resource | 7.0.0 |
azure-mgmt-storage | 7.1.0 |
azure-monitor | 0.3.0 |
azure-nspkg | 3.0.2 |
azure-storage-blob | 12.16.0 |
Babel | 2.14.0 |
backcall | 0.2.0 |
backoff | 1.6.0 |
bcrypt | 3.1.3 |
beautifulsoup4 | 4.8.1 |
bleach | 3.1.0 |
blinker | 1.4 |
blist | 1.3.6 |
boto | 2.49.0 |
boto3 | 1.26.95 |
botocore | 1.29.95 |
cachetools | 5.3.3 |
certifi | 2019.11.28 |
cffi | 1.14.0 |
chardet | 3.0.4 |
charset-normalizer | 3.3.2 |
cliff | 4.6.0 |
cloud-init | 23.1.2 |
CloudStack | 3.0.0.1 |
cmd2 | 0.8.0 |
colorama | 0.4.4 |
commentjson | 0.8.2 |
configobj | 5.0.6 |
configparser | 6.0.1 |
constantly | 23.10.4 |
coverage | 6.3.2 |
croniter | 1.0.15 |
cryptography | 3.4.7 |
datadiff | 1.1.5 |
dbus-python | 1.2.16 |
debtcollector | 3.0.0 |
decorator | 5.0.6 |
defusedxml | 0.7.1 |
dictdiffer | 0.9.0 |
distlib | 0.3.8 |
distro | 1.4.0 |
Django | 1.8.19 |
django-auth-ldap | 1.2.3 |
django-passwords | 0.3.12 |
django-pgjson | 0.3.1 |
djangorestframework | 2.2.4 |
djangosaml2 | 0.17.2 |
dnspython | 1.16.0 |
docker-py | 1.10.6 |
docker-pycreds | 0.4.0 |
dockerpty | 0.4.1 |
docopt | 0.6.2 |
docutils | 0.14 |
dogpile.cache | 1.3.2 |
elasticsearch | 5.5.3 |
elasticsearch-dsl | 5.1.0 |
elementpath | 4.4.0 |
et-xmlfile | 1.1.0 |
Fabric3 | 1.14.post1 |
filelock | 3.0.12 |
filemagic | 1.6 |
future | 0.18.2 |
GeoIP | 1.3.2 |
gevent | 1.4.0 |
google-api-python-client | 1.6.4 |
google-auth | 1.4.1 |
google-auth-httplib2 | 0.0.3 |
graphviz | 0.20.2 |
greenlet | 0.4.15 |
grpcio | 1.48.1 |
grpcio-tools | 1.18.0 |
html5lib | 1.0b10 |
httplib2 | 0.22.0 |
humanfriendly | 10 |
hyperlink | 21.0.0 |
idna | 2.6 |
igraph | 0.10.4 |
imagesize | 1.2.0 |
importlib-metadata | 7.0.2 |
importlib-resources | 6.3.1 |
incremental | 22.10.0 |
ipaddress | 1.0.23 |
iptools | 0.6.1 |
ipython | 7.21.0 |
iso8601 | 2.1.0 |
isodate | 0.6.1 |
isort | 5.13.2 |
jdcal | 1.4.1 |
jedi | 0.17.2 |
Jinja2 | 3.1.3 |
jmespath | 1.0.1 |
joblib | 1.3.2 |
jsondiff | 1.3.0 |
jsonpatch | 1.25 |
jsonpath-ng | 1.5.3 |
jsonpickle | 0.9.4 |
jsonpointer | 2.4 |
jsonschema | 3.2.0 |
keystoneauth1 | 5.6.0 |
kubernetes | 4.0.0 |
lark-parser | 0.12.0 |
lazr.restfulclient | 0.14.2 |
lazr.uri | 1.0.3 |
lazy-object-proxy | 1.10.0 |
llvmlite | 0.33.0 |
lxml | 5.1.0 |
M2Crypto | 0.31.0 |
manhole | 1.3.0 |
MarkupSafe | 2.1.5 |
mccabe | 0.6.1 |
monotonic | 1.6 |
more-itertools | 4.2.0 |
msgpack | 1.0.8 |
msgpack-python | 0.5.6 |
msrest | 0.7.1 |
msrestazure | 0.6.4 |
nclib | 0.8.3 |
netaddr | 0.7.18 |
netifaces | 0.11.0 |
networkx | 1.11 |
ntlm-auth | 1.5.0 |
numba | 0.50.1 |
numpy | 1.24.4 |
oauth2client | 4.1.3 |
oauthlib | 2.1.0 |
objgraph | 3.4.0 |
oci | 2.1.4 |
openpyxl | 2.4.7 |
openshift | 0.4.4 |
openstacksdk | 3.0.0 |
os-client-config | 2.1.0 |
os-service-types | 1.7.0 |
osc-lib | 3.0.1 |
oslo.config | 9.4.0 |
oslo.context | 5.5.0 |
oslo.i18n | 6.3.0 |
oslo.log | 3.36.0 |
oslo.serialization | 5.4.0 |
oslo.utils | 7.1.0 |
packaging | 24 |
pandas | 0.25.3 |
paramiko | 2.6.0 |
parse | 1.20.1 |
parso | 0.7.1 |
passlib | 1.7.2 |
pbr | 6.0.0 |
pexpect | 4.8.0 |
pickleshare | 0.7.5 |
pip | 20.0.2 |
platformdirs | 4.2.0 |
ply | 3.11 |
podman | 3.1.2.4 |
prettytable | 0.7.2 |
prompt-toolkit | 3.0.5 |
protobuf | 3.13.0 |
psutil | 5.7.2 |
psycopg2 | 2.8.4 |
ptyprocess | 0.7.0 |
py-radix | 0.10.0 |
py-zabbix | 1.1.5 |
pyasn | 1.5.0b6 |
pyasn1 | 0.4.7 |
pyasn1-modules | 0.3.0 |
pycparser | 2.21 |
pygments | 2.17.2 |
PyGObject | 3.36.0 |
pyhamcrest | 2.1.0 |
pyinotify | 0.9.6 |
PyJWT | 1.6.4 |
pykerberos | 1.2.4 |
pylint | 2.6.0 |
pylru | 1.0.6 |
PyNaCl | 1.5.0 |
pyOpenSSL | 19.0.0 |
pyparsing | 2.4.7 |
pyperclip | 1.8.2 |
pyrsistent | 0.20.0 |
pysaml2 | 7.3.1 |
pyserial | 3.4 |
pysphere | 0.1.7 |
python-apt | 2.0.1 |
ubuntu | 0.20.4.1 |
python-cinderclient | 9.5.0 |
python-dateutil | 2.7.3 |
python-glanceclient | 2.13.0 |
python-heatclient | 1.13.0 |
python-igraph | 0.8.0 |
python-iptables | 0.14.0 |
python-keystoneclient | 3.17.0 |
python-ldap | 3.4.4 |
python-neutronclient | 6.7.0 |
python-novaclient | 11.0.1 |
python-openstackclient | 3.16.3 |
python-string-utils | 1.0.0 |
python-swiftclient | 4.5.0 |
python3-saml | 1.9.0 |
pytz | 2019.3 |
pyvcloud | 21.0.1 |
pyvmomi | 6.7.3 |
pyxdg | 0.28 |
PyYAML | 6.0.1 |
queuelib | 1.2.2 |
redis | 2.10.6 |
requests | 2.31.0 |
requests-kerberos | 0.12.0 |
requests-ntlm | 1.1.0 |
requests-oauthlib | 1.1.0 |
requests-toolbelt | 0.8.0 |
requests-unixsocket | 0.1.5 |
requestsexceptions | 1.4.0 |
rfc3986 | 2.0.0 |
roman | 2.0.0 |
rsa | 4.5 |
ruamel.yaml | 0.18.6 |
ruamel.yaml.clib | 0.2.8 |
s3transfer | 0.3.0 |
scapy | 2.4.3 |
scikit-learn | 0.23.1 |
scipy | 1.10.1 |
scp | 0.14.5 |
service-identity | 21.1.0 |
setuptools | 49.1.0 |
simplejson | 3.19.2 |
six | 1.16.0 |
soupsieve | 2.5 |
Sphinx | 1.8.5 |
spyne | 2.13.11a0 |
SQLAlchemy | 1.4.44 |
stevedore | 5.2.0 |
stopit | 1.1.2 |
subprocess32 | 3.5.4 |
suds-community | 0.8.4 |
tabulate | 0.8.5 |
tbb | 2021.11.0 |
texttable | 1.7.0 |
threadpoolctl | 3.3.0 |
toml | 0.10.2 |
traitlets | 5.14.2 |
Twisted | 19.10.0 |
typing-extensions | 4.10.0 |
ua-parser | 0.3.5 |
ufw | 0.36 |
ujson | 1.35 |
umap-learn | 0.4.4 |
unittest-xml-reporting | 3.2.0 |
uritemplate | 3.0.1 |
urllib3 | 1.26.15 |
uWSGI | 2.0.18 |
uwsgitop | 0.11 |
virtualenv | 20.0.23 |
wadllib | 1.3.3 |
WALinuxAgent | 2.2.46 |
warlock | 1.3.3 |
wcwidth | 0.2.13 |
webencodings | 0.5.1 |
websocket-client | 0.40.0 |
wrapt | 1.16.0 |
wsgi-intercept | 1.9.2 |
XlsxWriter | 0.9.6 |
xmlschema | 3.1.0 |
xmlsec | 1.3.13 |
xmltodict | 0.9.0 |
zipp | 3.18.1 |
zope.interface | 4.7.0 |