skypilot-nightly 1.0.0.dev20250310__py3-none-any.whl → 1.0.0.dev20250311__py3-none-any.whl
This diff represents the content of publicly available package versions that have been released to one of the supported registries. The information contained in this diff is provided for informational purposes only and reflects changes between package versions as they appear in their respective public registries.
- sky/__init__.py +2 -2
- sky/clouds/kubernetes.py +89 -9
- sky/clouds/service_catalog/kubernetes_catalog.py +3 -2
- sky/exceptions.py +9 -0
- sky/provision/kubernetes/network.py +7 -0
- sky/provision/kubernetes/network_utils.py +3 -2
- sky/provision/kubernetes/utils.py +21 -14
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/METADATA +1 -1
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/RECORD +13 -13
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/LICENSE +0 -0
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/WHEEL +0 -0
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/entry_points.txt +0 -0
- {skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/top_level.txt +0 -0
sky/__init__.py
CHANGED
@@ -5,7 +5,7 @@ from typing import Optional
|
|
5
5
|
import urllib.request
|
6
6
|
|
7
7
|
# Replaced with the current commit when building the wheels.
|
8
|
-
_SKYPILOT_COMMIT_SHA = '
|
8
|
+
_SKYPILOT_COMMIT_SHA = '439de1a24a6f0a9601051ecdc3e565308bac442a'
|
9
9
|
|
10
10
|
|
11
11
|
def _get_git_commit():
|
@@ -35,7 +35,7 @@ def _get_git_commit():
|
|
35
35
|
|
36
36
|
|
37
37
|
__commit__ = _get_git_commit()
|
38
|
-
__version__ = '1.0.0.
|
38
|
+
__version__ = '1.0.0.dev20250311'
|
39
39
|
__root_dir__ = os.path.dirname(os.path.abspath(__file__))
|
40
40
|
|
41
41
|
|
sky/clouds/kubernetes.py
CHANGED
@@ -2,9 +2,10 @@
|
|
2
2
|
import os
|
3
3
|
import re
|
4
4
|
import typing
|
5
|
-
from typing import Dict, Iterator, List, Optional, Tuple, Union
|
5
|
+
from typing import Dict, Iterator, List, Optional, Set, Tuple, Union
|
6
6
|
|
7
7
|
from sky import clouds
|
8
|
+
from sky import exceptions
|
8
9
|
from sky import sky_logging
|
9
10
|
from sky import skypilot_config
|
10
11
|
from sky.adaptors import kubernetes
|
@@ -78,6 +79,11 @@ class Kubernetes(clouds.Cloud):
|
|
78
79
|
PROVISIONER_VERSION = clouds.ProvisionerVersion.SKYPILOT
|
79
80
|
STATUS_VERSION = clouds.StatusVersion.SKYPILOT
|
80
81
|
|
82
|
+
_INDENT_PREFIX = ' ' * 4
|
83
|
+
|
84
|
+
# Set of contexts that has logged as temporarily unreachable
|
85
|
+
logged_unreachable_contexts: Set[str] = set()
|
86
|
+
|
81
87
|
@property
|
82
88
|
def ssh_key_secret_field_name(self):
|
83
89
|
# Use a fresh user hash to avoid conflicts in the secret object naming.
|
@@ -90,6 +96,8 @@ class Kubernetes(clouds.Cloud):
|
|
90
96
|
def _unsupported_features_for_resources(
|
91
97
|
cls, resources: 'resources_lib.Resources'
|
92
98
|
) -> Dict[clouds.CloudImplementationFeatures, str]:
|
99
|
+
# TODO(aylei): features need to be regional (per context) to make
|
100
|
+
# multi-kubernetes selection/failover work.
|
93
101
|
unsupported_features = cls._CLOUD_UNSUPPORTED_FEATURES.copy()
|
94
102
|
context = resources.region
|
95
103
|
if context is None:
|
@@ -106,10 +114,13 @@ class Kubernetes(clouds.Cloud):
|
|
106
114
|
unsupported_features[
|
107
115
|
clouds.CloudImplementationFeatures.AUTO_TERMINATE] = message
|
108
116
|
# Allow spot instances if supported by the cluster
|
109
|
-
|
110
|
-
|
111
|
-
|
112
|
-
|
117
|
+
try:
|
118
|
+
spot_label_key, _ = kubernetes_utils.get_spot_label(context)
|
119
|
+
if spot_label_key is not None:
|
120
|
+
unsupported_features.pop(
|
121
|
+
clouds.CloudImplementationFeatures.SPOT_INSTANCE, None)
|
122
|
+
except exceptions.KubeAPIUnreachableError as e:
|
123
|
+
cls._log_unreachable_context(context, str(e))
|
113
124
|
return unsupported_features
|
114
125
|
|
115
126
|
@classmethod
|
@@ -170,6 +181,36 @@ class Kubernetes(clouds.Cloud):
|
|
170
181
|
cls._log_skipped_contexts_once(tuple(skipped_contexts))
|
171
182
|
return existing_contexts
|
172
183
|
|
184
|
+
@classmethod
|
185
|
+
def _log_unreachable_context(cls,
|
186
|
+
context: str,
|
187
|
+
reason: Optional[str] = None) -> None:
|
188
|
+
"""Logs a Kubernetes context as unreachable.
|
189
|
+
|
190
|
+
Args:
|
191
|
+
context: The Kubernetes context to mark as unreachable.
|
192
|
+
reason: Optional reason for marking the context as unreachable.
|
193
|
+
silent: Whether to suppress the log message.
|
194
|
+
"""
|
195
|
+
# Skip if this context has already been logged as unreachable
|
196
|
+
if context in cls.logged_unreachable_contexts:
|
197
|
+
return
|
198
|
+
|
199
|
+
cls.logged_unreachable_contexts.add(context)
|
200
|
+
msg = f'Excluding Kubernetes context {context}'
|
201
|
+
if reason is not None:
|
202
|
+
msg += f': {reason}'
|
203
|
+
logger.info(msg)
|
204
|
+
|
205
|
+
# Check if all existing allowed contexts are now unreachable
|
206
|
+
existing_contexts = cls.existing_allowed_contexts()
|
207
|
+
if existing_contexts and all(ctx in cls.logged_unreachable_contexts
|
208
|
+
for ctx in existing_contexts):
|
209
|
+
logger.warning(
|
210
|
+
'All Kubernetes contexts are unreachable. '
|
211
|
+
'Retry if it is a transient error, or run sky check to '
|
212
|
+
'refresh Kubernetes availability if permanent.')
|
213
|
+
|
173
214
|
@classmethod
|
174
215
|
def regions_with_offering(cls, instance_type: Optional[str],
|
175
216
|
accelerators: Optional[Dict[str, int]],
|
@@ -198,8 +239,12 @@ class Kubernetes(clouds.Cloud):
|
|
198
239
|
# provision_timeout, after which failover will be triggered.
|
199
240
|
for r in regions:
|
200
241
|
context = r.name
|
201
|
-
|
202
|
-
|
242
|
+
try:
|
243
|
+
fits, reason = kubernetes_utils.check_instance_fits(
|
244
|
+
context, instance_type)
|
245
|
+
except exceptions.KubeAPIUnreachableError as e:
|
246
|
+
cls._log_unreachable_context(context, str(e))
|
247
|
+
continue
|
203
248
|
if fits:
|
204
249
|
regions_to_return.append(r)
|
205
250
|
else:
|
@@ -609,18 +654,53 @@ class Kubernetes(clouds.Cloud):
|
|
609
654
|
'Check if you have a valid kubeconfig file' +
|
610
655
|
check_skypilot_config_msg)
|
611
656
|
reasons = []
|
657
|
+
hints = []
|
658
|
+
success = False
|
612
659
|
for context in existing_allowed_contexts:
|
613
660
|
try:
|
614
661
|
check_result = kubernetes_utils.check_credentials(context)
|
615
662
|
if check_result[0]:
|
616
|
-
|
617
|
-
|
663
|
+
success = True
|
664
|
+
if check_result[1] is not None:
|
665
|
+
hints.append(f'Context {context}: {check_result[1]}')
|
666
|
+
else:
|
667
|
+
reasons.append(f'Context {context}: {check_result[1]}')
|
618
668
|
except Exception as e: # pylint: disable=broad-except
|
619
669
|
return (False, f'Credential check failed for {context}: '
|
620
670
|
f'{common_utils.format_exception(e)}')
|
671
|
+
if success:
|
672
|
+
return (True, cls._format_credential_check_results(hints, reasons))
|
621
673
|
return (False, 'Failed to find available context with working '
|
622
674
|
'credentials. Details:\n' + '\n'.join(reasons))
|
623
675
|
|
676
|
+
@classmethod
|
677
|
+
def _format_credential_check_results(cls, hints: List[str],
|
678
|
+
reasons: List[str]) -> str:
|
679
|
+
"""Format credential check results with hints and reasons.
|
680
|
+
|
681
|
+
Args:
|
682
|
+
hints: List of successful context check messages.
|
683
|
+
reasons: List of failed context check reasons.
|
684
|
+
|
685
|
+
Returns:
|
686
|
+
A formatted string containing hints and by failure reasons.
|
687
|
+
"""
|
688
|
+
message_parts = []
|
689
|
+
if len(hints) == 1 and not reasons:
|
690
|
+
return hints[0]
|
691
|
+
if hints:
|
692
|
+
message_parts.append(f'\n{cls._INDENT_PREFIX} ' +
|
693
|
+
f'\n{cls._INDENT_PREFIX} '.join(hints))
|
694
|
+
if reasons:
|
695
|
+
if hints:
|
696
|
+
message_parts.append('\n')
|
697
|
+
message_parts.append(
|
698
|
+
f'\n{cls._INDENT_PREFIX}Unavailable contexts (remove from '
|
699
|
+
'"allowed_contexts" config if permanently unavailable): '
|
700
|
+
f'\n{cls._INDENT_PREFIX} ' +
|
701
|
+
f'\n{cls._INDENT_PREFIX} '.join(reasons))
|
702
|
+
return ''.join(message_parts)
|
703
|
+
|
624
704
|
def get_credential_file_mounts(self) -> Dict[str, str]:
|
625
705
|
if os.path.exists(os.path.expanduser(CREDENTIAL_PATH)):
|
626
706
|
# Upload kubeconfig to the default path to avoid having to set
|
@@ -164,12 +164,13 @@ def _list_accelerators(
|
|
164
164
|
|
165
165
|
accelerators_qtys: Set[Tuple[str, int]] = set()
|
166
166
|
keys = lf.get_label_keys()
|
167
|
-
nodes = kubernetes_utils.get_kubernetes_nodes(context)
|
167
|
+
nodes = kubernetes_utils.get_kubernetes_nodes(context=context)
|
168
168
|
pods = None
|
169
169
|
if realtime:
|
170
170
|
# Get the pods to get the real-time GPU usage
|
171
171
|
try:
|
172
|
-
pods = kubernetes_utils.get_all_pods_in_kubernetes_cluster(
|
172
|
+
pods = kubernetes_utils.get_all_pods_in_kubernetes_cluster(
|
173
|
+
context=context)
|
173
174
|
except kubernetes.api_exception() as e:
|
174
175
|
if e.status == 403:
|
175
176
|
logger.warning(
|
sky/exceptions.py
CHANGED
@@ -156,6 +156,15 @@ class ResourcesUnavailableError(Exception):
|
|
156
156
|
return self
|
157
157
|
|
158
158
|
|
159
|
+
class KubeAPIUnreachableError(ResourcesUnavailableError):
|
160
|
+
"""Raised when the Kubernetes API is currently unreachable.
|
161
|
+
|
162
|
+
This is a subclass of ResourcesUnavailableError to trigger same failover
|
163
|
+
behavior as other ResourcesUnavailableError.
|
164
|
+
"""
|
165
|
+
pass
|
166
|
+
|
167
|
+
|
159
168
|
class InvalidCloudConfigs(Exception):
|
160
169
|
"""Raised when invalid configurations are provided for a given cloud."""
|
161
170
|
pass
|
@@ -157,7 +157,11 @@ def _cleanup_ports_for_loadbalancer(
|
|
157
157
|
) -> None:
|
158
158
|
service_name = _LOADBALANCER_SERVICE_NAME.format(
|
159
159
|
cluster_name_on_cloud=cluster_name_on_cloud)
|
160
|
+
# TODO(aylei): test coverage
|
161
|
+
context = provider_config.get(
|
162
|
+
'context', kubernetes_utils.get_current_kube_config_context_name())
|
160
163
|
network_utils.delete_namespaced_service(
|
164
|
+
context=context,
|
161
165
|
namespace=provider_config.get('namespace', 'default'),
|
162
166
|
service_name=service_name,
|
163
167
|
)
|
@@ -169,9 +173,12 @@ def _cleanup_ports_for_ingress(
|
|
169
173
|
provider_config: Dict[str, Any],
|
170
174
|
) -> None:
|
171
175
|
# Delete services for each port
|
176
|
+
context = provider_config.get(
|
177
|
+
'context', kubernetes_utils.get_current_kube_config_context_name())
|
172
178
|
for port in ports:
|
173
179
|
service_name = f'{cluster_name_on_cloud}--skypilot-svc--{port}'
|
174
180
|
network_utils.delete_namespaced_service(
|
181
|
+
context=context,
|
175
182
|
namespace=provider_config.get('namespace',
|
176
183
|
kubernetes_utils.DEFAULT_NAMESPACE),
|
177
184
|
service_name=service_name,
|
@@ -194,9 +194,10 @@ def create_or_replace_namespaced_service(
|
|
194
194
|
_request_timeout=kubernetes.API_TIMEOUT)
|
195
195
|
|
196
196
|
|
197
|
-
def delete_namespaced_service(
|
197
|
+
def delete_namespaced_service(context: Optional[str], namespace: str,
|
198
|
+
service_name: str) -> None:
|
198
199
|
"""Deletes a service resource."""
|
199
|
-
core_api = kubernetes.core_api()
|
200
|
+
core_api = kubernetes.core_api(context)
|
200
201
|
|
201
202
|
try:
|
202
203
|
core_api.delete_namespaced_service(
|
@@ -125,6 +125,10 @@ def _retry_on_error(max_retries=DEFAULT_MAX_RETRIES,
|
|
125
125
|
retry_interval: Initial seconds to wait between retries
|
126
126
|
resource_type: Type of resource being accessed (e.g. 'node', 'pod').
|
127
127
|
Used to provide more specific error messages.
|
128
|
+
|
129
|
+
Raises:
|
130
|
+
KubeAPIUnreachableError: If the API server of the given context is
|
131
|
+
unreachable.
|
128
132
|
"""
|
129
133
|
|
130
134
|
def decorator(func):
|
@@ -135,6 +139,9 @@ def _retry_on_error(max_retries=DEFAULT_MAX_RETRIES,
|
|
135
139
|
backoff = common_utils.Backoff(initial_backoff=retry_interval,
|
136
140
|
max_backoff_factor=3)
|
137
141
|
|
142
|
+
assert 'context' in kwargs, 'context is required'
|
143
|
+
context = kwargs.get('context')
|
144
|
+
|
138
145
|
for attempt in range(max_retries):
|
139
146
|
try:
|
140
147
|
return func(*args, **kwargs)
|
@@ -160,6 +167,8 @@ def _retry_on_error(max_retries=DEFAULT_MAX_RETRIES,
|
|
160
167
|
if resource_type else ''
|
161
168
|
debug_cmd = f' To debug, run: kubectl get {resource_type}s' \
|
162
169
|
if resource_type else ''
|
170
|
+
if context:
|
171
|
+
debug_cmd += f' --context {context}'
|
163
172
|
|
164
173
|
if isinstance(last_exception, kubernetes.max_retry_error()):
|
165
174
|
error_msg = f'Timed out{resource_msg} from Kubernetes cluster.'
|
@@ -170,7 +179,7 @@ def _retry_on_error(max_retries=DEFAULT_MAX_RETRIES,
|
|
170
179
|
error_msg = (f'Kubernetes configuration error{resource_msg}: '
|
171
180
|
f'{str(last_exception)}')
|
172
181
|
|
173
|
-
raise exceptions.
|
182
|
+
raise exceptions.KubeAPIUnreachableError(
|
174
183
|
f'{error_msg}'
|
175
184
|
f' Please check if the cluster is healthy and retry.'
|
176
185
|
f'{debug_cmd}') from last_exception
|
@@ -529,7 +538,7 @@ def detect_gpu_label_formatter(
|
|
529
538
|
"""
|
530
539
|
# Get all labels across all nodes
|
531
540
|
node_labels: Dict[str, List[Tuple[str, str]]] = {}
|
532
|
-
nodes = get_kubernetes_nodes(context)
|
541
|
+
nodes = get_kubernetes_nodes(context=context)
|
533
542
|
for node in nodes:
|
534
543
|
node_labels[node.metadata.name] = []
|
535
544
|
for label, value in node.metadata.labels.items():
|
@@ -564,7 +573,7 @@ def detect_accelerator_resource(
|
|
564
573
|
"""
|
565
574
|
# Get the set of resources across all nodes
|
566
575
|
cluster_resources: Set[str] = set()
|
567
|
-
nodes = get_kubernetes_nodes(context)
|
576
|
+
nodes = get_kubernetes_nodes(context=context)
|
568
577
|
for node in nodes:
|
569
578
|
cluster_resources.update(node.status.allocatable.keys())
|
570
579
|
has_accelerator = (get_gpu_resource_key() in cluster_resources or
|
@@ -575,7 +584,7 @@ def detect_accelerator_resource(
|
|
575
584
|
|
576
585
|
@annotations.lru_cache(scope='request', maxsize=10)
|
577
586
|
@_retry_on_error(resource_type='node')
|
578
|
-
def get_kubernetes_nodes(context: Optional[str] = None) -> List[Any]:
|
587
|
+
def get_kubernetes_nodes(*, context: Optional[str] = None) -> List[Any]:
|
579
588
|
"""Gets the kubernetes nodes in the context.
|
580
589
|
|
581
590
|
If context is None, gets the nodes in the current context.
|
@@ -589,8 +598,9 @@ def get_kubernetes_nodes(context: Optional[str] = None) -> List[Any]:
|
|
589
598
|
|
590
599
|
|
591
600
|
@_retry_on_error(resource_type='pod')
|
592
|
-
def get_all_pods_in_kubernetes_cluster(
|
593
|
-
|
601
|
+
def get_all_pods_in_kubernetes_cluster(*,
|
602
|
+
context: Optional[str] = None
|
603
|
+
) -> List[Any]:
|
594
604
|
"""Gets pods in all namespaces in kubernetes cluster indicated by context.
|
595
605
|
|
596
606
|
Used for computing cluster resource usage.
|
@@ -619,9 +629,6 @@ def check_instance_fits(context: Optional[str],
|
|
619
629
|
Optional[str]: Error message if the instance does not fit.
|
620
630
|
"""
|
621
631
|
|
622
|
-
# TODO(zhwu): this should check the node for specific context, instead
|
623
|
-
# of the default context to make failover fully functional.
|
624
|
-
|
625
632
|
def check_cpu_mem_fits(candidate_instance_type: 'KubernetesInstanceType',
|
626
633
|
node_list: List[Any]) -> Tuple[bool, Optional[str]]:
|
627
634
|
"""Checks if the instance fits on the cluster based on CPU and memory.
|
@@ -682,7 +689,7 @@ def check_instance_fits(context: Optional[str],
|
|
682
689
|
f'{tpu_list_in_cluster_str}. Note that multi-host TPU '
|
683
690
|
'podslices are currently not unsupported.')
|
684
691
|
|
685
|
-
nodes = get_kubernetes_nodes(context)
|
692
|
+
nodes = get_kubernetes_nodes(context=context)
|
686
693
|
k8s_instance_type = KubernetesInstanceType.\
|
687
694
|
from_instance_type(instance)
|
688
695
|
acc_type = k8s_instance_type.accelerator_type
|
@@ -2083,7 +2090,7 @@ def get_spot_label(
|
|
2083
2090
|
"""
|
2084
2091
|
# Check if the cluster supports spot instances by checking nodes for known
|
2085
2092
|
# spot label keys and values
|
2086
|
-
for node in get_kubernetes_nodes(context):
|
2093
|
+
for node in get_kubernetes_nodes(context=context):
|
2087
2094
|
for _, (key, value) in SPOT_LABEL_MAP.items():
|
2088
2095
|
if key in node.metadata.labels and node.metadata.labels[
|
2089
2096
|
key] == value:
|
@@ -2133,10 +2140,10 @@ def get_kubernetes_node_info(
|
|
2133
2140
|
Dict[str, KubernetesNodeInfo]: Dictionary containing the node name as
|
2134
2141
|
key and the KubernetesNodeInfo object as value
|
2135
2142
|
"""
|
2136
|
-
nodes = get_kubernetes_nodes(context)
|
2143
|
+
nodes = get_kubernetes_nodes(context=context)
|
2137
2144
|
# Get the pods to get the real-time resource usage
|
2138
2145
|
try:
|
2139
|
-
pods = get_all_pods_in_kubernetes_cluster(context)
|
2146
|
+
pods = get_all_pods_in_kubernetes_cluster(context=context)
|
2140
2147
|
except kubernetes.api_exception() as e:
|
2141
2148
|
if e.status == 403:
|
2142
2149
|
pods = None
|
@@ -2443,7 +2450,7 @@ def is_multi_host_tpu(node_metadata_labels: dict) -> bool:
|
|
2443
2450
|
|
2444
2451
|
def multi_host_tpu_exists_in_cluster(context: Optional[str] = None) -> bool:
|
2445
2452
|
"""Checks if there exists a multi-host TPU within the cluster."""
|
2446
|
-
nodes = get_kubernetes_nodes(context)
|
2453
|
+
nodes = get_kubernetes_nodes(context=context)
|
2447
2454
|
for node in nodes:
|
2448
2455
|
if is_multi_host_tpu(node.metadata.labels):
|
2449
2456
|
return True
|
{skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/RECORD
RENAMED
@@ -1,4 +1,4 @@
|
|
1
|
-
sky/__init__.py,sha256=
|
1
|
+
sky/__init__.py,sha256=BsWzCznVm1cQKZDKOkladqi6DUUPJs0mc7iSx5QIw_E,6428
|
2
2
|
sky/admin_policy.py,sha256=hPo02f_A32gCqhUueF0QYy1fMSSKqRwYEg_9FxScN_s,3248
|
3
3
|
sky/authentication.py,sha256=hCEqi77nprQEg3ktfRL51xiiw16zwZOmFEDB_Z7fWVU,22384
|
4
4
|
sky/check.py,sha256=NDKx_Zm7YRxPjMv82wz3ESLnGIPljaACyqVdVNM0PzY,11258
|
@@ -6,7 +6,7 @@ sky/cli.py,sha256=qBRqtKVV_GurbCFZBHkF2UIahy3A7bsOsmfCNm6mZ54,221503
|
|
6
6
|
sky/cloud_stores.py,sha256=kEHXd2divyra-1c3EusHxKyM5yTQlTXc6cKVXofsefA,23978
|
7
7
|
sky/core.py,sha256=MU9hcTdh8baMGrr2ZXmbxx12vNlhajrkeyg5QtV717c,47609
|
8
8
|
sky/dag.py,sha256=Yl7Ry26Vql5cv4YMz8g9kOUgtoCihJnw7c8NgZYakMY,3242
|
9
|
-
sky/exceptions.py,sha256=
|
9
|
+
sky/exceptions.py,sha256=KvKQDPmlO7Qk90_NyRRYO9yNYBifbDGfxsRIe_L_fWw,16345
|
10
10
|
sky/execution.py,sha256=0M4RTEzWn-B9oz221XdZOIGH12XOACmNq0j-WGUT_No,28023
|
11
11
|
sky/global_user_state.py,sha256=sUDdSsJeiJkbgmZNwy8YGFK0XeNh-RBr1VDUvbmjf0g,33246
|
12
12
|
sky/models.py,sha256=4xSW05BdDPEjW8Ubvj3VlVOVnzv0TbrolsFvR5R5v1U,638
|
@@ -55,7 +55,7 @@ sky/clouds/do.py,sha256=hmksx0XML0dVHUZBMV2Wr3a5VilOsYfxX2dSBV_XK5o,11487
|
|
55
55
|
sky/clouds/fluidstack.py,sha256=Eb0nlfU_EwTtGtV0nPKS2ueBlB0nYiDAN9swA-jjQV0,12446
|
56
56
|
sky/clouds/gcp.py,sha256=FUCUq94yGUZ_yyKxA3prRKTqetObbIMkfjAPTPbhXyA,55824
|
57
57
|
sky/clouds/ibm.py,sha256=R4JR96YfXstZ2B_IgFNVEX2SBAq3q0lSWz4y7FoFoeE,21474
|
58
|
-
sky/clouds/kubernetes.py,sha256=
|
58
|
+
sky/clouds/kubernetes.py,sha256=xsYX8HhdcRzsdx6Gd_3kumNqjMjpo_l4cinhs3ZMwZM,35067
|
59
59
|
sky/clouds/lambda_cloud.py,sha256=ejqA_Wj5-325Y_QjQ__FY4HMO8sv_2tSRsufmaldcmI,12699
|
60
60
|
sky/clouds/nebius.py,sha256=4180IruRMib7L9o60lrxrUDJtYhpX4lWFfAznbZoY6Q,12560
|
61
61
|
sky/clouds/oci.py,sha256=irINbQsQ6YxRxGTMaCNsms3mZkIun2oJMMA1fMCRJyA,27072
|
@@ -75,7 +75,7 @@ sky/clouds/service_catalog/do_catalog.py,sha256=Cug2QaQlSN6nFhba7f1ksyzs6z0ICTj6
|
|
75
75
|
sky/clouds/service_catalog/fluidstack_catalog.py,sha256=21-cvrYEYTIi7n3ZNF2e7_0QX-PF4BkhlVJUWQOvKrY,5059
|
76
76
|
sky/clouds/service_catalog/gcp_catalog.py,sha256=jJEfWjZ4ItsE657LjIf9mruJVZERFegCD5Qtu20AFNc,24542
|
77
77
|
sky/clouds/service_catalog/ibm_catalog.py,sha256=1iK0KvbI82U7sySb7chr-qm_16x3tTnZ6nIo7o76ouc,4493
|
78
|
-
sky/clouds/service_catalog/kubernetes_catalog.py,sha256=
|
78
|
+
sky/clouds/service_catalog/kubernetes_catalog.py,sha256=kTGF-RLzxmfGrTQIekICC1F1DbAa-5KJT28EOrzCiHA,13569
|
79
79
|
sky/clouds/service_catalog/lambda_catalog.py,sha256=2R-ccu63BbdvO6X80MtxiniA-jLewXb6I0Ye1rYD9fY,5302
|
80
80
|
sky/clouds/service_catalog/nebius_catalog.py,sha256=SEPyR9kCvirp6astnEUOfEMru48uyX_EIC6nbL1YBUA,4507
|
81
81
|
sky/clouds/service_catalog/oci_catalog.py,sha256=cyA6ZqwHGOKuPxUl_dKmFGdeWdQGMrvl_-o2MtyF998,8580
|
@@ -163,9 +163,9 @@ sky/provision/kubernetes/__init__.py,sha256=y6yVfii81WYG3ROxv4hiIj-ydinS5-xGxLvX
|
|
163
163
|
sky/provision/kubernetes/config.py,sha256=bXwOGdSAnXCkDreew0KsSUqSv3ZrptNeevqat76LLts,29012
|
164
164
|
sky/provision/kubernetes/constants.py,sha256=dZCUV8FOO9Gct80sdqeubKnxeW3CGl-u5mxKeIb-B0M,411
|
165
165
|
sky/provision/kubernetes/instance.py,sha256=oag17OtuiqU-1RjkgW9NvEpxSGUFIYdI7M61S-YmPu8,50503
|
166
|
-
sky/provision/kubernetes/network.py,sha256=
|
167
|
-
sky/provision/kubernetes/network_utils.py,sha256=
|
168
|
-
sky/provision/kubernetes/utils.py,sha256=
|
166
|
+
sky/provision/kubernetes/network.py,sha256=AtcOM8wPs_-UlQJhGEQGP6Lh4HIgdx63Y0iWEhP5jyc,12673
|
167
|
+
sky/provision/kubernetes/network_utils.py,sha256=Bwy5ZQb62ejC7ZHM4htjzhs86UNACK7AXN-NfQ9IJrE,11454
|
168
|
+
sky/provision/kubernetes/utils.py,sha256=pmtjphlon6ANdMFy7aqGFhh4bSUYAEdMQ5ARSUD2s4w,109746
|
169
169
|
sky/provision/kubernetes/manifests/smarter-device-manager-configmap.yaml,sha256=AMzYzlY0JIlfBWj5eX054Rc1XDW2thUcLSOGMJVhIdA,229
|
170
170
|
sky/provision/kubernetes/manifests/smarter-device-manager-daemonset.yaml,sha256=RtTq4F1QUmR2Uunb6zuuRaPhV7hpesz4saHjn3Ncsb4,2010
|
171
171
|
sky/provision/lambda_cloud/__init__.py,sha256=6EEvSgtUeEiup9ivIFevHmgv0GqleroO2X0K7TRa2nE,612
|
@@ -344,9 +344,9 @@ sky/utils/kubernetes/k8s_gpu_labeler_setup.yaml,sha256=VLKT2KKimZu1GDg_4AIlIt488
|
|
344
344
|
sky/utils/kubernetes/kubernetes_deploy_utils.py,sha256=otzHzpliHDCpzYT-nU9Q0ZExbiFpDPWvhxwkvchZj7k,10073
|
345
345
|
sky/utils/kubernetes/rsync_helper.sh,sha256=h4YwrPFf9727CACnMJvF3EyK_0OeOYKKt4su_daKekw,1256
|
346
346
|
sky/utils/kubernetes/ssh_jump_lifecycle_manager.py,sha256=Kq1MDygF2IxFmu9FXpCxqucXLmeUrvs6OtRij6XTQbo,6554
|
347
|
-
skypilot_nightly-1.0.0.
|
348
|
-
skypilot_nightly-1.0.0.
|
349
|
-
skypilot_nightly-1.0.0.
|
350
|
-
skypilot_nightly-1.0.0.
|
351
|
-
skypilot_nightly-1.0.0.
|
352
|
-
skypilot_nightly-1.0.0.
|
347
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/LICENSE,sha256=emRJAvE7ngL6x0RhQvlns5wJzGI3NEQ_WMjNmd9TZc4,12170
|
348
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/METADATA,sha256=sSJcOjrZzxkaeM8U9koQpUk4DNlQa4RfH21iDGPCbXo,18051
|
349
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/WHEEL,sha256=52BFRY2Up02UkjOa29eZOS2VxUrpPORXg1pkohGGUS8,91
|
350
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/entry_points.txt,sha256=StA6HYpuHj-Y61L2Ze-hK2IcLWgLZcML5gJu8cs6nU4,36
|
351
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/top_level.txt,sha256=qA8QuiNNb6Y1OF-pCUtPEr6sLEwy2xJX06Bd_CrtrHY,4
|
352
|
+
skypilot_nightly-1.0.0.dev20250311.dist-info/RECORD,,
|
File without changes
|
{skypilot_nightly-1.0.0.dev20250310.dist-info → skypilot_nightly-1.0.0.dev20250311.dist-info}/WHEEL
RENAMED
File without changes
|
File without changes
|
File without changes
|