xoscar 0.7.11__cp311-cp311-macosx_11_0_arm64.whl → 0.7.12__cp311-cp311-macosx_11_0_arm64.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.
Potentially problematic release.
This version of xoscar might be problematic. Click here for more details.
- xoscar/_utils.cpython-311-darwin.so +0 -0
- xoscar/backends/message.cpython-311-darwin.so +0 -0
- xoscar/context.cpython-311-darwin.so +0 -0
- xoscar/core.cpython-311-darwin.so +0 -0
- xoscar/serialization/core.cpython-311-darwin.so +0 -0
- xoscar/virtualenv/uv.py +154 -22
- {xoscar-0.7.11.dist-info → xoscar-0.7.12.dist-info}/METADATA +1 -1
- {xoscar-0.7.11.dist-info → xoscar-0.7.12.dist-info}/RECORD +10 -10
- {xoscar-0.7.11.dist-info → xoscar-0.7.12.dist-info}/WHEEL +0 -0
- {xoscar-0.7.11.dist-info → xoscar-0.7.12.dist-info}/top_level.txt +0 -0
|
Binary file
|
|
Binary file
|
|
Binary file
|
|
Binary file
|
|
Binary file
|
xoscar/virtualenv/uv.py
CHANGED
|
@@ -16,17 +16,24 @@ from __future__ import annotations
|
|
|
16
16
|
|
|
17
17
|
import logging
|
|
18
18
|
import os
|
|
19
|
+
import re
|
|
19
20
|
import shutil
|
|
20
21
|
import subprocess
|
|
21
22
|
import sys
|
|
22
23
|
import sysconfig
|
|
24
|
+
import tempfile
|
|
25
|
+
from importlib.metadata import distributions
|
|
23
26
|
from pathlib import Path
|
|
24
27
|
from typing import Optional
|
|
25
28
|
|
|
29
|
+
from packaging.requirements import Requirement
|
|
30
|
+
from packaging.version import Version
|
|
31
|
+
|
|
26
32
|
from .core import VirtualEnvManager
|
|
27
33
|
from .utils import run_subprocess_with_logger
|
|
28
34
|
|
|
29
35
|
UV_PATH = os.getenv("XOSCAR_UV_PATH")
|
|
36
|
+
SKIP_INSTALLED = bool(int(os.getenv("XOSCAR_VIRTUAL_ENV_SKIP_INSTALLED", "0")))
|
|
30
37
|
logger = logging.getLogger(__name__)
|
|
31
38
|
|
|
32
39
|
|
|
@@ -46,7 +53,8 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
46
53
|
return True
|
|
47
54
|
return shutil.which("uv") is not None
|
|
48
55
|
|
|
49
|
-
|
|
56
|
+
@staticmethod
|
|
57
|
+
def _get_uv_path() -> str:
|
|
50
58
|
if (uv_path := UV_PATH) is None:
|
|
51
59
|
try:
|
|
52
60
|
from uv import find_uv_bin
|
|
@@ -55,6 +63,10 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
55
63
|
except (ImportError, FileNotFoundError):
|
|
56
64
|
logger.warning("Fail to find uv bin, use system one")
|
|
57
65
|
uv_path = "uv"
|
|
66
|
+
return uv_path
|
|
67
|
+
|
|
68
|
+
def create_env(self, python_path: Path | None = None) -> None:
|
|
69
|
+
uv_path = self._get_uv_path()
|
|
58
70
|
cmd = [uv_path, "venv", str(self.env_path), "--system-site-packages"]
|
|
59
71
|
if python_path:
|
|
60
72
|
cmd += ["--python", str(python_path)]
|
|
@@ -67,6 +79,112 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
67
79
|
logger.info("Creating virtualenv via command: %s", cmd)
|
|
68
80
|
subprocess.run(cmd, check=True)
|
|
69
81
|
|
|
82
|
+
def _resolve_install_plan(
|
|
83
|
+
self, specs: list[str], pinned: dict[str, str]
|
|
84
|
+
) -> list[str]:
|
|
85
|
+
"""
|
|
86
|
+
Run uv --dry-run with pinned constraints and return
|
|
87
|
+
a list like ['package==version', ...].
|
|
88
|
+
"""
|
|
89
|
+
with tempfile.NamedTemporaryFile("w+", delete=True) as f:
|
|
90
|
+
for name, ver in pinned.items():
|
|
91
|
+
f.write(f"{name}=={ver}\n")
|
|
92
|
+
f.flush() # make sure content is on disk
|
|
93
|
+
|
|
94
|
+
cmd = [
|
|
95
|
+
self._get_uv_path(),
|
|
96
|
+
"pip",
|
|
97
|
+
"install",
|
|
98
|
+
"-p",
|
|
99
|
+
str(self.env_path),
|
|
100
|
+
"--dry-run",
|
|
101
|
+
"--constraint",
|
|
102
|
+
f.name,
|
|
103
|
+
*specs,
|
|
104
|
+
]
|
|
105
|
+
result = subprocess.run(cmd, check=True, text=True, capture_output=True)
|
|
106
|
+
|
|
107
|
+
# the temp file is automatically deleted here
|
|
108
|
+
deps = [
|
|
109
|
+
f"{m.group(1)}=={m.group(2)}"
|
|
110
|
+
for line in result.stderr.splitlines()
|
|
111
|
+
if (m := re.match(r"^\+ (\S+)==(\S+)$", line.strip()))
|
|
112
|
+
]
|
|
113
|
+
return deps
|
|
114
|
+
|
|
115
|
+
@staticmethod
|
|
116
|
+
def _split_specs(
|
|
117
|
+
specs: list[str], installed: dict[str, str]
|
|
118
|
+
) -> tuple[list[str], dict[str, str]]:
|
|
119
|
+
"""
|
|
120
|
+
Split the given requirement specs into:
|
|
121
|
+
- to_resolve: specs that need to be passed to the resolver (unsatisfied ones)
|
|
122
|
+
- pinned: already satisfied specs, used for constraint to lock their versions
|
|
123
|
+
"""
|
|
124
|
+
to_resolve: list[str] = []
|
|
125
|
+
pinned: dict[str, str] = {}
|
|
126
|
+
|
|
127
|
+
for spec_str in specs:
|
|
128
|
+
req = Requirement(spec_str)
|
|
129
|
+
name = req.name.lower()
|
|
130
|
+
cur_ver = installed.get(name)
|
|
131
|
+
|
|
132
|
+
if cur_ver is None:
|
|
133
|
+
# Package not installed, needs resolution
|
|
134
|
+
to_resolve.append(spec_str)
|
|
135
|
+
continue
|
|
136
|
+
|
|
137
|
+
if not req.specifier:
|
|
138
|
+
# No version constraint, already satisfied
|
|
139
|
+
pinned[name] = cur_ver
|
|
140
|
+
continue
|
|
141
|
+
|
|
142
|
+
try:
|
|
143
|
+
if Version(cur_ver) in req.specifier:
|
|
144
|
+
# Version satisfies the specifier, pin it
|
|
145
|
+
pinned[name] = cur_ver
|
|
146
|
+
else:
|
|
147
|
+
# Version does not satisfy, needs resolution
|
|
148
|
+
to_resolve.append(spec_str)
|
|
149
|
+
except Exception:
|
|
150
|
+
# Parsing error, be conservative and resolve it
|
|
151
|
+
to_resolve.append(spec_str)
|
|
152
|
+
|
|
153
|
+
return to_resolve, pinned
|
|
154
|
+
|
|
155
|
+
def _filter_packages_not_installed(self, packages: list[str]) -> list[str]:
|
|
156
|
+
"""
|
|
157
|
+
Filter out packages that are already installed with the same version.
|
|
158
|
+
"""
|
|
159
|
+
|
|
160
|
+
# all the installed packages in system site packages
|
|
161
|
+
installed = {
|
|
162
|
+
dist.metadata["Name"].lower(): dist.version
|
|
163
|
+
for dist in distributions()
|
|
164
|
+
if dist.metadata and "Name" in dist.metadata
|
|
165
|
+
}
|
|
166
|
+
|
|
167
|
+
# exclude those packages that satisfied in system site packages
|
|
168
|
+
to_resolve, pinned = self._split_specs(packages, installed)
|
|
169
|
+
if not to_resolve:
|
|
170
|
+
logger.debug("All requirement specifiers satisfied by system packages.")
|
|
171
|
+
return []
|
|
172
|
+
|
|
173
|
+
resolved = self._resolve_install_plan(to_resolve, pinned)
|
|
174
|
+
logger.debug(f"Resolved install list: {resolved}")
|
|
175
|
+
if not resolved:
|
|
176
|
+
# no packages to install
|
|
177
|
+
return []
|
|
178
|
+
|
|
179
|
+
final = []
|
|
180
|
+
for item in resolved:
|
|
181
|
+
name, version = item.split("==")
|
|
182
|
+
key = name.lower()
|
|
183
|
+
if key not in installed or installed[key] != version:
|
|
184
|
+
final.append(item)
|
|
185
|
+
logger.debug(f"Filtered install list: {final}")
|
|
186
|
+
return final
|
|
187
|
+
|
|
70
188
|
def install_packages(self, packages: list[str], **kwargs):
|
|
71
189
|
"""
|
|
72
190
|
Install packages into the virtual environment using uv.
|
|
@@ -75,22 +193,36 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
75
193
|
if not packages:
|
|
76
194
|
return
|
|
77
195
|
|
|
78
|
-
# extend the ability of pip
|
|
79
|
-
# maybe replace #system_torch# to the real version
|
|
80
196
|
packages = self.process_packages(packages)
|
|
81
197
|
log = kwargs.pop("log", False)
|
|
198
|
+
skip_installed = kwargs.pop("skip_installed", SKIP_INSTALLED)
|
|
199
|
+
uv_path = self._get_uv_path()
|
|
200
|
+
|
|
201
|
+
if skip_installed:
|
|
202
|
+
packages = self._filter_packages_not_installed(packages)
|
|
203
|
+
if not packages:
|
|
204
|
+
logger.info("All required packages are already installed.")
|
|
205
|
+
return
|
|
206
|
+
|
|
207
|
+
cmd = [
|
|
208
|
+
uv_path,
|
|
209
|
+
"pip",
|
|
210
|
+
"install",
|
|
211
|
+
"-p",
|
|
212
|
+
str(self.env_path),
|
|
213
|
+
"--color=always",
|
|
214
|
+
"--no-deps",
|
|
215
|
+
] + packages
|
|
216
|
+
else:
|
|
217
|
+
cmd = [
|
|
218
|
+
uv_path,
|
|
219
|
+
"pip",
|
|
220
|
+
"install",
|
|
221
|
+
"-p",
|
|
222
|
+
str(self.env_path),
|
|
223
|
+
"--color=always",
|
|
224
|
+
] + packages
|
|
82
225
|
|
|
83
|
-
uv_path = UV_PATH or "uv"
|
|
84
|
-
cmd = [
|
|
85
|
-
uv_path,
|
|
86
|
-
"pip",
|
|
87
|
-
"install",
|
|
88
|
-
"-p",
|
|
89
|
-
str(self.env_path),
|
|
90
|
-
"--color=always",
|
|
91
|
-
] + packages
|
|
92
|
-
|
|
93
|
-
# Handle known pip-related kwargs
|
|
94
226
|
if "index_url" in kwargs and kwargs["index_url"]:
|
|
95
227
|
cmd += ["-i", kwargs["index_url"]]
|
|
96
228
|
param_and_option = [
|
|
@@ -100,12 +232,13 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
100
232
|
]
|
|
101
233
|
for param, option in param_and_option:
|
|
102
234
|
if param in kwargs and kwargs[param]:
|
|
103
|
-
|
|
104
|
-
|
|
105
|
-
|
|
106
|
-
|
|
107
|
-
|
|
108
|
-
|
|
235
|
+
val = kwargs[param]
|
|
236
|
+
cmd += (
|
|
237
|
+
[option, val]
|
|
238
|
+
if isinstance(val, str)
|
|
239
|
+
else [opt for v in val for opt in (option, v)]
|
|
240
|
+
)
|
|
241
|
+
|
|
109
242
|
if kwargs.get("no_build_isolation", False):
|
|
110
243
|
cmd += ["--no-build-isolation"]
|
|
111
244
|
|
|
@@ -118,8 +251,7 @@ class UVVirtualEnvManager(VirtualEnvManager):
|
|
|
118
251
|
self._install_process = process
|
|
119
252
|
returncode = process.returncode
|
|
120
253
|
|
|
121
|
-
self._install_process = None
|
|
122
|
-
|
|
254
|
+
self._install_process = None
|
|
123
255
|
if returncode != 0:
|
|
124
256
|
raise subprocess.CalledProcessError(returncode, cmd)
|
|
125
257
|
|
|
@@ -1,9 +1,9 @@
|
|
|
1
|
-
xoscar-0.7.
|
|
2
|
-
xoscar-0.7.
|
|
3
|
-
xoscar-0.7.
|
|
4
|
-
xoscar-0.7.
|
|
1
|
+
xoscar-0.7.12.dist-info/RECORD,,
|
|
2
|
+
xoscar-0.7.12.dist-info/WHEEL,sha256=1Yl4xfCXx_BC0nXnlbd5xfzR2RyoNx_gSIEdv2OLRuM,137
|
|
3
|
+
xoscar-0.7.12.dist-info/top_level.txt,sha256=vYlqqY4Nys8Thm1hePIuUv8eQePdULVWMmt7lXtX_ZA,21
|
|
4
|
+
xoscar-0.7.12.dist-info/METADATA,sha256=fNJZZhysdC6gdYZ67SfKjoIlNsse08kV5978cNQmnyo,9135
|
|
5
5
|
xoscar/_utils.pyx,sha256=frgVQ5xGp92jBKc4PsPmjOlVsXlKeHWtTOAMfHmBaII,7380
|
|
6
|
-
xoscar/_utils.cpython-311-darwin.so,sha256=
|
|
6
|
+
xoscar/_utils.cpython-311-darwin.so,sha256=J08xuZOHYk2viARaeL29_YUBXJRvrx3eQx1PbBJCUv8,170672
|
|
7
7
|
xoscar/backend.py,sha256=is436OPkZfSpQXaoqTRVta5eoye_pp45RFgCstAk2hU,1850
|
|
8
8
|
xoscar/core.pxd,sha256=I_C2ka7XryyGnnAVXUVm8xfS1gtIrCs6X-9rswgOcUU,1317
|
|
9
9
|
xoscar/_version.py,sha256=ClSPrUjgGRGHIkVMQV9XQnkQ-n0akJMnq_rh819nqFE,23719
|
|
@@ -14,11 +14,11 @@ xoscar/constants.py,sha256=QHHSREw6uWBBjQDCFqlNfTvBZgniJPGy42KSIsR8Fqw,787
|
|
|
14
14
|
xoscar/__init__.py,sha256=sy7Wtn2EuQZI0I4Az_MfsBVZm4G0DRj46qRyExgmnJk,1622
|
|
15
15
|
xoscar/api.py,sha256=zxNqOjGiTIKuAip9WJ0LOoM7yevD6P5rb-sLynpZ2Zo,14648
|
|
16
16
|
xoscar/utils.py,sha256=MaKiW4Vphwhh8c0yoqN8G8hbJr1zXgpf49EdvmGc1ZU,16500
|
|
17
|
-
xoscar/context.cpython-311-darwin.so,sha256=
|
|
17
|
+
xoscar/context.cpython-311-darwin.so,sha256=vy1EJJ-tjU9lasyOCRzq3A_sXCfkUfUGGKqKc3cJMdw,213456
|
|
18
18
|
xoscar/debug.py,sha256=9Z8SgE2WaKYQcyDo-5-DxEJQ533v7kWjrvCd28pSx3E,5069
|
|
19
19
|
xoscar/libcpp.pxd,sha256=DJqBxLFOKL4iRr9Kale5UH3rbvPRD1x5bTSOPHFpz9I,1147
|
|
20
20
|
xoscar/context.pyx,sha256=8CdgPnWcE9eOp3N600WgDQ03MCi8P73eUOGcfV7Zksg,10942
|
|
21
|
-
xoscar/core.cpython-311-darwin.so,sha256=
|
|
21
|
+
xoscar/core.cpython-311-darwin.so,sha256=8MQSseZtoi01zOkPJGEPoDiBBlWL40yvDUQ0pwhExfk,413112
|
|
22
22
|
xoscar/errors.py,sha256=wBlQOKsXf0Fc4skN39tDie0YZT-VIAuLNRgoDl2pZcA,1241
|
|
23
23
|
xoscar/core.pyx,sha256=phN-yYV0A0QI8WFi2jCu0nc4CnShTepfDi0V7ZrLYPY,22092
|
|
24
24
|
xoscar/driver.py,sha256=498fowtJr6b3FE8FIOA_Tc1Vwx88nfZw7p0FxrML0h4,1372
|
|
@@ -46,10 +46,10 @@ xoscar/serialization/numpy.py,sha256=5Kem87CvpJmzUMp3QHk4WeHU30FoQWTJJP2SwIcaQG0
|
|
|
46
46
|
xoscar/serialization/cuda.py,sha256=iFUEnN4SiquBIhyieyOrfw3TnKnW-tU_vYgqOxO_DrA,3758
|
|
47
47
|
xoscar/serialization/scipy.py,sha256=yOEi0NB8cqQ6e2UnCZ1w006RsB7T725tIL-DM_hNcsU,2482
|
|
48
48
|
xoscar/serialization/aio.py,sha256=5DySPgDxU43ec7_5Ct44-Oqt7YNSJBfuf8VdQgQlChA,4731
|
|
49
|
-
xoscar/serialization/core.cpython-311-darwin.so,sha256=
|
|
49
|
+
xoscar/serialization/core.cpython-311-darwin.so,sha256=9GlRcZpKEYzfBloIkvyuX9HSyovoOVsa-PuqZyabKOw,382808
|
|
50
50
|
xoscar/serialization/core.pyx,sha256=bjR-zXGm9qersk7kYPzpjpMIxDl_Auur4BCubRfKmfA,29626
|
|
51
51
|
xoscar/serialization/mlx.py,sha256=tRu_7o6RizdRhbr88EasHrZtShimAsLy3pIEO-by29o,2118
|
|
52
|
-
xoscar/backends/message.cpython-311-darwin.so,sha256=
|
|
52
|
+
xoscar/backends/message.cpython-311-darwin.so,sha256=s8j5YkJKgcW2jkvw-JL4pNNqDFpBa5npxl_rvfwVOzI,368656
|
|
53
53
|
xoscar/backends/config.py,sha256=4tZMiXAMMS8qQ4SX_LjONLtSQVfZTx3m-IK3EqbkYdk,5375
|
|
54
54
|
xoscar/backends/allocate_strategy.py,sha256=tC1Nbq2tJohahUwd-zoRYHEDX65wyuX8tmeY45uWj_w,4845
|
|
55
55
|
xoscar/backends/__init__.py,sha256=VHEBQcUWM5bj027W8EUf9PiJUAP7JoMrRw3Tsvy5ySw,643
|
|
@@ -84,4 +84,4 @@ xoscar/aio/base.py,sha256=9j0f1piwfE5R5GIvV212vSD03ixdaeSzSSsO2kxJZVE,2249
|
|
|
84
84
|
xoscar/virtualenv/__init__.py,sha256=65t9_X1DvbanNjFy366SiiWZrRTpa9SXWMXPmqayE-4,1117
|
|
85
85
|
xoscar/virtualenv/core.py,sha256=qHKqI6R92SN0_OWVAX1xy9wJiZr-r0VfLHTskZtZE4U,2851
|
|
86
86
|
xoscar/virtualenv/utils.py,sha256=mL_uATHhj82xec0-0IZ6N8yI-laPAB4t8G3alPUGtPA,2439
|
|
87
|
-
xoscar/virtualenv/uv.py,sha256=
|
|
87
|
+
xoscar/virtualenv/uv.py,sha256=PWq5Ht-uFOrwyKGF0bGZzZiuJUvGmr_OZADzRSfLKfk,9322
|
|
File without changes
|
|
File without changes
|