File: _base.py

package info (click to toggle)
python-proton-core 0.4.0-3
  • links: PTS, VCS
  • area: main
  • in suites: forky, sid, trixie
  • size: 540 kB
  • sloc: python: 3,574; makefile: 15
file content (124 lines) | stat: -rw-r--r-- 4,438 bytes parent folder | download
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
"""
Copyright (c) 2023 Proton AG

This file is part of Proton.

Proton is free software: you can redistribute it and/or modify
it under the terms of the GNU General Public License as published by
the Free Software Foundation, either version 3 of the License, or
(at your option) any later version.

Proton is distributed in the hope that it will be useful,
but WITHOUT ANY WARRANTY; without even the implied warranty of
MERCHANTABILITY or FITNESS FOR A PARTICULAR PURPOSE.  See the
GNU General Public License for more details.

You should have received a copy of the GNU General Public License
along with ProtonVPN.  If not, see <https://www.gnu.org/licenses/>.
"""
import re
from typing import Union
from proton.loader import Loader


class Keyring:
    """Base class for keyring implementations.

    Keyrings emulate a dictionary, with:

    * keys: lower case alphanumeric strings (dashes are allowed)
    * values: JSON-serializable list or dictionary.
    """
    def __init__(self):
        pass

    @classmethod
    def get_from_factory(cls, backend: str = None) -> "Keyring":
        """
            :param backend: Optional.
                Specific backend name.

        If backend is passed then it will attempt to get that specific
        backend, otherwise it will attempt to get the default backend.
        The definition of default is as follows:

         - The backend passes the `_validate()`
         - The backend with the highest `_get_priority()` value
        :raises RuntimeError: if there's no available backend
        """
        keyring_backend = Loader.get("keyring", class_name=backend)

        return keyring_backend()

    def __getitem__(self, key: str):
        """Get an item from the keyring

        :param key: Key (lowercaps alphanumeric, dashes are allowed)
        :type key: str
        :raises TypeError: if key is not of valid type
        :raises ValueError: if key doesn't satisfy constraints
        :raises KeyError: if key does not exist
        :raises KeyringLocked: if keyring is locked when it shouldn't be
        :raises KeyringError: if there's something broken with keyring
        """
        self._ensure_key_is_valid(key)
        return self._get_item(key)

    def __delitem__(self, key: str):
        """Remove an item from the keyring

        :param key: Key (lowercaps alphanumeric, dashes are allowed)
        :type key: str
        :raises TypeError: if key is not of valid type
        :raises ValueError: if key doesn't satisfy constraints
        :raises KeyError: if key does not exist
        :raises KeyringLocked: if keyring is locked when it shouldn't be
        :raises KeyringError: if there's something broken with keyring
        """
        self._ensure_key_is_valid(key)
        self._del_item(key)

    def __setitem__(self, key: str, value: Union[dict, list]):
        """Add or replace an item in the keyring

        :param key: Key (lowercaps alphanumeric, dashes are allowed)
        :type key: str
        :param value: Value to set. It has to be json-serializable.
        :type value: dict or list
        :raises TypeError: if key or value is not of valid type
        :raises ValueError: if key or value doesn't satisfy constraints
        :raises KeyringLocked: if keyring is locked when it shouldn't be
        :raises KeyringError: if there's something broken with keyring
        """
        self._ensure_key_is_valid(key)
        self._ensure_value_is_valid(value)
        self._set_item(key, value)

    def _get_item(self, key: str):
        raise NotImplementedError

    def _del_item(self, key: str):
        raise NotImplementedError

    def _set_item(self, key: str, value: Union[dict, list]):
        raise NotImplementedError

    def _ensure_key_is_valid(self, key):
        """Ensure key satisfies requirements"""
        if type(key) != str:
            raise TypeError(f"Invalid key for keyring: {key!r}")
        if not re.match(r'^[a-z0-9-]+$', key):
            raise ValueError("Keyring key should be alphanumeric")

    def _ensure_value_is_valid(self, value):
        """Ensure value satisfies requirements"""
        if not isinstance(value, dict) and not isinstance(value, list):
            raise TypeError(f"Provided value {value} is not a valid type (expect dict or list)")

    @classmethod
    def _get_priority(cls) -> int:
        return None

    @classmethod
    def _validate(cls):
        return False