Skip to content

credentials.py

This module contains Splunk credential related interfaces.

__all__ = ['CredentialException', 'CredentialNotExistException', 'CredentialManager', 'get_session_key'] module-attribute

CredentialException

Bases: Exception

General exception regarding credentials.

Source code in solnlib/credentials.py
39
40
41
42
class CredentialException(Exception):
    """General exception regarding credentials."""

    pass

CredentialManager

Credential manager.

Examples:

>>> from solnlib import credentials
>>> cm = credentials.CredentialManager(session_key,
                                       'Splunk_TA_test',
                                       realm='realm_test')
Source code in solnlib/credentials.py
 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
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
class CredentialManager:
    """Credential manager.

    Examples:
       >>> from solnlib import credentials
       >>> cm = credentials.CredentialManager(session_key,
                                              'Splunk_TA_test',
                                              realm='realm_test')
    """

    # Splunk can only encrypt string with length <=255
    SPLUNK_CRED_LEN_LIMIT = 255

    # Splunk credential separator
    SEP = "``splunk_cred_sep``"

    # Splunk credential end mark
    END_MARK = (
        "``splunk_cred_sep``S``splunk_cred_sep``P``splunk_cred_sep``L``splunk_cred_sep``"
        "U``splunk_cred_sep``N``splunk_cred_sep``K``splunk_cred_sep``"
    )

    def __init__(
        self,
        session_key: str,
        app: str,
        owner: str = "nobody",
        realm: str = None,
        scheme: str = None,
        host: str = None,
        port: int = None,
        **context: dict,
    ):
        """Initializes CredentialManager.

        Arguments:
            session_key: Splunk access token.
            app: App name of namespace.
            owner: (optional) Owner of namespace, default is `nobody`.
            realm: (optional) Realm of credential, default is None.
            scheme: (optional) The access scheme, default is None.
            host: (optional) The host name, default is None.
            port: (optional) The port number, default is None.
            context: Other configurations for Splunk rest client.
        """
        self._realm = realm
        self.service = rest_client.SplunkRestClient(
            session_key,
            app,
            owner=owner,
            scheme=scheme,
            host=host,
            port=port,
            **context,
        )
        self._storage_passwords = self.service.storage_passwords

    @retry(exceptions=[binding.HTTPError])
    def get_password(self, user: str) -> str:
        """Get password.

        Arguments:
            user: User name.

        Returns:
            Clear user password.

        Raises:
            CredentialNotExistException: If password for 'realm:user' doesn't exist.

        Examples:
           >>> from solnlib import credentials
           >>> cm = credentials.CredentialManager(session_key,
                                                  'Splunk_TA_test',
                                                  realm='realm_test')
           >>> cm.get_password('testuser2')
        """
        if self._realm is not None:
            passwords = self.get_clear_passwords_in_realm()
        else:
            passwords = self.get_clear_passwords()
        for password in passwords:
            if password["username"] == user and password["realm"] == self._realm:
                return password["clear_password"]

        raise CredentialNotExistException(
            f"Failed to get password of realm={self._realm}, user={user}."
        )

    @retry(exceptions=[binding.HTTPError])
    def set_password(self, user: str, password: str):
        """Set password.

        Arguments:
            user: User name.
            password: User password.

        Examples:
           >>> from solnlib import credentials
           >>> cm = credentials.CredentialManager(session_key,
                                                  'Splunk_TA_test',
                                                  realm='realm_test')
           >>> cm.set_password('testuser1', 'password1')
        """
        length = 0
        index = 1
        while length < len(password):
            curr_str = password[
                length : length + self.SPLUNK_CRED_LEN_LIMIT  # noqa: E203
            ]
            partial_user = self.SEP.join([user, str(index)])
            self._update_password(partial_user, curr_str)
            length += self.SPLUNK_CRED_LEN_LIMIT
            index += 1

        # Append another stanza to mark the end of the password
        partial_user = self.SEP.join([user, str(index)])
        self._update_password(partial_user, self.END_MARK)

    @retry(exceptions=[binding.HTTPError])
    def _update_password(self, user: str, password: str):
        """Update password.

        Arguments:
            user: User name.
            password: User password.

        Examples:
           >>> from solnlib import credentials
           >>> cm = credentials.CredentialManager(session_key,
                                                  'Splunk_TA_test',
                                                  realm='realm_test')
           >>> cm._update_password('testuser1', 'password1')
        """
        try:
            self._storage_passwords.create(password, user, self._realm)
        except binding.HTTPError as ex:
            if ex.status == 409:
                if self._realm is not None:
                    passwords = self.get_raw_passwords_in_realm()
                else:
                    passwords = self.get_raw_passwords()
                for pwd_stanza in passwords:
                    if pwd_stanza.realm == self._realm and pwd_stanza.username == user:
                        pwd_stanza.update(password=password)
                        return
                raise ValueError(
                    f"Can not get the password object for realm: {self._realm} user: {user}"
                )
            else:
                raise ex

    @retry(exceptions=[binding.HTTPError])
    def delete_password(self, user: str):
        """Delete password.

        Arguments:
            user: User name.

        Raises:
             CredentialNotExistException: If password of realm:user doesn't exist.

        Examples:
           >>> from solnlib import credentials
           >>> cm = credentials.CredentialManager(session_key,
                                                  'Splunk_TA_test',
                                                  realm='realm_test')
           >>> cm.delete_password('testuser1')
        """
        if self._realm is not None:
            passwords = self.get_raw_passwords_in_realm()
        else:
            passwords = self.get_raw_passwords()
        deleted = False
        ent_pattern = re.compile(
            r"({}{}\d+)".format(user.replace("\\", "\\\\"), self.SEP)
        )
        for password in passwords:
            match = (user == password.username) or ent_pattern.match(password.username)
            if match and password.realm == self._realm:
                password.delete()
                deleted = True

        if not deleted:
            raise CredentialNotExistException(
                f"Failed to delete password of realm={self._realm}, user={user}"
            )

    def get_raw_passwords(self) -> List[client.StoragePassword]:
        """Returns all passwords in the "raw" format."""
        warnings.warn(
            "Please pass realm to the CredentialManager, "
            "so it can utilize get_raw_passwords_in_realm method instead."
        )
        return self._storage_passwords.list(count=-1)

    def get_raw_passwords_in_realm(self) -> List[client.StoragePassword]:
        """Returns all passwords within the realm in the "raw" format."""
        if self._realm is None:
            raise ValueError("No realm was specified")
        return self._storage_passwords.list(count=-1, search=f"realm={self._realm}")

    def get_clear_passwords(self) -> List[Dict[str, str]]:
        """Returns all passwords in the "clear" format."""
        warnings.warn(
            "Please pass realm to the CredentialManager, "
            "so it can utilize get_clear_passwords_in_realm method instead."
        )
        raw_passwords = self.get_raw_passwords()
        return self._get_clear_passwords(raw_passwords)

    def get_clear_passwords_in_realm(self) -> List[Dict[str, str]]:
        """Returns all passwords within the realm in the "clear" format."""
        if self._realm is None:
            raise ValueError("No realm was specified")
        raw_passwords = self.get_raw_passwords_in_realm()
        return self._get_clear_passwords(raw_passwords)

    def _get_all_passwords_in_realm(self) -> List[client.StoragePassword]:
        warnings.warn(
            "_get_all_passwords_in_realm is deprecated, "
            "please use get_raw_passwords_in_realm instead.",
            stacklevel=2,
        )
        if self._realm:
            all_passwords = self._storage_passwords.list(
                count=-1, search=f"realm={self._realm}"
            )
        else:
            all_passwords = self._storage_passwords.list(count=-1, search="")
        return all_passwords

    def _get_clear_passwords(
        self, passwords: List[client.StoragePassword]
    ) -> List[Dict[str, str]]:
        results = {}
        ptn = re.compile(rf"(.+){self.SEP}(\d+)")
        for password in passwords:
            match = ptn.match(password.name)
            if match:
                actual_name = match.group(1) + ":"
                index = int(match.group(2))
                if actual_name in results:
                    exist_stanza = results[actual_name]
                else:
                    exist_stanza = {}
                    exist_stanza["name"] = actual_name
                    exist_stanza["realm"] = password.realm
                    exist_stanza["username"] = password.username.split(self.SEP)[0]
                    exist_stanza["clears"] = {}
                    results[actual_name] = exist_stanza

                exist_stanza["clears"][index] = password.clear_password

        # Backward compatibility
        # To deal with the password with only one stanza which is generated by the old version.
        for password in passwords:
            match = ptn.match(password.name)
            if (not match) and (password.name not in results):
                results[password.name] = {
                    "name": password.name,
                    "realm": password.realm,
                    "username": password.username,
                    "clear_password": password.clear_password,
                }

        # Merge password by index
        for name, values in list(results.items()):
            field_clear = values.get("clears")
            if field_clear:
                clear_password = ""
                for index in sorted(field_clear.keys()):
                    if field_clear[index] != self.END_MARK:
                        clear_password += field_clear[index]
                    else:
                        break
                values["clear_password"] = clear_password

                del values["clears"]

        return list(results.values())

    @retry(exceptions=[binding.HTTPError])
    def _get_all_passwords(self) -> List[Dict[str, str]]:
        warnings.warn(
            "_get_all_passwords is deprecated, "
            "please use get_all_passwords_in_realm instead.",
            stacklevel=2,
        )
        passwords = self._storage_passwords.list(count=-1)
        return self._get_clear_passwords(passwords)

