Skip to content

Commit ce54407

Browse files
authored
Merge pull request #54 from atlanhq/ACTIV-623
Adds user management, caching and related tests
2 parents bb1b45a + 7f2065f commit ce54407

File tree

9 files changed

+745
-44
lines changed

9 files changed

+745
-44
lines changed

pyatlan/cache/user_cache.py

+59
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,59 @@
1+
# SPDX-License-Identifier: Apache-2.0
2+
# Copyright 2022 Atlan Pte. Ltd.
3+
from typing import Optional
4+
5+
from pyatlan.client.atlan import AtlanClient
6+
7+
8+
class UserCache:
9+
map_id_to_name: dict[str, str] = dict()
10+
map_name_to_id: dict[str, str] = dict()
11+
map_email_to_id: dict[str, str] = dict()
12+
13+
@classmethod
14+
def _refresh_cache(cls) -> None:
15+
client = AtlanClient.get_default_client()
16+
if client is None:
17+
client = AtlanClient()
18+
users = client.get_all_users()
19+
if users is not None:
20+
cls.map_id_to_name = {}
21+
cls.map_name_to_id = {}
22+
cls.map_email_to_id = {}
23+
for user in users:
24+
user_id = str(user.id)
25+
username = str(user.username)
26+
user_email = str(user.email)
27+
cls.map_id_to_name[user_id] = username
28+
cls.map_name_to_id[username] = user_id
29+
cls.map_email_to_id[user_email] = user_id
30+
31+
@classmethod
32+
def get_id_for_name(cls, name: str) -> Optional[str]:
33+
"""
34+
Translate the provided human-readable username to its GUID.
35+
"""
36+
if user_id := cls.map_name_to_id.get(name):
37+
return user_id
38+
cls._refresh_cache()
39+
return cls.map_name_to_id.get(name)
40+
41+
@classmethod
42+
def get_id_for_email(cls, email: str) -> Optional[str]:
43+
"""
44+
Translate the provided email to its GUID.
45+
"""
46+
if user_id := cls.map_email_to_id.get(email):
47+
return user_id
48+
cls._refresh_cache()
49+
return cls.map_email_to_id.get(email)
50+
51+
@classmethod
52+
def get_name_for_id(cls, idstr: str) -> Optional[str]:
53+
"""
54+
Translate the provided user GUID to the human-readable username.
55+
"""
56+
if username := cls.map_id_to_name.get(idstr):
57+
return username
58+
cls._refresh_cache()
59+
return cls.map_id_to_name.get(idstr)

pyatlan/client/atlan.py

+186-1
Original file line numberDiff line numberDiff line change
@@ -39,9 +39,20 @@
3939
CREATE_GROUP,
4040
DELETE_GROUP,
4141
UPDATE_GROUP,
42+
GET_GROUP_MEMBERS,
43+
REMOVE_USERS_FROM_GROUP,
44+
GET_USERS,
45+
CREATE_USERS,
46+
UPDATE_USER,
47+
DELETE_USER,
48+
GET_USER_GROUPS,
49+
ADD_USER_TO_GROUPS,
50+
CHANGE_USER_ROLE,
51+
GET_CURRENT_USER,
4252
)
4353
from pyatlan.error import AtlanError, NotFoundError
4454
from pyatlan.exceptions import AtlanServiceException, InvalidRequestException
55+
from pyatlan.model import group
4556
from pyatlan.model.assets import (
4657
Asset,
4758
AtlasGlossary,
@@ -78,6 +89,7 @@
7889
AtlanGroup,
7990
CreateGroupResponse,
8091
CreateGroupRequest,
92+
RemoveFromGroupRequest,
8193
)
8294
from pyatlan.model.lineage import LineageRequest, LineageResponse
8395
from pyatlan.model.response import AssetMutationResponse
@@ -90,6 +102,14 @@
90102
TypeDef,
91103
TypeDefResponse,
92104
)
105+
from pyatlan.model.user import (
106+
AtlanUser,
107+
CreateUserRequest,
108+
UserMinimalResponse,
109+
AddToGroupsRequest,
110+
ChangeRoleRequest,
111+
UserResponse,
112+
)
93113
from pyatlan.utils import HTTPStatus, get_logger
94114

