Passed
Push — master ( 127cfb...14f54d )
by Vinicius
02:06 queued 12s
created

build.controllers   A

Complexity

Total Complexity 10

Size/Duplication

Total Lines 106
Duplicated Lines 0 %

Test Coverage

Coverage 100%

Importance

Changes 0
Metric Value
eloc 72
dl 0
loc 106
ccs 37
cts 37
cp 1
rs 10
c 0
b 0
f 0
wmc 10

6 Methods

Rating   Name   Duplication   Size   Complexity  
A LivenessController.__init__() 0 5 2
A LivenessController.get_enabled_interfaces() 0 7 1
A LivenessController.bootstrap_indexes() 0 8 3
A LivenessController.enable_interfaces() 0 6 1
A LivenessController.disable_interfaces() 0 6 1
A LivenessController.upsert_interfaces() 0 31 2
1
"""LivenessController."""
2
3
# pylint: disable=invalid-name
4 1
import os
5 1
from datetime import datetime
6 1
from typing import List
7
8 1
import pymongo
9 1
from pymongo.errors import AutoReconnect
10 1
from pymongo.operations import UpdateOne
11 1
from tenacity import retry_if_exception_type, stop_after_attempt, wait_random
12
13 1
from kytos.core import log
14 1
from kytos.core.db import Mongo
15 1
from kytos.core.retry import before_sleep, for_all_methods, retries
16
17 1
from ..db.models import LivenessDoc
18
19
20 1
@for_all_methods(
21
    retries,
22
    stop=stop_after_attempt(
23
        int(os.environ.get("MONGO_AUTO_RETRY_STOP_AFTER_ATTEMPT", 3))
24
    ),
25
    wait=wait_random(
26
        min=int(os.environ.get("MONGO_AUTO_RETRY_WAIT_RANDOM_MIN", 0.1)),
27
        max=int(os.environ.get("MONGO_AUTO_RETRY_WAIT_RANDOM_MAX", 1)),
28
    ),
29
    before_sleep=before_sleep,
30
    retry=retry_if_exception_type((AutoReconnect,)),
31
)
32 1
class LivenessController:
33
    """LivenessController."""
34
35 1
    def __init__(self, get_mongo=lambda: Mongo()) -> None:
0 ignored issues
show
Comprehensibility Best Practice introduced by
The variable Mongo does not seem to be defined.
Loading history...
36
        """LivenessController."""
37 1
        self.mongo = get_mongo()
38 1
        self.db_client = self.mongo.client
39 1
        self.db = self.db_client[self.mongo.db_name]
40
41 1
    def bootstrap_indexes(self) -> None:
42
        """Bootstrap all topology related indexes."""
43 1
        index_tuples = [
44
            ("liveness", [("enabled", pymongo.ASCENDING)]),
45
        ]
46 1
        for collection, keys in index_tuples:
47 1
            if self.mongo.bootstrap_index(collection, keys):
48 1
                log.info(f"Created DB index {keys}, collection: {collection})")
49
50 1
    def get_enabled_interfaces(self) -> List[dict]:
51
        """Get enabled liveness interfaces from DB."""
52 1
        return self.db.liveness.aggregate(
53
            [
54
                {"$match": {"enabled": True}},
55
                {"$sort": {"_id": 1}},
56
                {"$project": {"_id": 0}},
57
            ]
58
        )
59
60 1
    def upsert_interfaces(
61
        self,
62
        interface_ids: List[str],
63
        interface_dicts: List[dict],
64
        upsert=True,
65
    ) -> int:
66
        """Update or insert liveness interfaces."""
67 1
        utc_now = datetime.utcnow()
68 1
        ops = []
69 1
        for interface_id, interface_dict in zip(
70
            interface_ids, interface_dicts
71
        ):
72 1
            model = LivenessDoc(
73
                **{
74
                    **interface_dict,
75
                    **{"_id": interface_id, "updated_at": utc_now},
76
                }
77
            )
78 1
            payload = model.dict(exclude={"inserted_at"}, exclude_none=True)
79 1
            ops.append(
80
                UpdateOne(
81
                    {"_id": interface_id},
82
                    {
83
                        "$set": payload,
84
                        "$setOnInsert": {"inserted_at": utc_now},
85
                    },
86
                    upsert=upsert,
87
                )
88
            )
89 1
        response = self.db.liveness.bulk_write(ops)
90 1
        return response.upserted_count or response.modified_count
91
92 1
    def enable_interfaces(self, interface_ids: List[str]) -> int:
93
        """Enable liveness interfaces."""
94 1
        return self.upsert_interfaces(
95
            interface_ids,
96
            [{"enabled": True} for _ in interface_ids],
97
            upsert=True,
98
        )
99
100 1
    def disable_interfaces(self, interface_ids: List[str]) -> int:
101
        """Disable liveness interfaces."""
102 1
        return self.upsert_interfaces(
103
            interface_ids,
104
            [{"enabled": False} for _ in interface_ids],
105
            upsert=False,
106
        )
107