END_MARK = '``splunk_cred_sep``S``splunk_cred_sep``P``splunk_cred_sep``L``splunk_cred_sep``U``splunk_cred_sep``N``splunk_cred_sep``K``splunk_cred_sep``' class-attribute instance-attribute

SEP = '``splunk_cred_sep``' class-attribute instance-attribute

SPLUNK_CRED_LEN_LIMIT = 255 class-attribute instance-attribute

service = rest_client.SplunkRestClient(session_key, app, owner=owner, scheme=scheme, host=host, port=port, None=context) instance-attribute

__init__(session_key, app, owner='nobody', realm=None, scheme=None, host=None, port=None, **context)

Initializes CredentialManager.

Parameters:

Name Type Description Default
session_key str

Splunk access token.

required
app str

App name of namespace.

required
owner str

(optional) Owner of namespace, default is nobody.

'nobody'
realm str

(optional) Realm of credential, default is None.

None
scheme str

(optional) The access scheme, default is None.

None
host str

(optional) The host name, default is None.

None
port int

(optional) The port number, default is None.

None
context dict

Other configurations for Splunk rest client.

{}
Source code in solnlib/credentials.py
 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
def __init__(
    self,
    session_key: str,
    app: str,
    owner: str = "nobody",
    realm: str = None,
    scheme: str = None,
    host: str = None,
    port: int = None,
    **context: dict,
):
    """Initializes CredentialManager.

    Arguments:
        session_key: Splunk access token.
        app: App name of namespace.
        owner: (optional) Owner of namespace, default is `nobody`.
        realm: (optional) Realm of credential, default is None.
        scheme: (optional) The access scheme, default is None.
        host: (optional) The host name, default is None.
        port: (optional) The port number, default is None.
        context: Other configurations for Splunk rest client.
    """
    self._realm = realm
    self.service = rest_client.SplunkRestClient(
        session_key,
        app,
        owner=owner,
        scheme=scheme,
        host=host,
        port=port,
        **context,
    )
    self._storage_passwords = self.service.storage_passwords

