Skip to content

Commit 2139b10

Browse files
committed
add function for listing lqs by flavors
Signed-off-by: Kevin <[email protected]>
1 parent 7c04444 commit 2139b10

File tree

4 files changed

+111
-20
lines changed

4 files changed

+111
-20
lines changed

src/codeflare_sdk/common/kubernetes_cluster/kube_api_helpers.py

+20
Original file line numberDiff line numberDiff line change
@@ -20,6 +20,7 @@
2020
import executing
2121
from kubernetes import client, config
2222
from urllib3.util import parse_url
23+
import os
2324

2425

2526
# private methods
@@ -49,3 +50,22 @@ def _kube_api_error_handling(
4950
elif e.reason == "Conflict":
5051
raise FileExistsError(exists_msg)
5152
raise e
53+
54+
55+
def get_current_namespace(): # pragma: no cover
56+
if os.path.isfile("/var/run/secrets/kubernetes.io/serviceaccount/namespace"):
57+
try:
58+
file = open("/var/run/secrets/kubernetes.io/serviceaccount/namespace", "r")
59+
active_context = file.readline().strip("\n")
60+
return active_context
61+
except Exception as e:
62+
print("Unable to find current namespace")
63+
print("trying to gather from current context")
64+
try:
65+
_, active_context = config.list_kube_config_contexts(config_check())
66+
except Exception as e:
67+
return _kube_api_error_handling(e)
68+
try:
69+
return active_context["context"]["namespace"]
70+
except KeyError:
71+
return None

src/codeflare_sdk/common/kueue/kueue.py

+48-1
Original file line numberDiff line numberDiff line change
@@ -12,7 +12,7 @@
1212
# See the License for the specific language governing permissions and
1313
# limitations under the License.
1414

15-
from typing import Optional
15+
from typing import Optional, List
1616
from codeflare_sdk.common import _kube_api_error_handling
1717
from codeflare_sdk.common.kubernetes_cluster.auth import config_check, get_api_client
1818
from kubernetes import client
@@ -45,6 +45,53 @@ def get_default_kueue_name(namespace: str):
4545
return lq["metadata"]["name"]
4646

4747

48+
def list_local_queues(
49+
namespace: Optional[str] = None, flavors: Optional[List[str]] = None
50+
) -> List[dict]:
51+
"""
52+
This function lists all local queues in the namespace provided.
53+
54+
If no namespace is provided, it will use the current namespace. If flavors is provided, it will only return local
55+
queues that support all the flavors provided.
56+
57+
Note:
58+
Depending on the version of the local queue API, the available flavors may not be present in the response.
59+
60+
Args:
61+
namespace (str, optional): The namespace to list local queues from. Defaults to None.
62+
flavors (List[str], optional): The flavors to filter local queues by. Defaults to None.
63+
Returns:
64+
List[dict]: A list of dictionaries containing the name of the local queue and the available flavors
65+
"""
66+
67+
from ...ray.cluster.cluster import get_current_namespace
68+
69+
if namespace is None: # pragma: no cover
70+
namespace = get_current_namespace()
71+
try:
72+
config_check()
73+
api_instance = client.CustomObjectsApi(get_api_client())
74+
local_queues = api_instance.list_namespaced_custom_object(
75+
group="kueue.x-k8s.io",
76+
version="v1beta1",
77+
namespace=namespace,
78+
plural="localqueues",
79+
)
80+
except ApiException as e: # pragma: no cover
81+
return _kube_api_error_handling(e)
82+
to_return = []
83+
for lq in local_queues["items"]:
84+
item = {"name": lq["metadata"]["name"]}
85+
if "flavors" in lq["status"]:
86+
item["flavors"] = [f["name"] for f in lq["status"]["flavors"]]
87+
if flavors is not None and not set(flavors).issubset(set(item["flavors"])):
88+
continue
89+
elif flavors is not None:
90+
continue # NOTE: may be indicative old local queue API and might be worth while raising or warning here
91+
to_return.append(item)
92+
return to_return
93+
94+
4895
def local_queue_exists(namespace: str, local_queue_name: str):
4996
# get all local queues in the namespace
5097
try:

src/codeflare_sdk/common/kueue/test_kueue.py

+42
Original file line numberDiff line numberDiff line change
@@ -18,6 +18,7 @@
1818
import os
1919
import filecmp
2020
from pathlib import Path
21+
from .kueue import list_local_queues
2122

2223
parent = Path(__file__).resolve().parents[4] # project directory
2324
aw_dir = os.path.expanduser("~/.codeflare/resources/")
@@ -131,6 +132,47 @@ def test_get_local_queue_exists_fail(mocker):
131132
)
132133

133134

135+
def test_list_local_queues(mocker):
136+
mocker.patch("kubernetes.client.ApisApi.get_api_versions")
137+
mocker.patch(
138+
"kubernetes.client.CustomObjectsApi.list_namespaced_custom_object",
139+
return_value={
140+
"items": [
141+
{
142+
"metadata": {"name": "lq1"},
143+
"status": {"flavors": [{"name": "default"}]},
144+
},
145+
{
146+
"metadata": {"name": "lq2"},
147+
"status": {
148+
"flavors": [{"name": "otherflavor"}, {"name": "default"}]
149+
},
150+
},
151+
]
152+
},
153+
)
154+
lqs = list_local_queues("ns")
155+
assert lqs == [
156+
{"name": "lq1", "flavors": ["default"]},
157+
{"name": "lq2", "flavors": ["otherflavor", "default"]},
158+
]
159+
lqs = list_local_queues("ns", flavors=["otherflavor"])
160+
assert lqs == [{"name": "lq2", "flavors": ["otherflavor", "default"]}]
161+
mocker.patch(
162+
"kubernetes.client.CustomObjectsApi.list_namespaced_custom_object",
163+
return_value={
164+
"items": [
165+
{
166+
"metadata": {"name": "lq1"},
167+
"status": {},
168+
},
169+
]
170+
},
171+
)
172+
lqs = list_local_queues("ns", flavors=["default"])
173+
assert lqs == []
174+
175+
134176
# Make sure to always keep this function last
135177
def test_cleanup():
136178
os.remove(f"{aw_dir}unit-test-cluster-kueue.yaml")

src/codeflare_sdk/ray/cluster/cluster.py

+1-19
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,7 @@
2727
config_check,
2828
get_api_client,
2929
)
30+
from ...common.kubernetes_cluster.kube_api_helpers import get_current_namespace
3031
from . import pretty_print
3132
from .generate_yaml import (
3233
generate_appwrapper,
@@ -573,25 +574,6 @@ def list_all_queued(
573574
return resources
574575

575576

576-
def get_current_namespace(): # pragma: no cover
577-
if os.path.isfile("/var/run/secrets/kubernetes.io/serviceaccount/namespace"):
578-
try:
579-
file = open("/var/run/secrets/kubernetes.io/serviceaccount/namespace", "r")
580-
active_context = file.readline().strip("\n")
581-
return active_context
582-
except Exception as e:
583-
print("Unable to find current namespace")
584-
print("trying to gather from current context")
585-
try:
586-
_, active_context = config.list_kube_config_contexts(config_check())
587-
except Exception as e:
588-
return _kube_api_error_handling(e)
589-
try:
590-
return active_context["context"]["namespace"]
591-
except KeyError:
592-
return None
593-
594-
595577
def get_cluster(
596578
cluster_name: str,
597579
namespace: str = "default",

0 commit comments

Comments
 (0)