-
Notifications
You must be signed in to change notification settings - Fork 20
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
Move code out of __init__ files #352
Open
aldbr
wants to merge
1
commit into
DIRACGrid:main
Choose a base branch
from
aldbr:main_FEAT_move-bl-from-init
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
Open
Changes from all commits
Commits
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,4 +1,6 @@ | ||
#!/usr/bin/env python | ||
from __future__ import annotations | ||
|
||
import argparse | ||
from pathlib import Path | ||
|
||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -1,3 +1,5 @@ | ||
from __future__ import annotations | ||
|
||
from . import app | ||
|
||
if __name__ == "__main__": | ||
|
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change | ||
---|---|---|---|---|
@@ -0,0 +1,142 @@ | ||||
# Can't using PEP-604 with typer: https://github.com/tiangolo/typer/issues/348 | ||||
# from __future__ import annotations | ||||
There was a problem hiding this comment. Choose a reason for hiding this commentThe reason will be displayed to describe this comment to others. Learn more. ?
Suggested change
|
||||
from __future__ import annotations | ||||
|
||||
__all__ = ("app",) | ||||
|
||||
import asyncio | ||||
import json | ||||
import os | ||||
from datetime import datetime, timedelta, timezone | ||||
from typing import Annotated, Optional | ||||
|
||||
import typer | ||||
|
||||
from diracx.client.aio import DiracClient | ||||
from diracx.client.models import DeviceFlowErrorResponse | ||||
from diracx.core.preferences import get_diracx_preferences | ||||
from diracx.core.utils import read_credentials, write_credentials | ||||
|
||||
from .utils import AsyncTyper | ||||
|
||||
app = AsyncTyper() | ||||
|
||||
|
||||
async def installation_metadata(): | ||||
async with DiracClient() as api: | ||||
return await api.well_known.installation_metadata() | ||||
|
||||
|
||||
def vo_callback(vo: str | None) -> str: | ||||
metadata = asyncio.run(installation_metadata()) | ||||
vos = list(metadata.virtual_organizations) | ||||
if not vo: | ||||
raise typer.BadParameter( | ||||
f"VO must be specified, available options are: {' '.join(vos)}" | ||||
) | ||||
if vo not in vos: | ||||
raise typer.BadParameter( | ||||
f"Unknown VO {vo}, available options are: {' '.join(vos)}" | ||||
) | ||||
return vo | ||||
|
||||
|
||||
@app.async_command() | ||||
async def login( | ||||
vo: Annotated[ | ||||
Optional[str], | ||||
typer.Argument(callback=vo_callback, help="Virtual Organization name"), | ||||
] = None, | ||||
group: Optional[str] = typer.Option( | ||||
None, | ||||
help="Group name within the VO. If not provided, the default group for the VO will be used.", | ||||
), | ||||
property: Optional[list[str]] = typer.Option( | ||||
None, | ||||
help=( | ||||
"List of properties to add to the default properties of the group. " | ||||
"If not provided, default properties of the group will be used." | ||||
), | ||||
), | ||||
): | ||||
"""Login to the DIRAC system using the device flow. | ||||
|
||||
- If only VO is provided: Uses the default group and its properties for the VO. | ||||
|
||||
- If VO and group are provided: Uses the specified group and its properties for the VO. | ||||
|
||||
- If VO and properties are provided: Uses the default group and combines its properties with the | ||||
provided properties. | ||||
|
||||
- If VO, group, and properties are provided: Uses the specified group and combines its properties with the | ||||
provided properties. | ||||
""" | ||||
scopes = [f"vo:{vo}"] | ||||
if group: | ||||
scopes.append(f"group:{group}") | ||||
if property: | ||||
scopes += [f"property:{p}" for p in property] | ||||
|
||||
print(f"Logging in with scopes: {scopes}") | ||||
async with DiracClient() as api: | ||||
data = await api.auth.initiate_device_flow( | ||||
client_id=api.client_id, | ||||
scope=" ".join(scopes), | ||||
) | ||||
print("Now go to:", data.verification_uri_complete) | ||||
expires = datetime.now(tz=timezone.utc) + timedelta( | ||||
seconds=data.expires_in - 30 | ||||
) | ||||
while expires > datetime.now(tz=timezone.utc): | ||||
print(".", end="", flush=True) | ||||
response = await api.auth.token(device_code=data.device_code, client_id=api.client_id) # type: ignore | ||||
if isinstance(response, DeviceFlowErrorResponse): | ||||
if response.error == "authorization_pending": | ||||
# TODO: Setting more than 5 seconds results in an error | ||||
# Related to keep-alive disconnects from uvicon (--timeout-keep-alive) | ||||
await asyncio.sleep(2) | ||||
continue | ||||
raise RuntimeError(f"Device flow failed with {response}") | ||||
break | ||||
else: | ||||
raise RuntimeError("Device authorization flow expired") | ||||
|
||||
# Save credentials | ||||
write_credentials(response) | ||||
credentials_path = get_diracx_preferences().credentials_path | ||||
print(f"Saved credentials to {credentials_path}") | ||||
print("\nLogin successful!") | ||||
|
||||
|
||||
@app.async_command() | ||||
async def whoami(): | ||||
async with DiracClient() as api: | ||||
user_info = await api.auth.userinfo() | ||||
# TODO: Add a RICH output format | ||||
print(json.dumps(user_info.as_dict(), indent=2)) | ||||
|
||||
|
||||
@app.async_command() | ||||
async def logout(): | ||||
async with DiracClient() as api: | ||||
credentials_path = get_diracx_preferences().credentials_path | ||||
if credentials_path.exists(): | ||||
credentials = read_credentials(credentials_path) | ||||
|
||||
# Revoke refresh token | ||||
try: | ||||
await api.auth.revoke_refresh_token(credentials.refresh_token) | ||||
except Exception as e: | ||||
print(f"Error revoking the refresh token {e!r}") | ||||
pass | ||||
|
||||
# Remove credentials | ||||
credentials_path.unlink(missing_ok=True) | ||||
print(f"Removed credentials from {credentials_path}") | ||||
print("\nLogout successful!") | ||||
|
||||
|
||||
@app.callback() | ||||
def callback(output_format: Optional[str] = None): | ||||
if output_format is not None: | ||||
os.environ["DIRACX_OUTPUT_FORMAT"] = output_format | ||||
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
The issue has been closed in August, so we can probably remove this comment now?