95115
LOGGER = get_logger()
@@ -371,7 +391,9 @@ def create_group(
371391
group: AtlanGroup,
372392
user_ids: Optional[list[str]] = None,
373393
) -> CreateGroupResponse:
374-
payload = CreateGroupRequest(group=group, user_ids=user_ids)
394+
payload = CreateGroupRequest(group=group)
395+
if user_ids:
396+
payload.users = user_ids
375397
raw_json = self._call_api(CREATE_GROUP, request_obj=payload, exclude_unset=True)
376398
return CreateGroupResponse(**raw_json)
377399

@@ -448,6 +470,169 @@ def get_group_by_name(
448470
return response.records
449471
return None
450472

473+
def get_group_members(self, guid: str) -> UserResponse:
474+
"""
475+
Retrieves the members (users) of a group.
476+
"""
477+
raw_json = self._call_api(GET_GROUP_MEMBERS.format_path({"group_guid": guid}))
478+
return UserResponse(**raw_json)
479+
480+
def remove_users_from_group(self, guid: str, user_ids=list[str]) -> None:
481+
"""
482+
Remove one or more users from a group.
483+
"""
484+
rfgr = RemoveFromGroupRequest(users=user_ids)
485+
self._call_api(
486+
REMOVE_USERS_FROM_GROUP.format_path({"group_guid": guid}),
487+
request_obj=rfgr,
488+
exclude_unset=True,
489+
)
490+
491+
def create_users(
492+
self,
493+
users: list[AtlanUser],
494+
) -> None:
495+
from pyatlan.cache.role_cache import RoleCache
496+
497+
cur = CreateUserRequest(users=[])
498+
for user in users:
499+
role_name = str(user.workspace_role)
500+
if role_id := RoleCache.get_id_for_name(role_name):
501+
to_create = CreateUserRequest.CreateUser(
502+
email=user.email,
503+
role_name=role_name,
504+
role_id=role_id,
505+
)
506+
cur.users.append(to_create)
507+
self._call_api(CREATE_USERS, request_obj=cur, exclude_unset=True)
508+
509+
def update_user(
510+
self,
511+
guid: str,
512+
user: AtlanUser,
513+
) -> UserMinimalResponse:
514+
raw_json = self._call_api(
515+
UPDATE_USER.format_path_with_params(guid),
516+
request_obj=user,
517+
exclude_unset=True,
518+
)
519+
return UserMinimalResponse(**raw_json)
520+
521+
def purge_user(
522+
self,
523+
guid: str,
524+
) -> None:
525+
self._call_api(DELETE_USER.format_path({"user_guid": guid}))
526+
527+
def get_groups_for_user(
528+
self,
529+
guid: str,
530+
) -> GroupResponse:
531+
raw_json = self._call_api(GET_USER_GROUPS.format_path({"user_guid": guid}))
532+
return GroupResponse(**raw_json)
533+
534+
def add_user_to_groups(
535+
self,
536+
guid: str,
537+
group_ids: list[str],
538+
) -> None:
539+
atgr = AddToGroupsRequest(groups=group_ids)
540+
self._call_api(
541+
ADD_USER_TO_GROUPS.format_path({"user_guid": guid}),
542+
request_obj=atgr,
543+
exclude_unset=True,
544+
)
545+
546+
def change_user_role(
547+
self,
548+
guid: str,
549+
role_id: str,
550+
) -> None:
551+
crr = ChangeRoleRequest(role_id=role_id)
552+
self._call_api(
553+
CHANGE_USER_ROLE.format_path({"user_guid": guid}),
554+
request_obj=crr,
555+
exclude_unset=True,
556+
)
557+
558+
def get_current_user(
559+
self,
560+
) -> UserMinimalResponse:
561+
raw_json = self._call_api(GET_CURRENT_USER)
562+
return UserMinimalResponse(**raw_json)
563+
564+
def get_users(
565+
self,
566+
limit: Optional[int] = None,
567+
post_filter: Optional[str] = None,
568+
sort: Optional[str] = None,
569+
count: bool = True,
570+
offset: int = 0,
571+
) -> UserResponse:
572+
query_params: dict[str, str] = {
573+
"count": str(count),
574+
"offset": str(offset),
575+
}
576+
if limit is not None:
577+
query_params["limit"] = str(limit)
578+
if post_filter is not None:
579+
query_params["filter"] = post_filter
580+
if sort is not None:
581+
query_params["sort"] = sort
582+
raw_json = self._call_api(GET_USERS.format_path_with_params(), query_params)
583+
return UserResponse(**raw_json)
584+
585+
def get_all_users(self) -> list[AtlanUser]:
586+
"""
587+
Retrieve all users defined in Atlan.
588+
"""
589+
users: list[AtlanUser] = []
590+
offset = 0
591+
limit = 100
592+
response: Optional[UserResponse] = self.get_users(
593+
offset=offset, limit=limit, sort="username"
594+
)
595+
while response:
596+
if page := response.records:
597+
users.extend(page)
598+
offset += limit
599+
response = self.get_users(offset=offset, limit=limit, sort="username")
600+
else:
601+
response = None
602+
return users
603+
604+
def get_users_by_email(
605+
self, email: str, limit: int = 100
606+
) -> Optional[list[AtlanUser]]:
607+
"""
608+
Retrieves all users with email addresses that contain the provided email.
609+
(This could include a complete email address, in which case there should be at
610+
most a single item in the returned list, or could be a partial email address
611+
such as "@example.com" to retrieve all users with that domain in their email
612+
address.)
613+
"""
614+
if response := self.get_users(
615+
offset=0,
616+
limit=limit,
617+
post_filter='{"email":{"$ilike":"%' + email + '%"}}',
618+
):
619+
return response.records
620+
return None
621+
622+
def get_user_by_username(self, username: str) -> Optional[AtlanUser]:
623+
"""
624+
Retrieves a user based on the username. (This attempts an exact match on username
625+
rather than a contains search.)
626+
"""
627+
if response := self.get_users(
628+
offset=0,
629+
limit=5,
630+
post_filter='{"username":"' + username + '"}',
631+
):
632+
if response.records and len(response.records) >= 1:
633+
return response.records[0]
634+
return None
635+
451636
@validate_arguments()
452637
def get_asset_by_qualified_name(
453638
self,

pyatlan/client/constants.py

+21
Original file line numberDiff line numberDiff line change
@@ -14,6 +14,7 @@
1414

1515
ROLE_API = f"{ADMIN_URI}roles"
1616
GROUP_API = f"{ADMIN_URI}groups"
17+
USER_API = f"{ADMIN_URI}users"
1718

1819
# Role APIs
1920
GET_ROLES = API(ROLE_API, HTTPMethod.GET, HTTPStatus.OK)
@@ -23,6 +24,26 @@
2324
CREATE_GROUP = API(GROUP_API, HTTPMethod.POST, HTTPStatus.OK)
2425
UPDATE_GROUP = API(GROUP_API, HTTPMethod.POST, HTTPStatus.OK)
2526
DELETE_GROUP = API(GROUP_API + "/{group_guid}/delete", HTTPMethod.POST, HTTPStatus.OK)
27+
GET_GROUP_MEMBERS = API(
28+
GROUP_API + "/{group_guid}/members", HTTPMethod.GET, HTTPStatus.OK
29+
)
30+
REMOVE_USERS_FROM_GROUP = API(
31+
GROUP_API + "/{group_guid}/members/remove", HTTPMethod.POST, HTTPStatus.OK
32+
)
33+
34+
# User APIs
35+
GET_USERS = API(USER_API, HTTPMethod.GET, HTTPStatus.OK)
36+
CREATE_USERS = API(USER_API, HTTPMethod.POST, HTTPStatus.OK)
37+
UPDATE_USER = API(USER_API, HTTPMethod.POST, HTTPStatus.OK)
38+
DELETE_USER = API(USER_API + "/{user_guid}/delete", HTTPMethod.POST, HTTPStatus.OK)
39+
GET_USER_GROUPS = API(USER_API + "/{user_guid}/groups", HTTPMethod.GET, HTTPStatus.OK)
40+
ADD_USER_TO_GROUPS = API(
41+
USER_API + "/{user_guid}/groups", HTTPMethod.POST, HTTPStatus.OK
42+
)
43+
CHANGE_USER_ROLE = API(
44+
USER_API + "/{user_guid}/roles/update", HTTPMethod.POST, HTTPStatus.OK
45+
)
46+
GET_CURRENT_USER = API(f"{USER_API}/current", HTTPMethod.GET, HTTPStatus.OK)
2647

2748
ENTITY_API = f"{BASE_URI}entity/"
2849
PREFIX_ATTR = "attr:"

pyatlan/model/group.py

+1-1
Original file line numberDiff line numberDiff line change
@@ -58,7 +58,7 @@ def is_default(self) -> bool:
5858
return (
5959
self.attributes is not None
6060
and self.attributes.is_default is not None
61-
and self.attributes.is_default == "true"
61+
and self.attributes.is_default == ["true"]
6262
)
6363

6464
@staticmethod

0 commit comments

Comments
 (0)