delete_password(user)

Delete password.

Parameters:

Name Type Description Default
user str

User name.

required

Raises:

Type Description
CredentialNotExistException

If password of realm:user doesn’t exist.

Examples:

>>> from solnlib import credentials
>>> cm = credentials.CredentialManager(session_key,
                                       'Splunk_TA_test',
                                       realm='realm_test')
>>> cm.delete_password('testuser1')
Source code in solnlib/credentials.py
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
@retry(exceptions=[binding.HTTPError])
def delete_password(self, user: str):
    """Delete password.

    Arguments:
        user: User name.

    Raises:
         CredentialNotExistException: If password of realm:user doesn't exist.

    Examples:
       >>> from solnlib import credentials
       >>> cm = credentials.CredentialManager(session_key,
                                              'Splunk_TA_test',
                                              realm='realm_test')
       >>> cm.delete_password('testuser1')
    """
    if self._realm is not None:
        passwords = self.get_raw_passwords_in_realm()
    else:
        passwords = self.get_raw_passwords()
    deleted = False
    ent_pattern = re.compile(
        r"({}{}\d+)".format(user.replace("\\", "\\\\"), self.SEP)
    )
    for password in passwords:
        match = (user == password.username) or ent_pattern.match(password.username)
        if match and password.realm == self._realm:
            password.delete()
            deleted = True

    if not deleted:
        raise CredentialNotExistException(
            f"Failed to delete password of realm={self._realm}, user={user}"
        )

