Skip to content
New issue

Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.

By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.

Already on GitHub? Sign in to your account

Add Auth Manage Projects example scripts #777

Merged
merged 4 commits into from
Jul 19, 2023
Merged
Show file tree
Hide file tree
Changes from 3 commits
Commits
File filter

Filter by extension

Filter by extension

Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
Original file line number Diff line number Diff line change
@@ -0,0 +1,5 @@
Documentation
~~~~~~~~~~~~~

- New scripts in the example gallery demonstrate usage of the Globus Auth
Developer APIs to List, Create, Delete, and Update Projects. (:pr:`NUMBER`)
60 changes: 60 additions & 0 deletions docs/examples/auth_manage_projects/index.rst
Original file line number Diff line number Diff line change
@@ -0,0 +1,60 @@
Manage Globus Auth Projects
===========================

.. note::

The following scripts, when run, may leave tokens in a JSON file in
your home directory. Be sure to delete these tokens after use.

List Projects via the Auth API
------------------------------

The following is a very small and simple script using the Globus Auth Developer
APIs.

It uses the tutorial client ID from the :ref:`tutorial <tutorial>`.
For simplicity, the script will prompt for login on each use.

.. literalinclude:: list_projects.py
:caption: ``list_projects.py`` [:download:`download <list_projects.py>`]
:language: python


List and Create Projects via the Auth API
-----------------------------------------

The next example builds upon the earlier example by offering a pair of
features, List and Create.

Argument parsing allows for an action to be selected, which is then executed by
calling the appropriate function.

.. literalinclude:: list_and_create_projects.py
:caption: ``list_and_create_projects.py`` [:download:`download <list_and_create_projects.py>`]
:language: python


List, Create, and Delete Projects via the Auth API
--------------------------------------------------

.. warning::

The following script has destructive capabilities.

Deleting projects may be harmful to your production applications.
Only delete with care.

The following example expands upon the former by adding delete functionality.

Because Delete requires authentication under a session policy, the login code
grows here to include a storage adapter (with data kept in
``~/.sdk-manage-projects.json``). If a policy failure is encountered, the code
will prompt the user to login again to satisfy the policy and then reexecute
the desired activity.

As a result, this example is significantly more complex, but it still follows
the same basic pattern as above.

.. literalinclude:: manage_projects.py
:caption: ``manage_projects.py`` [:download:`download <manage_projects.py>`]
:language: python
80 changes: 80 additions & 0 deletions docs/examples/auth_manage_projects/list_and_create_projects.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,80 @@
#!/usr/bin/env python

import argparse
import os

import globus_sdk
from globus_sdk.tokenstorage import SimpleJSONFileAdapter

MY_FILE_ADAPTER = SimpleJSONFileAdapter(
os.path.expanduser("~/.sdk-manage-projects.json")
)

SCOPES = [globus_sdk.AuthClient.scopes.manage_projects, "openid", "email"]
RESOURCE_SERVER = globus_sdk.AuthClient.resource_server

# tutorial client ID
# we recommend replacing this with your own client for any production use-cases
CLIENT_ID = "61338d24-54d5-408f-a10d-66c06b59f6d2"

NATIVE_CLIENT = globus_sdk.NativeAppAuthClient(CLIENT_ID)


def do_login_flow():
NATIVE_CLIENT.oauth2_start_flow(requested_scopes=SCOPES)
authorize_url = NATIVE_CLIENT.oauth2_get_authorize_url()
print(f"Please go to this URL and login:\n\n{authorize_url}\n")
auth_code = input("Please enter the code here: ").strip()
tokens = NATIVE_CLIENT.oauth2_exchange_code_for_tokens(auth_code)
return tokens.by_resource_server[RESOURCE_SERVER]


def get_auth_client():
tokens = do_login_flow()
return globus_sdk.AuthClient(
authorizer=globus_sdk.AccessTokenAuthorizer(tokens["access_token"])
)


def create_project(args):
auth_client = get_auth_client()
userinfo = auth_client.oauth2_userinfo()
print(
auth_client.create_project(
args.name,
contact_email=userinfo["email"],
admin_ids=userinfo["sub"],
)
)


def list_projects(args):
kurtmckee marked this conversation as resolved.
Show resolved Hide resolved
auth_client = get_auth_client()
for project in auth_client.get_projects():
print(f"name: {project['display_name']}")
print(f"id: {project['id']}")
print()


def main():
parser = argparse.ArgumentParser()
parser.add_argument("action", choices=["create", "list"])
parser.add_argument("-n", "--name", help="Project name for create")
args = parser.parse_args()

execute(parser, args)


def execute(parser, args):
if args.action == "create":
if args.name is None:
parser.error("create requires --name")
create_project(args)
elif args.action == "list":
list_projects(args)
else:
raise NotImplementedError()


if __name__ == "__main__":
main()
40 changes: 40 additions & 0 deletions docs/examples/auth_manage_projects/list_projects.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,40 @@
#!/usr/bin/env python

import globus_sdk

SCOPES = [globus_sdk.AuthClient.scopes.manage_projects, "openid", "email"]
RESOURCE_SERVER = globus_sdk.AuthClient.resource_server

# tutorial client ID
# we recommend replacing this with your own client for any production use-cases
CLIENT_ID = "61338d24-54d5-408f-a10d-66c06b59f6d2"

NATIVE_CLIENT = globus_sdk.NativeAppAuthClient(CLIENT_ID)


