-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathbase_auth.py
179 lines (143 loc) · 6.07 KB
/
base_auth.py
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
import time
import jwt
from ..utils.app_config import AppConfig, ConfigUtils
SUPPORTED_IDPS = {
"okta": "src.auth.okta_auth.OktaAuth",
"entra-id": "src.auth.entra_auth.EntraAuth",
"cognito": "src.auth.cognito_auth.CognitoAuth",
# Add other IdPs here, e.g., 'google': 'auth_google.AuthGoogle',
}
class BaseAuth:
"""
Base authentication class providing basic functionalities for handling
authentication configurations and token operations.
"""
def __init__(self, config_manager: AppConfig):
"""
Initializes the BaseAuth class with an external configuration manager.
Args:
config_manager (AppConfig): The configuration manager instance that handles file operations.
"""
self.token = {}
self.config_manager = config_manager
def configure(self, **kwargs):
"""
Configures authentication parameters. Prompts for token exchange URL if not provided.
Args:
**kwargs: Arbitrary keyword arguments, expected to contain 'token_exchange_url'.
"""
token_exchange_application_arn = kwargs.get("token_exchange_application_arn")
if token_exchange_application_arn is None or kwargs.get("force_prompt_config"):
token_exchange_application_arn = input(
"Enter AWS Identity Center customer managed application ARN: "
)
self.config_manager.config["token_exchange_application_arn"] = (
token_exchange_application_arn
)
oidc_role_arn = kwargs.get("oidc_role_arn")
if oidc_role_arn is None or kwargs.get("force_prompt_config"):
oidc_role_arn = input(
"Enter the IAM Role ARN for the initial Identity Center token exchange with your trusted IdP: "
)
self.config_manager.config["oidc_role_arn"] = oidc_role_arn
id_enhanced_role_arn = kwargs.get("id_enhanced_role_arn")
if id_enhanced_role_arn is None or kwargs.get("force_prompt_config"):
id_enhanced_role_arn = input(
"Enter the IAM Role ARN to be used to create the identity-enhanced IAM role session: "
)
self.config_manager.config["id_enhanced_role_arn"] = id_enhanced_role_arn
def save_idp_token(self):
"""
Saves the authentication token to a file using the provided token file path.
Args:
token_file (str): Path to the file where the token should be saved.
"""
token_data = {
"token": self.token.get("token", ""),
"refresh_token": self.token.get("refresh_token", ""),
"requires_refresh": self.token.get("requires_refresh", True),
}
ConfigUtils.save_config_file(
config_data=token_data,
file_path=self.config_manager.get_file_path("idp_token"),
)
def load_idp_token(self):
"""
Loads the authentication token from a specified file.
Args:
token_file (str): Path to the file from which to load the token.
Returns:
bool: True if the token is successfully loaded, False otherwise.
Raises:
FileNotFoundError: If the token file does not exist.
ValueError: If essential token components are missing.
"""
try:
auth_token_idp = ConfigUtils.load_config_file(
self.config_manager.get_file_path("idp_token")
)
except FileNotFoundError:
raise FileNotFoundError("Token file does not exist.")
except ValueError as e:
raise ValueError(f"Error loading token: {e}")
if not auth_token_idp.get("token"):
raise ValueError("Missing token from cached file.")
self.token.update(
{
"token": auth_token_idp.get("token"),
"refresh_token": auth_token_idp.get("refresh_token", ""),
"requires_refresh": auth_token_idp.get("requires_refresh", True),
}
)
return True
def load_token(self):
"""
Loads the authentication token from a specified file.
Args:
token_file (str): Path to the file from which to load the token.
Returns:
bool: True if the token is successfully loaded, False otherwise.
Raises:
FileNotFoundError: If the token file does not exist.
ValueError: If essential token components are missing.
"""
try:
auth_response = self.config_manager.load_token_file()
except FileNotFoundError:
raise FileNotFoundError("Token file does not exist.")
except ValueError as e:
raise ValueError(f"Error loading token: {e}")
if not auth_response.get("token"):
raise ValueError("Missing token from cached file.")
self.token.update(
{
"token": auth_response.get("token"),
"refresh_token": auth_response.get("refresh_token", ""),
"requires_refresh": auth_response.get("requires_refresh", True),
}
)
return True
def force_require_refresh(self):
"""Updates the status to force refresh (useful when the token already exchanged with IdC)"""
self.token["requires_refresh"] = True
self.save_idp_token()
def should_refresh_token(self):
if self.token["requires_refresh"]:
return True
current_time = int(time.time())
token = jwt.decode(self.token["token"], options={"verify_signature": False})
if token.get("exp") > current_time:
return False
return hasattr(self.token, "refresh_token")
def check_if_authenticated(self):
raise NotImplementedError(
"The configure method must be implemented by subclasses."
)
def authenticate(self):
raise NotImplementedError(
"The authenticate method must be implemented by subclasses."
)
def refresh_token(self):
raise NotImplementedError(
"The authenticate method must be implemented by subclasses."
)