get_clear_passwords()

Returns all passwords in the “clear” format.

Source code in solnlib/credentials.py
253
254
255
256
257
258
259
260
def get_clear_passwords(self) -> List[Dict[str, str]]:
    """Returns all passwords in the "clear" format."""
    warnings.warn(
        "Please pass realm to the CredentialManager, "
        "so it can utilize get_clear_passwords_in_realm method instead."
    )
    raw_passwords = self.get_raw_passwords()
    return self._get_clear_passwords(raw_passwords)

get_clear_passwords_in_realm()

Returns all passwords within the realm in the “clear” format.

Source code in solnlib/credentials.py
262
263
264
265
266
267
def get_clear_passwords_in_realm(self) -> List[Dict[str, str]]:
    """Returns all passwords within the realm in the "clear" format."""
    if self._realm is None:
        raise ValueError("No realm was specified")
    raw_passwords = self.get_raw_passwords_in_realm()
    return self._get_clear_passwords(raw_passwords)

get_password(user)

Get password.

Parameters:

Name Type Description Default
user str

User name.

required

Returns:

Type Description
str

Clear user password.

Raises:

Type Description
CredentialNotExistException

If password for ‘realm:user’ doesn’t exist.

Examples:

>>> from solnlib import credentials
>>> cm = credentials.CredentialManager(session_key,
                                       'Splunk_TA_test',
                                       realm='realm_test')
>>> cm.get_password('testuser2')
Source code in solnlib/credentials.py
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
@retry(exceptions=[binding.HTTPError])
def get_password(self, user: str) -> str:
    """Get password.

    Arguments:
        user: User name.

    Returns:
        Clear user password.

    Raises:
        CredentialNotExistException: If password for 'realm:user' doesn't exist.

    Examples:
       >>> from solnlib import credentials
       >>> cm = credentials.CredentialManager(session_key,
                                              'Splunk_TA_test',
                                              realm='realm_test')
       >>> cm.get_password('testuser2')
    """
    if self._realm is not None:
        passwords = self.get_clear_passwords_in_realm()
    else:
        passwords = self.get_clear_passwords()
    for password in passwords:
        if password["username"] == user and password["realm"] == self._realm:
            return password["clear_password"]

    raise CredentialNotExistException(
        f"Failed to get password of realm={self._realm}, user={user}."
    )

get_raw_passwords()

Returns all passwords in the “raw” format.

Source code in solnlib/credentials.py
239
240
241
242
243
244
245
def get_raw_passwords(self) -> List[client.StoragePassword]:
    """Returns all passwords in the "raw" format."""
    warnings.warn(
        "Please pass realm to the CredentialManager, "
        "so it can utilize get_raw_passwords_in_realm method instead."
    )
    return self._storage_passwords.list(count=-1)

get_raw_passwords_in_realm()

Returns all passwords within the realm in the “raw” format.