def do_login_flow():
NATIVE_CLIENT.oauth2_start_flow(requested_scopes=SCOPES)
authorize_url = NATIVE_CLIENT.oauth2_get_authorize_url()
print(f"Please go to this URL and login:\n\n{authorize_url}\n")
auth_code = input("Please enter the code here: ").strip()
tokens = NATIVE_CLIENT.oauth2_exchange_code_for_tokens(auth_code)
return tokens.by_resource_server[RESOURCE_SERVER]


def get_auth_client():
tokens = do_login_flow()
return globus_sdk.AuthClient(
authorizer=globus_sdk.AccessTokenAuthorizer(tokens["access_token"])
)


def main():
auth_client = get_auth_client()
for project in auth_client.get_projects():
print(f"name: {project['display_name']}")
print(f"id: {project['id']}")
print()


if __name__ == "__main__":
main()
144 changes: 144 additions & 0 deletions docs/examples/auth_manage_projects/manage_projects.py
Original file line number Diff line number Diff line change
@@ -0,0 +1,144 @@
#!/usr/bin/env python

import argparse
import os

import globus_sdk
from globus_sdk.tokenstorage import SimpleJSONFileAdapter

MY_FILE_ADAPTER = SimpleJSONFileAdapter(
os.path.expanduser("~/.sdk-manage-projects.json")
)

SCOPES = [globus_sdk.AuthClient.scopes.manage_projects, "openid", "email"]
RESOURCE_SERVER = globus_sdk.AuthClient.resource_server

# tutorial client ID
# we recommend replacing this with your own client for any production use-cases
CLIENT_ID = "61338d24-54d5-408f-a10d-66c06b59f6d2"

NATIVE_CLIENT = globus_sdk.NativeAppAuthClient(CLIENT_ID)


def do_login_flow(*, session_params: dict | None = None):
NATIVE_CLIENT.oauth2_start_flow(requested_scopes=SCOPES)
# special note!
# this works because oauth2_get_authorize_url supports session error data
# as parameters to build the authorization URL
# you could do this manually with the following supported parameters:
# - session_required_identities
# - session_required_single_domain
# - session_required_policies
authorize_url = NATIVE_CLIENT.oauth2_get_authorize_url(**session_params)
print(f"Please go to this URL and login:\n\n{authorize_url}\n")
auth_code = input("Please enter the code here: ").strip()
tokens = NATIVE_CLIENT.oauth2_exchange_code_for_tokens(auth_code)
return tokens


def get_tokens():
if not MY_FILE_ADAPTER.file_exists():
# do a login flow, getting back initial tokens
response = do_login_flow()
# now store the tokens and pull out the correct token
MY_FILE_ADAPTER.store(response)
tokens = response.by_resource_server[RESOURCE_SERVER]
else:
# otherwise, we already did login; load the tokens from that file
tokens = MY_FILE_ADAPTER.get_token_data(RESOURCE_SERVER)

return tokens


def get_auth_client():
tokens = get_tokens()
return globus_sdk.AuthClient(
authorizer=globus_sdk.AccessTokenAuthorizer(tokens["access_token"])
)


def create_project(args):
auth_client = get_auth_client()
userinfo = auth_client.oauth2_userinfo()
print(
auth_client.create_project(
args.name,
contact_email=userinfo["email"],
admin_ids=userinfo["sub"],
)
)


def delete_project(args):
auth_client = get_auth_client()
print(auth_client.delete_project(args.project_id))


def list_projects(args):
auth_client = get_auth_client()
for project in auth_client.get_projects():
print(f"name: {project['display_name']}")
print(f"id: {project['id']}")
print()


def main():
parser = argparse.ArgumentParser()
parser.add_argument("action", choices=["create", "delete", "list"])
parser.add_argument("-p", "--project-id", help="Project ID for delete")
parser.add_argument("-n", "--name", help="Project name for create")
args = parser.parse_args()

try:
execute(parser, args)
except globus_sdk.GlobusAPIError as err:
if err.info.authorization_parameters:
err_params = err.info.authorization_parameters
session_params = {}
if err_params.session_required_identities:
print("session required identities detected")
session_params[
"session_required_identities"
] = err_params.session_required_identities
if err_params.session_required_single_domain:
print("session required single domain detected")
session_params[
"session_required_single_domain"
] = err_params.session_required_single_domain
if err_params.session_required_policies:
print("session required policies detected")
session_params[
"session_required_policies"
] = err_params.session_required_policies
print(session_params)
print(err_params)
response = do_login_flow(session_params=session_params)
# now store the tokens
MY_FILE_ADAPTER.store(response)
print(
"Reauthenticated successfully to satisfy "
"session requirements. Will now try again.\n"
)

# try the action again
execute(parser, args)
raise


def execute(parser, args):
if args.action == "create":
if args.name is None:
parser.error("create requires --name")
create_project(args)
elif args.action == "delete":
if args.project_id is None:
parser.error("delete requires --project-id")
delete_project(args)
elif args.action == "list":
list_projects(args)
else:
raise NotImplementedError()


if __name__ == "__main__":
main()
1 change: 1 addition & 0 deletions docs/examples/index.rst
Original file line number Diff line number Diff line change
Expand Up @@ -7,6 +7,7 @@ Each of these pages contains an example of a piece of SDK functionality.

.. toctree::
minimal_transfer_script/index
auth_manage_projects/index
group_listing
authorization
native_app
Expand Down