CenturyLink Managed Services Anywhere Python Utilities
Project description
Getting Started
To install the clc_msa_utils package, use the command below.:
pip3 install clc_msa_utils
KVStore
This is a utility class that abstracts loading a configuration from Consul or ETCD. This class supports perodically reloading the configuration from the configured key-value store, and notifying a callback method after reloading. The following may be passed into the constructor, or pulled from env variables:
Constructor Arg |
Environment Variable |
Description |
Default |
|---|---|---|---|
consul_host |
CONSUL_HOST |
Host for Consul |
None |
consul_port |
CONSUL_PORT |
Port for Consul |
8500 |
etcd_host |
ETCD_HOST |
Host for etcd |
localhost |
etcd_port |
ETCD_PORT |
Port for etcd |
2379 |
kv_prefix |
KV_PREFIX |
Prefix for config path |
“” |
reload_seconds |
RELOAD_CONFIG_PERIOD |
Seconds between config reloads |
20 |
reload_enabled |
RELOAD_ENABLED |
If true, reloads the config periodically. |
False |
TODO: Future Features
Nested Configurations: Will enable you specify a list of prefixes to use to overlay configuration values.
Example Usage
1from clc_msa_utils.kv_store import KVStore23# Create config store4kv_store = KVStore(5kv_prefix=os.getenv('CONSUL_PREFIX') or os.getenv('ETCD_PREFIX', '/config/retry-listener'),6reload_enabled=True7)89# Setup on_reload handler10def initialize():11kv_store.on_reload(dynamic_configuration)1213# Implement reload handler to check if attributes changed, and then perform some logic.14def dynamic_configuration(old, new):15if not old or old.get('exchange_configs') != new.get('exchange_configs') \16or kv_store.attribute_changed("rabbit_host","rabbit_port","rabbit_user","rabbit_password","rabbit_queue_name"):17setup_queue()1819# Use kv_store to pull configuration values.20def setup_queue():21rabbit_host = kv_store.get('rabbit_host', 'localhost')22rabbit_port = int(kv_store.get('rabbit_port', 5672))
LogManager
This is a utility class that uses a KVStore to configure the python logging facility. It uses KVStore’s dynamic ability to reload its configuration to update Python’s logging facility.
Constructor Arg |
Description |
Default |
|---|---|---|
kv_store |
Backing KVStore used to configure logging. |
None/Required |
KVStore configurations relative to the kv_prefix
Key |
Description |
Default |
|---|---|---|
logging_filename |
The file where logs are written. |
None (Std Out) |
logging_filemode |
The file mode if a filename is specified |
None |
logging_format |
The format of the logging line |
[%(threadName)s] %(asctime)s - %(levelname)s - %(name)s - %(message)s |
logging_datefmt |
The date format of the date written |
%m/%d/%Y %I:%M:%S %p |
logging_level |
Root logging Level |
INFO |
logging_config/log_name_1 |
Logging level for <log_name_1> |
None |
logging_config/log_name_2 |
Logging level for <log_name_2> |
None |
logging_config/log_name_n |
Logging level for <log_name_n> |
None |
Example Usage
Here are the available configurations for logging provided by KVStore using an example of /config/local_config
{
"config" : {
"local_config" : {
"logging_level": "INFO",
"logging_config": {
"default": "DEBUG",
"KVStore": "DEBUG",
"LogManager": "DEBUG"
}
}
}
}
1from clc_msa_utils.kv_store import KVStore2from clc_msa_utils.log_manager import LogManager34kv_store = KVStore(5kv_prefix=os.getenv('CONSUL_PREFIX') or6os.getenv('ETCD_PREFIX') or7os.getenv('KV_PREFIX', '/config/local_config'),8reload_enabled=True9)1011log_manager = LogManager(kv_store=kv_store)
QueueFactory
This is a utility class that abstracts the creation of Queue Producers and Queue Consumers/Listeners. The producers and consumers are constructed based on a configuration passed into their respective methods as a parameter. The following is an example JSON configuration of a Queue Consumer configuration that could be stored in a key-value store such as ETCD or Consul. Notice that the queue_config attribute is an array and can be all of the necessary configuration for both your Consumer and Producers.
{
"queue_config": [
{
"name": "make_managed_request",
"type": "consumer",
"exchange": {
"name": "managed_server",
"type": "x-delayed-message",
"arguments": {"x-delayed-type": "topic"},
"durable": true
},
"queue": "make_managed_mos_cmdb",
"binding_key": "requested.make_managed",
"host": "rabbitmq.managed-services-dev.skydns.local",
"port": "5672",
"auth": {
"user": "guest",
"password": "guest"
}
}
]
}
Example Usage
1from clc_msa_utils.queueing import QueueFactory23# Get config (eg. from kv_store)4queue_config = kv_store.get('queue-config')56# Initialize QueueFactory7q_factory = QueueFactory()89# Generate Queue Consumers (QueueConsumer)10consumers = q_factory.create_consumers(queue_config)1112# Generate Queue Producers (QueueProducer)13producers = q_factory.create_producers(queue_config)1415# Retrieve and use consumer based on name configured16consumers['make_managed_request'].listen(callback_function)1718# Retrieve and use producer based on name configured19producers['error'].publish({"error_details": "message about how you messed things up..."})20212223def callback_function(ch, method, properties, body):24...
Multi-Threaded Example
1queue_factory = None23def setup_queue:45# If the queue_factory was already created, stop_consuming.6# Clean up the existing connections before creating new ones7# on a configuration change.8if queue_factory:9queue_factory.stop_consuming()1011# Create one configuration per thread, with a unique name for each.12queue_factory_config = {13"queue_config": []14}1516amqp_connections = int(kv_store.get('amqp_connections', '10'))17x = 01819while x < amqp_connections:20queue_config = {21"name": "notify_worker_thread_" + str(x),22"type": "consumer",23"queue": "my_queue",24"host": "localhost",25"port": "5672",26"exchange": {27"name": "managed_server",28"type": "x-delayed-message",29"arguments": {"x-delayed-type": "topic"},30"durable": true31},32"auth": {33"user": "guest",34"password": "guest"35}36}3738queue_factory_config["queue_config"].append(queue_config)39x = x + 14041# Create the QueueFactory, and pass in the configuration and worker function.42queue_factory = QueueFactory()43queue_factory.create_consumers(queue_factory_config)44queue_factory.start_consuming(do_work)4546# Wait for all threads to stop before stopping the main thread.47for queue_consumer in queue_factory.consumers():48queue_consumer.thread().join()4950...5152def do_work(ch, method, properties, body):53# Worker code goes here54pass
QueueWorker
This is a utility class that creates a KVStore, LogManager, configures exchanges and queues, and starts consuming. This class also supports multi-threaded queue consumers, specified by the amqp connections. It also provides convenience methods to publish success messages, error messages, and will handle catching and reporting exceptionswithout writing code in the callback method, and acknowldge the message when done.
Here are the parameters available when creating a QueueWorker
Parameter |
Description |
Default |
|---|---|---|
consul_host |
Consul host used to initialize the KVStore. |
None |
consul_port |
Consul port used to initialize the KVStore. |
None |
etcd_host |
Etcd host used to initialize the KVStore. |
None |
etcd_port |
Etcd port used to initialize the KVStore. |
None |
kv_prefix |
The prefix used to initialize the KVStore. |
None |
rabbit_host_key |
The key in the kv store that contains the RabbitMQ Host. |
rabbit_host |
rabbit_port_key |
The key in the kv store that contains the RabbitMQ Port |
rabbit_port |
rabbit_user_key |
The key in the kv store that contains the RabbitMQ User |
rabbit_user |
rabbit_password_key |
The key in the kv store that contains the RabbitMQ Password |
rabbit_password |
amqp_connection_key |
The key in the kv store that contains the number of connections to RabbitMQ |
amqp_connections |
listen_exchange_key |
The key in the kv store that contains the exchange to publish to listen on when consuming messages |
exchange |
listen_routing_key_key |
The key in the kv store that contains the routing key to bind to when consuming messages. |
listen_routing_key |
queue_name_key |
The key in the kv store that contains the queue name to listen on when consuming messages |
queue |
done_exchange_key |
The key in the kv store that contains the exchange to publish to on success |
done_exchange |
done_routing_key_key |
The key in the kv store that contains the routing key to publish to on success. |
done_routing_key |
error_exchange_key |
The key in the kv store that contains the exchange to publish to on error |
error_exchange |
error_routing_key_key |
The key in the kv store that contains the routing key to publish to on error. |
error_routing_key |
data_key_on_error_payload |
The key in the kv store that contains the key in the error payload when publishing to the error exchange. |
data |
initialize_log_manager |
When true, creates a LogManager using the kv store created or specified |
True |
kv_store |
When specigfied, this kv_store is used instead of creating a new one. |
None |
rabbit_host_default |
The default value of the RabbitMQ Host. |
localhost |
rabbit_port_default |
The default value of the RabbitMQ Port |
5672 |
rabbit_user_default |
The default value of the RabbitMQ User |
guest |
rabbit_password_default |
The default value of the RabbitMQ Password |
guest |
amqp_connection_default |
The default value of the number of connections to RabbitMQ |
10 |
listen_exchange_default |
The default value of the exchange to publish to listen on when consuming messages |
main_exchange |
listen_routing_key_default |
The default value of the routing key to bind to when consuming messages. |
listen.key |
queue_name_default |
The default value of the queue name to listen on when consuming messages |
default_queue |
done_exchange_default |
The default value of the exchange to publish to on success |
main_exchange |
done_routing_key_default |
The default value of the routing key to publish to on success. |
done.key |
error_exchange_default |
The default value ofthe exchange to publish to on error |
error_exchange |
error_routing_key_default |
The default value of the routing key to publish to on error. |
error.key |
Example Usage
worker.py
1import logging2import time34from clc_msa_utils.queueing import QueueWorker56logger = logging.getLogger("default")78unregister_queue_worker = QueueWorker(9kv_prefix=os.getenv("ETCD_PREFIX", "/config/billing-listener"),1011# Rabbit Connection Info12rabbit_host_key="rabbit_host", rabbit_host_default="rabbitmq.rabbitmq",13rabbit_port_key="rabbit_port", rabbit_port_default=15672,14rabbit_user_key="rabbit_user", rabbit_user_default="guest",15rabbit_password_key="rabbit_password", rabbit_password_default="guest",16amqp_connection_key="amqp_connection_count", amqp_connection_default=10,1718# Listen Config19listen_exchange_key="main_exchange", listen_exchange_default="managed_server",20listen_routing_key_key="main_exchange_stop_billing_routing_key", listen_routing_default="requested.make_unmanaged",21queue_name_key="rabbit_stop_billing_queue_name", queue_name_default="stop_billing",2223# Done Config24done_exchange_key="main_exchange", done_exchange_default="managed_server",25done_routing_key_key="main_exchange_done_stop_billing_routing_key",26done_routing_key_default="billing.make_unmanaged",2728# Error Config29error_exchange_key="dead_letter_exchange", error_exchange_default="managed_server_error",30error_routing_key_key="dead_letter_exchange_stop_billing_routing_key",31error_routing_key_default="monitoring_config.make_managed",32data_key_on_error_payload="server")3334# Use the same kv_store as above, and don't initialize another log_manager35register_queue_worker = QueueWorker(36# Rabbit Connection Info37rabbit_host_key="rabbit_host", rabbit_host_default="rabbitmq.rabbitmq",38rabbit_port_key="rabbit_port", rabbit_port_default=15672,39rabbit_user_key="rabbit_user", rabbit_user_default="guest",40rabbit_password_key="rabbit_password", rabbit_password_default="guest",41amqp_connection_key="amqp_connection_count", amqp_connection_default=10,4243# Listen Config44listen_exchange_key="main_exchange", listen_exchange_default="managed_server",45listen_routing_key_key="main_exchange_routing_key", listen_routing_default="requested.make_managed",46queue_name_key="rabbit_queue_name", queue_name_default="start_billing",4748# Done Config49done_exchange_key="main_exchange", done_exchange_default="managed_server",50done_routing_key_key="main_exchange_done_routing_key", done_routing_key_default="billing.make_managed",5152# Error Config53error_exchange_key="dead_letter_exchange", error_exchange_default="managed_server_error",54error_routing_key_key="dead_letter_exchange_routing_key", error_routing_key_default="billing.make_managed",55data_key_on_error_payload="server",5657# Reuse configs58initialize_log_manager=False, kv_store=unregister_queue_worker.kv_store())5960# Use the same kv_store for my configurations.61kv_store=unregister_queue_worker.kv_store()6263# Use all defaults.64all_defaults_queue_worker = QueueWorker(rabbit_host_default="rabbitmq.rabbitmq")656667# Initializes the listener68def initialize():69logger.debug("Initializing worker...")7071# Register the callbacks with the queue workers, this initializes the worker and starts consuming.72register_queue_worker.set_callback(register_listener)73unregister_queue_worker.set_callback(unregister_listener)74all_defaults_queue_worker.set_callback(all_defaults_listener)7576logger.debug("Done Initializing worker")777879def register_listener(ch, method, properties, body):80_do_work(ch, method, properties, body, "register", register_queue_worker)818283def unregister_listener(ch, method, properties, body):84_do_work(ch, method, properties, body, "unregister", unregister_queue_worker)858687def all_defaults_listener(ch, method, properties, body):88_do_work(ch, method, properties, body, "all_defaults", all_defaults_queue_worker)899091def _do_work(ch, method, properties, body, task_name, queue_worker, sleep_seconds=8):92logger.info("[{0}] Received the following message: {1}".format(task_name, body.decode("utf-8")))93logger.info("[{0}] Pretending to do something for {1} seconds...".format(task_name, str(sleep_seconds)))9495time.sleep(sleep_seconds)9697logger.info("[{0}] Done pretending to do something. ".format(task_name, str(sleep_seconds)))9899payload = {100"task_name": task_name,101"sleep_seconds": sleep_seconds,102"original_message": body.decode("utf-8"),103"properties": properties,104"method": method105}106107# No need to catch an error, the QueueWorker will publish the error for you.108# The error message will contain 'Exception: Raising an error.', the error_details and109# errorDetails will contain the stack trace, and the `data_key_on_error_payload` property will contain the110# original payload.111if "error" in str(body.decode("utf-8")):112raise Exception("Raising an error.")113114# Publish a success message, propagating the properties115queue_worker.publish_success(payload, properties)116117# If I need to manually publish an error message, there is a method to do so.118queue_worker.publish_error(payload)119120# Queue worker acknowledges the message, so need to do is here!121logger.info("[{0}] Acknowledged that I am done pretending to do something.".format(task_name))122123124if __name__ == '__main__':125initialize()
worker_UT.py
1import unittest2import worker345class WorkerTests(unittest.TestCase):67def setUp(self):8pass910def tearDown(self):11# Stop reloading so the test will end.12worker.kv_store.disable_reloading()1314def test_something(self):15pass
utils.dict_replace_empty_values()
This utility method removes or replaces empty strings in a dictionary. Optionally, you may also replace None values.
positional parameters
The dictionary to process
arguments
process_none_values: When true, replace or remove attributes that have a value of None/Null, default=False
clone_dict: When true clones the input dictionary, processes it, and returns the clone leaving the original untouched, default=False
remove_values: When true, removes attributes that are empty or optionally None, default=False
replace_with: The replacement value, default=None
replace_float_with_decimal: The replacement value, default=None
Example Usage
1from utils import dict_replace_empty_values23def process_dict(my_dict):4# Return a clone of my_dict removing None values and empty strings.5dict_a = dict_replace_empty_values(my_dict,6process_none_values=True,7clone_dict=True,8remove_values=True)910# Return a clone of my_dict replacing None values and empty strings with "EMPTY".11dict_b = dict_replace_empty_values(my_dict,12process_none_values=True,13clone_dict=True,14replace_with="EMPTY")1516# Return a clone of my_dict replacing None values and empty strings with "EMPTY", and replace floats with decimal.17dict_c = dict_replace_empty_values(my_dict,18process_none_values=True,19clone_dict=True,20replace_with="EMPTY",21replace_float_with_decimal=True)
utils.log_dict_types()
Logs the type for every attribute in the specified dictionary.
positional parameters
The dictionary for which to log types
arguments
types: Which types to show, else show all, default=None,
use_logger: The logger uto use, default=logger
utils.dig()
Safely retrieves the value of a deeply nested dictionary property. If the path doesn’t exist, None is returned. If no keys are specified, obj is returned. No exception will be thrown if any key doesn’t exist.
positional parameters
The dictionary for which to log types
list of keys
Example Usage
1# For countries={"USA":{"MO":"Missouri"}} returns Missouri2# For countries={"USA":{"KS":"Kansas"}} returns None3dig(countries, "USA", "MO")45# Returns 16dig(1)78# Returns None9dig(1, "a", "b")
Project details
Release history Release notifications | RSS feed
Download files
Download the file for your platform. If you're not sure which to choose, learn more about installing packages.
Source Distribution
File details
Details for the file clc_msa_utils-0.12.0b1.tar.gz.
File metadata
- Download URL: clc_msa_utils-0.12.0b1.tar.gz
- Upload date:
- Size: 32.8 kB
- Tags: Source
- Uploaded using Trusted Publishing? No
- Uploaded via: twine/3.6.0 importlib_metadata/4.8.2 pkginfo/1.8.1 requests/2.26.0 requests-toolbelt/0.9.1 tqdm/4.62.3 CPython/3.9.9
File hashes
| Algorithm | Hash digest | |
|---|---|---|
| SHA256 |
a344167ed2ecdabd01f44cb6cb66cea8ddc37381e3056e631f49b29db09540cb
|
|
| MD5 |
a0b13aa9c7989c667487e7e98633e5e4
|
|
| BLAKE2b-256 |
f190d970026c6fb96897fc04f65ca9b3441ead877bd48bb5c7f2d6b4360a369e
|