Source code in solnlib/credentials.py
247
248
249
250
251
def get_raw_passwords_in_realm(self) -> List[client.StoragePassword]:
    """Returns all passwords within the realm in the "raw" format."""
    if self._realm is None:
        raise ValueError("No realm was specified")
    return self._storage_passwords.list(count=-1, search=f"realm={self._realm}")

set_password(user, password)

Set password.

Parameters:

Name Type Description Default
user str

User name.

required
password str

User password.

required

Examples:

>>> from solnlib import credentials
>>> cm = credentials.CredentialManager(session_key,
                                       'Splunk_TA_test',
                                       realm='realm_test')
>>> cm.set_password('testuser1', 'password1')
Source code in solnlib/credentials.py
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
@retry(exceptions=[binding.HTTPError])
def set_password(self, user: str, password: str):
    """Set password.

    Arguments:
        user: User name.
        password: User password.

    Examples:
       >>> from solnlib import credentials
       >>> cm = credentials.CredentialManager(session_key,
                                              'Splunk_TA_test',
                                              realm='realm_test')
       >>> cm.set_password('testuser1', 'password1')
    """
    length = 0
    index = 1
    while length < len(password):
        curr_str = password[
            length : length + self.SPLUNK_CRED_LEN_LIMIT  # noqa: E203
        ]
        partial_user = self.SEP.join([user, str(index)])
        self._update_password(partial_user, curr_str)
        length += self.SPLUNK_CRED_LEN_LIMIT
        index += 1

    # Append another stanza to mark the end of the password
    partial_user = self.SEP.join([user, str(index)])
    self._update_password(partial_user, self.END_MARK)

CredentialNotExistException

Bases: Exception

Exception is raised when credentials do not exist.

Source code in solnlib/credentials.py
45
46
47
48
class CredentialNotExistException(Exception):
    """Exception is raised when credentials do not exist."""

    pass

get_session_key(username, password, scheme=None, host=None, port=None, **context)

Get splunkd access token.

Parameters:

Name Type Description Default
username str

The Splunk account username, which is used to authenticate the Splunk instance.

required
password str

The Splunk account password.

required
scheme str

(optional) The access scheme, default is None.

None
host str

(optional) The host name, default is None.

None
port int

(optional) The port number, default is None.

None
context dict

Other configurations for Splunk rest client.

{}

Returns:

Type Description
str

Splunk session key.

Raises:

Type Description
CredentialException

If username/password are invalid.

ValueError

if scheme, host or port are invalid.

Examples:

>>> get_session_key('user', 'password')
Source code in solnlib/credentials.py
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
@retry(exceptions=[binding.HTTPError])
def get_session_key(
    username: str,
    password: str,
    scheme: str = None,
    host: str = None,
    port: int = None,
    **context: dict,
) -> str:
    """Get splunkd access token.

    Arguments:
        username: The Splunk account username, which is used to authenticate the Splunk instance.
        password: The Splunk account password.
        scheme: (optional) The access scheme, default is None.
        host: (optional) The host name, default is None.
        port: (optional) The port number, default is None.
        context: Other configurations for Splunk rest client.

    Returns:
        Splunk session key.

    Raises:
        CredentialException: If username/password are invalid.
        ValueError: if scheme, host or port are invalid.

    Examples:
       >>> get_session_key('user', 'password')
    """
    validate_scheme_host_port(scheme, host, port)

    if any([scheme is None, host is None, port is None]):
        scheme, host, port = get_splunkd_access_info()

    uri = "{scheme}://{host}:{port}/{endpoint}".format(
        scheme=scheme, host=host, port=port, endpoint="services/auth/login"
    )
    _rest_client = rest_client.SplunkRestClient(
        None, "-", "nobody", scheme, host, port, **context
    )
    try:
        response = _rest_client.http.post(
            uri, username=username, password=password, output_mode="json"
        )
    except binding.HTTPError as e:
        if e.status != 401:
            raise

        raise CredentialException("Invalid username/password.")

    return json.loads(response.body.read())["sessionKey"]