fmu-settings 0.2.0__py3-none-any.whl → 0.3.1__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.
Potentially problematic release.
This version of fmu-settings might be problematic. Click here for more details.
- fmu/settings/__init__.py +1 -1
- fmu/settings/_fmu_dir.py +3 -0
- fmu/settings/_resources/config_managers.py +1 -2
- fmu/settings/_resources/lock_manager.py +281 -0
- fmu/settings/_resources/pydantic_resource_manager.py +2 -2
- fmu/settings/_version.py +2 -2
- fmu/settings/models/lock_info.py +30 -0
- fmu/settings/models/project_config.py +1 -1
- fmu/settings/models/user_config.py +1 -2
- {fmu_settings-0.2.0.dist-info → fmu_settings-0.3.1.dist-info}/METADATA +1 -1
- fmu_settings-0.3.1.dist-info/RECORD +23 -0
- fmu_settings-0.2.0.dist-info/RECORD +0 -21
- {fmu_settings-0.2.0.dist-info → fmu_settings-0.3.1.dist-info}/WHEEL +0 -0
- {fmu_settings-0.2.0.dist-info → fmu_settings-0.3.1.dist-info}/licenses/LICENSE +0 -0
- {fmu_settings-0.2.0.dist-info → fmu_settings-0.3.1.dist-info}/top_level.txt +0 -0
fmu/settings/__init__.py
CHANGED
fmu/settings/_fmu_dir.py
CHANGED
|
@@ -8,6 +8,7 @@ from ._resources.config_managers import (
|
|
|
8
8
|
ProjectConfigManager,
|
|
9
9
|
UserConfigManager,
|
|
10
10
|
)
|
|
11
|
+
from ._resources.lock_manager import LockManager
|
|
11
12
|
from .models.project_config import ProjectConfig
|
|
12
13
|
from .models.user_config import UserConfig
|
|
13
14
|
|
|
@@ -20,6 +21,7 @@ class FMUDirectoryBase:
|
|
|
20
21
|
"""Provides access to a .fmu directory and operations on its contents."""
|
|
21
22
|
|
|
22
23
|
config: FMUConfigManager
|
|
24
|
+
_lock: LockManager
|
|
23
25
|
|
|
24
26
|
def __init__(self: Self, base_path: str | Path) -> None:
|
|
25
27
|
"""Initializes access to a .fmu directory.
|
|
@@ -35,6 +37,7 @@ class FMUDirectoryBase:
|
|
|
35
37
|
"""
|
|
36
38
|
self.base_path = Path(base_path).resolve()
|
|
37
39
|
logger.debug(f"Initializing FMUDirectory from '{base_path}'")
|
|
40
|
+
self._lock = LockManager(self)
|
|
38
41
|
|
|
39
42
|
fmu_dir = self.base_path / ".fmu"
|
|
40
43
|
if fmu_dir.exists():
|
|
@@ -4,14 +4,13 @@ from __future__ import annotations
|
|
|
4
4
|
|
|
5
5
|
from pathlib import Path
|
|
6
6
|
from typing import TYPE_CHECKING, Any, Final, Self, TypeVar
|
|
7
|
-
from uuid import UUID # noqa TC003
|
|
8
7
|
|
|
9
8
|
from pydantic import ValidationError
|
|
10
9
|
|
|
11
10
|
from fmu.settings._logging import null_logger
|
|
12
11
|
from fmu.settings.models.project_config import ProjectConfig
|
|
13
12
|
from fmu.settings.models.user_config import UserConfig
|
|
14
|
-
from fmu.settings.types import ResettableBaseModel
|
|
13
|
+
from fmu.settings.types import ResettableBaseModel # noqa: TC001
|
|
15
14
|
|
|
16
15
|
from .pydantic_resource_manager import PydanticResourceManager
|
|
17
16
|
|
|
@@ -0,0 +1,281 @@
|
|
|
1
|
+
"""Manages a .lock file in a .fmu/ directory."""
|
|
2
|
+
|
|
3
|
+
from __future__ import annotations
|
|
4
|
+
|
|
5
|
+
import contextlib
|
|
6
|
+
import os
|
|
7
|
+
import socket
|
|
8
|
+
import time
|
|
9
|
+
import uuid
|
|
10
|
+
from pathlib import Path
|
|
11
|
+
from typing import TYPE_CHECKING, Final, Literal, Self
|
|
12
|
+
|
|
13
|
+
from fmu.settings._logging import null_logger
|
|
14
|
+
from fmu.settings.models.lock_info import LockInfo
|
|
15
|
+
|
|
16
|
+
from .pydantic_resource_manager import PydanticResourceManager
|
|
17
|
+
|
|
18
|
+
if TYPE_CHECKING:
|
|
19
|
+
from types import TracebackType
|
|
20
|
+
|
|
21
|
+
# Avoid circular dependency for type hint in __init__ only
|
|
22
|
+
from fmu.settings._fmu_dir import (
|
|
23
|
+
FMUDirectoryBase,
|
|
24
|
+
)
|
|
25
|
+
|
|
26
|
+
logger: Final = null_logger(__name__)
|
|
27
|
+
|
|
28
|
+
DEFAULT_LOCK_TIMEOUT: Final[int] = 1200 # 20 minutes
|
|
29
|
+
|
|
30
|
+
|
|
31
|
+
class LockError(Exception):
|
|
32
|
+
"""Raised when the lock cannot be acquired."""
|
|
33
|
+
|
|
34
|
+
|
|
35
|
+
class LockManager(PydanticResourceManager[LockInfo]):
|
|
36
|
+
"""Manages the .lock file."""
|
|
37
|
+
|
|
38
|
+
def __init__(
|
|
39
|
+
self: Self,
|
|
40
|
+
fmu_dir: FMUDirectoryBase,
|
|
41
|
+
timeout_seconds: int = DEFAULT_LOCK_TIMEOUT,
|
|
42
|
+
) -> None:
|
|
43
|
+
"""Initializes the lock manager.
|
|
44
|
+
|
|
45
|
+
Args:
|
|
46
|
+
fmu_dir: The FMUDirectory instance
|
|
47
|
+
timeout_seconds: Lock expiration time in seconds (default 20 minutes)
|
|
48
|
+
"""
|
|
49
|
+
super().__init__(fmu_dir, LockInfo)
|
|
50
|
+
self._timeout_seconds = timeout_seconds
|
|
51
|
+
self._acquired_at: float | None = None
|
|
52
|
+
|
|
53
|
+
@property
|
|
54
|
+
def relative_path(self: Self) -> Path:
|
|
55
|
+
"""Returns the relative path to the .lock file."""
|
|
56
|
+
return Path(".lock")
|
|
57
|
+
|
|
58
|
+
def acquire(self: Self, wait: bool = False, wait_timeout: float = 5.0) -> None:
|
|
59
|
+
"""Acquire the lock.
|
|
60
|
+
|
|
61
|
+
Args:
|
|
62
|
+
wait: If true, wait for lock to become available
|
|
63
|
+
wait_timeout: Maximum time to wait in seconds
|
|
64
|
+
|
|
65
|
+
Raises:
|
|
66
|
+
LockError: If lock cannot be acquired
|
|
67
|
+
"""
|
|
68
|
+
if self._acquired_at is not None:
|
|
69
|
+
raise LockError("Lock already acquired")
|
|
70
|
+
|
|
71
|
+
if wait and wait_timeout <= 0:
|
|
72
|
+
raise ValueError("wait_timeout must be positive")
|
|
73
|
+
|
|
74
|
+
start_time = time.time()
|
|
75
|
+
|
|
76
|
+
while True:
|
|
77
|
+
if self.exists and self._is_stale():
|
|
78
|
+
with contextlib.suppress(OSError):
|
|
79
|
+
self.path.unlink()
|
|
80
|
+
|
|
81
|
+
if self._try_acquire():
|
|
82
|
+
return
|
|
83
|
+
|
|
84
|
+
if not wait:
|
|
85
|
+
lock_info = self._safe_load()
|
|
86
|
+
if lock_info:
|
|
87
|
+
raise LockError(
|
|
88
|
+
f"Lock file is held by {lock_info.user}@{lock_info.hostname} "
|
|
89
|
+
f"(PID: {lock_info.pid}). "
|
|
90
|
+
f"Expires at: {time.ctime(lock_info.expires_at)}."
|
|
91
|
+
)
|
|
92
|
+
raise LockError(
|
|
93
|
+
f"Invalid lock file exists at {self.path}. "
|
|
94
|
+
"This file should be removed."
|
|
95
|
+
)
|
|
96
|
+
|
|
97
|
+
if time.time() - start_time > wait_timeout:
|
|
98
|
+
raise LockError(f"Timeout waiting for lock after {wait_timeout}s")
|
|
99
|
+
|
|
100
|
+
time.sleep(0.5)
|
|
101
|
+
|
|
102
|
+
def _try_acquire(self: Self) -> bool:
|
|
103
|
+
"""Try to acquire lock. Returns True if successful.
|
|
104
|
+
|
|
105
|
+
This method creates the lock as a temporary file first to avoid race conditions.
|
|
106
|
+
Because we are operating on networked filesystems (NFS) the situation is a bit
|
|
107
|
+
more complex, but os.link() is an atomic operation, so try to link the temp file
|
|
108
|
+
after creating it.
|
|
109
|
+
|
|
110
|
+
Returns:
|
|
111
|
+
True if acquiring the lock succeeded
|
|
112
|
+
"""
|
|
113
|
+
acquired_at = time.time()
|
|
114
|
+
lock_info = LockInfo(
|
|
115
|
+
pid=os.getpid(),
|
|
116
|
+
hostname=socket.gethostname(),
|
|
117
|
+
user=os.getenv("USER", "unknown"),
|
|
118
|
+
acquired_at=acquired_at,
|
|
119
|
+
expires_at=acquired_at + self._timeout_seconds,
|
|
120
|
+
)
|
|
121
|
+
|
|
122
|
+
temp_path = (
|
|
123
|
+
self.path.parent
|
|
124
|
+
/ f".lock.{lock_info.hostname}.{lock_info.pid}.{uuid.uuid4().hex[:8]}"
|
|
125
|
+
)
|
|
126
|
+
lock_fd: int | None = None
|
|
127
|
+
try:
|
|
128
|
+
# O_WRONLY will allow only this process to write to the lock file.
|
|
129
|
+
lock_fd = os.open(temp_path, os.O_CREAT | os.O_WRONLY | os.O_EXCL)
|
|
130
|
+
try:
|
|
131
|
+
json_data = lock_info.model_dump_json(by_alias=True, indent=2)
|
|
132
|
+
os.write(lock_fd, json_data.encode())
|
|
133
|
+
os.fsync(lock_fd)
|
|
134
|
+
except Exception:
|
|
135
|
+
os.close(lock_fd)
|
|
136
|
+
raise
|
|
137
|
+
|
|
138
|
+
os.close(lock_fd)
|
|
139
|
+
lock_fd = None
|
|
140
|
+
|
|
141
|
+
try:
|
|
142
|
+
os.link(temp_path, self.path)
|
|
143
|
+
self._cache = lock_info
|
|
144
|
+
self._acquired_at = acquired_at
|
|
145
|
+
return True
|
|
146
|
+
except (OSError, FileExistsError):
|
|
147
|
+
return False
|
|
148
|
+
finally: # Clean up temp file before we leave
|
|
149
|
+
if lock_fd is not None:
|
|
150
|
+
with contextlib.suppress(OSError):
|
|
151
|
+
os.close(lock_fd)
|
|
152
|
+
with contextlib.suppress(OSError):
|
|
153
|
+
temp_path.unlink()
|
|
154
|
+
|
|
155
|
+
def is_locked(self: Self) -> bool:
|
|
156
|
+
"""Returns whether or not the lock is locked by anyone.
|
|
157
|
+
|
|
158
|
+
This does a force load on the lock file.
|
|
159
|
+
"""
|
|
160
|
+
lock_info = self._safe_load(force=True)
|
|
161
|
+
if not lock_info:
|
|
162
|
+
return False
|
|
163
|
+
return time.time() < lock_info.expires_at
|
|
164
|
+
|
|
165
|
+
def is_acquired(self: Self) -> bool:
|
|
166
|
+
"""Returns whether or not the lock is currently acquired by this instance."""
|
|
167
|
+
if self._cache is None or self._acquired_at is None:
|
|
168
|
+
return False
|
|
169
|
+
return self._is_mine(self._cache) and not self._is_stale()
|
|
170
|
+
|
|
171
|
+
def refresh(self: Self) -> None:
|
|
172
|
+
"""Refresh/extend the lock expiration time.
|
|
173
|
+
|
|
174
|
+
Raises:
|
|
175
|
+
LockError: If we don't hold the lock or it's invalid
|
|
176
|
+
"""
|
|
177
|
+
if not self.exists:
|
|
178
|
+
raise LockError("Cannot refresh: lock file does not exist")
|
|
179
|
+
|
|
180
|
+
lock_info = self._safe_load()
|
|
181
|
+
if not lock_info or not self._is_mine(lock_info):
|
|
182
|
+
raise LockError(
|
|
183
|
+
"Cannot refresh: lock file is held by another process or host."
|
|
184
|
+
)
|
|
185
|
+
|
|
186
|
+
lock_info.expires_at = time.time() + self._timeout_seconds
|
|
187
|
+
self.save(lock_info)
|
|
188
|
+
|
|
189
|
+
def release(self: Self) -> None:
|
|
190
|
+
"""Release the lock."""
|
|
191
|
+
if self.exists:
|
|
192
|
+
lock_info = self._safe_load()
|
|
193
|
+
if lock_info and self._is_mine(lock_info):
|
|
194
|
+
with contextlib.suppress(ValueError):
|
|
195
|
+
self.path.unlink()
|
|
196
|
+
|
|
197
|
+
self._acquired_at = None
|
|
198
|
+
self._cache = None
|
|
199
|
+
|
|
200
|
+
def save(self: Self, data: LockInfo) -> None:
|
|
201
|
+
"""Save the lockfile in an NFS-atomic manner.
|
|
202
|
+
|
|
203
|
+
This overrides save() from the Pydantic resource manager.
|
|
204
|
+
"""
|
|
205
|
+
lock_info = self._safe_load()
|
|
206
|
+
if not lock_info or not self._is_mine(lock_info):
|
|
207
|
+
raise LockError(
|
|
208
|
+
"Failed to save lock: lock file is held by another process or host."
|
|
209
|
+
)
|
|
210
|
+
|
|
211
|
+
temp_path = Path(f"{self.path}.tmp.{uuid.uuid4().hex[:8]}")
|
|
212
|
+
try:
|
|
213
|
+
with open(temp_path, "w", encoding="utf-8") as f:
|
|
214
|
+
f.write(data.model_dump_json(indent=2))
|
|
215
|
+
f.flush()
|
|
216
|
+
os.fsync(f.fileno())
|
|
217
|
+
temp_path.replace(self.path)
|
|
218
|
+
self._cache = data
|
|
219
|
+
except Exception as e:
|
|
220
|
+
with contextlib.suppress(OSError):
|
|
221
|
+
temp_path.unlink()
|
|
222
|
+
raise LockError(f"Failed to save lock: {e}") from e
|
|
223
|
+
|
|
224
|
+
def _is_mine(self: Self, lock_info: LockInfo) -> bool:
|
|
225
|
+
"""Verifies if the calling process owns the lock."""
|
|
226
|
+
return (
|
|
227
|
+
lock_info.pid == os.getpid()
|
|
228
|
+
and lock_info.hostname == socket.gethostname()
|
|
229
|
+
and lock_info.acquired_at == self._acquired_at
|
|
230
|
+
)
|
|
231
|
+
|
|
232
|
+
def _safe_load(self: Self, force: bool = False) -> LockInfo | None:
|
|
233
|
+
"""Load lock info, returning None if corrupted.
|
|
234
|
+
|
|
235
|
+
Because this file does not exist in a static state, wrap around loading it.
|
|
236
|
+
"""
|
|
237
|
+
try:
|
|
238
|
+
return self.load(force=force)
|
|
239
|
+
except Exception:
|
|
240
|
+
return None
|
|
241
|
+
|
|
242
|
+
def _is_stale(self: Self) -> bool:
|
|
243
|
+
"""Check if existing lock is stale (expired or process dead)."""
|
|
244
|
+
lock_info = self._safe_load()
|
|
245
|
+
if not lock_info:
|
|
246
|
+
return True
|
|
247
|
+
|
|
248
|
+
if time.time() > lock_info.expires_at:
|
|
249
|
+
return True
|
|
250
|
+
|
|
251
|
+
# If we aren't on the same host, we can't check the PID, so assume it's
|
|
252
|
+
# not stale.
|
|
253
|
+
if lock_info.hostname != socket.gethostname():
|
|
254
|
+
return False
|
|
255
|
+
|
|
256
|
+
try:
|
|
257
|
+
# Doesn't actually kill, just checks if it exists
|
|
258
|
+
os.kill(lock_info.pid, 0)
|
|
259
|
+
return False
|
|
260
|
+
except OSError:
|
|
261
|
+
return True
|
|
262
|
+
|
|
263
|
+
def __enter__(self: Self) -> Self:
|
|
264
|
+
"""Context manager entry."""
|
|
265
|
+
self.acquire()
|
|
266
|
+
return self
|
|
267
|
+
|
|
268
|
+
def __exit__(
|
|
269
|
+
self: Self,
|
|
270
|
+
exc_type: type[BaseException] | None,
|
|
271
|
+
exc_val: BaseException | None,
|
|
272
|
+
exc_tb: TracebackType | None,
|
|
273
|
+
) -> Literal[False]:
|
|
274
|
+
"""Context manager exit."""
|
|
275
|
+
self.release()
|
|
276
|
+
return False
|
|
277
|
+
|
|
278
|
+
def __del__(self: Self) -> None:
|
|
279
|
+
"""Clean-up if garbage collected."""
|
|
280
|
+
if self._acquired_at is not None:
|
|
281
|
+
self.release()
|
|
@@ -58,8 +58,8 @@ class PydanticResourceManager(Generic[T]):
|
|
|
58
58
|
Validated Pydantic model
|
|
59
59
|
|
|
60
60
|
Raises:
|
|
61
|
-
|
|
62
|
-
|
|
61
|
+
ValueError: If the resource file is missing or data does not match the
|
|
62
|
+
model schema
|
|
63
63
|
"""
|
|
64
64
|
if self._cache is None or force:
|
|
65
65
|
if not self.exists:
|
fmu/settings/_version.py
CHANGED
|
@@ -28,7 +28,7 @@ version_tuple: VERSION_TUPLE
|
|
|
28
28
|
commit_id: COMMIT_ID
|
|
29
29
|
__commit_id__: COMMIT_ID
|
|
30
30
|
|
|
31
|
-
__version__ = version = '0.
|
|
32
|
-
__version_tuple__ = version_tuple = (0,
|
|
31
|
+
__version__ = version = '0.3.1'
|
|
32
|
+
__version_tuple__ = version_tuple = (0, 3, 1)
|
|
33
33
|
|
|
34
34
|
__commit_id__ = commit_id = None
|
|
@@ -0,0 +1,30 @@
|
|
|
1
|
+
"""Models related to locking a .fmu directory against writes."""
|
|
2
|
+
|
|
3
|
+
from pydantic import BaseModel, Field
|
|
4
|
+
|
|
5
|
+
from fmu.settings import __version__
|
|
6
|
+
from fmu.settings.types import VersionStr
|
|
7
|
+
|
|
8
|
+
|
|
9
|
+
class LockInfo(BaseModel):
|
|
10
|
+
"""Represents a .fmu directory lock file."""
|
|
11
|
+
|
|
12
|
+
pid: int
|
|
13
|
+
"""Process ID of the lock holder."""
|
|
14
|
+
|
|
15
|
+
hostname: str
|
|
16
|
+
"""Hostname where the lock was acquired."""
|
|
17
|
+
|
|
18
|
+
user: str
|
|
19
|
+
"""User who acquired the lock."""
|
|
20
|
+
|
|
21
|
+
acquired_at: float
|
|
22
|
+
"""Unix timestamp when lock was acquired."""
|
|
23
|
+
|
|
24
|
+
expires_at: float
|
|
25
|
+
"""Unix timestamp when lock expires."""
|
|
26
|
+
|
|
27
|
+
version: VersionStr = Field(default=__version__)
|
|
28
|
+
"""The fmu-settings version acquiring the lock.
|
|
29
|
+
|
|
30
|
+
Used for debugging."""
|
|
@@ -8,7 +8,7 @@ from pydantic import AwareDatetime, Field
|
|
|
8
8
|
|
|
9
9
|
from fmu.datamodels.fmu_results.fields import Access, Masterdata, Model
|
|
10
10
|
from fmu.settings import __version__
|
|
11
|
-
from fmu.settings.types import ResettableBaseModel, VersionStr # noqa TC001
|
|
11
|
+
from fmu.settings.types import ResettableBaseModel, VersionStr # noqa: TC001
|
|
12
12
|
|
|
13
13
|
|
|
14
14
|
class ProjectConfig(ResettableBaseModel):
|
|
@@ -5,7 +5,6 @@ from __future__ import annotations
|
|
|
5
5
|
from datetime import UTC, datetime
|
|
6
6
|
from pathlib import Path
|
|
7
7
|
from typing import Annotated, Self
|
|
8
|
-
from uuid import UUID # noqa TC003
|
|
9
8
|
|
|
10
9
|
import annotated_types
|
|
11
10
|
from pydantic import (
|
|
@@ -17,7 +16,7 @@ from pydantic import (
|
|
|
17
16
|
)
|
|
18
17
|
|
|
19
18
|
from fmu.settings import __version__
|
|
20
|
-
from fmu.settings.types import ResettableBaseModel, VersionStr # noqa TC001
|
|
19
|
+
from fmu.settings.types import ResettableBaseModel, VersionStr # noqa: TC001
|
|
21
20
|
|
|
22
21
|
RecentProjectDirectories = Annotated[list[Path], annotated_types.Len(0, 5)]
|
|
23
22
|
|
|
@@ -0,0 +1,23 @@
|
|
|
1
|
+
fmu/__init__.py,sha256=htx6HlMme77I6pZ8U256-2B2cMJuELsu3JN3YM2Efh4,144
|
|
2
|
+
fmu/settings/__init__.py,sha256=CkEE7al_uBCQO1lxBKN5LzyCwzzH5Aq6kkEIR7f-zTw,336
|
|
3
|
+
fmu/settings/_fmu_dir.py,sha256=Br_hcfAXshiuDyWqG_qx5VXFpsCBJO1XDMPzdxxesoE,10684
|
|
4
|
+
fmu/settings/_init.py,sha256=5CT7tV2XHz5wuLh97XozyLiKpwogrsfjpxm2dpn7KWE,4097
|
|
5
|
+
fmu/settings/_logging.py,sha256=nEdmZlNCBsB1GfDmFMKCjZmeuRp3CRlbz1EYUemc95Y,1104
|
|
6
|
+
fmu/settings/_version.py,sha256=gGLpQUQx-ty9SEy9PYw9OgJWWzJLBnCpfJOfzL7SjlI,704
|
|
7
|
+
fmu/settings/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
8
|
+
fmu/settings/types.py,sha256=aeXEsznBTT1YRRY_LSRqK1j2gmMmyLYYTGYl3a9fweU,513
|
|
9
|
+
fmu/settings/_resources/__init__.py,sha256=LHYR_F7lNGdv8N6R3cEwds5CJQpkOthXFqsEs24vgF8,118
|
|
10
|
+
fmu/settings/_resources/config_managers.py,sha256=IjOtS2lSU55GE_TWqHjbBPAzE8xQyVBvpHcfm0hTSnI,6822
|
|
11
|
+
fmu/settings/_resources/lock_manager.py,sha256=_xzSJNF_qcpKpo8AxMfEgOhPxKXl3fZ2lRi0_y2eUEg,9206
|
|
12
|
+
fmu/settings/_resources/pydantic_resource_manager.py,sha256=9zFcOUJKeapxbYvgerf3t2_9pL5acFU2rknri67pXt0,3131
|
|
13
|
+
fmu/settings/models/__init__.py,sha256=lRlXgl55ba2upmDzdvzx8N30JMq2Osnm8aa_xxTZn8A,112
|
|
14
|
+
fmu/settings/models/_enums.py,sha256=SQUZ-2mQcTx4F0oefPFfuQzMKsKTSFSB-wq_CH7TBRE,734
|
|
15
|
+
fmu/settings/models/_mappings.py,sha256=Z4Ex7MtmajBr6FjaNzmwDRwtJlaZZ8YKh9NDmZHRKPI,2832
|
|
16
|
+
fmu/settings/models/lock_info.py,sha256=-oHDF9v9bDLCoFvEg4S6XXYLeo19zRAZ8HynCv75VWg,711
|
|
17
|
+
fmu/settings/models/project_config.py,sha256=pxb54JmpXNMVAFUu_yJ89dNrYEk6hrPuFfFUpf84Jh0,1099
|
|
18
|
+
fmu/settings/models/user_config.py,sha256=dWFTcZY6UnEgNTuGqB-izraJ657PecsW0e0Nt9GBDhI,2666
|
|
19
|
+
fmu_settings-0.3.1.dist-info/licenses/LICENSE,sha256=OXLcl0T2SZ8Pmy2_dmlvKuetivmyPd5m1q-Gyd-zaYY,35149
|
|
20
|
+
fmu_settings-0.3.1.dist-info/METADATA,sha256=4reIMuluyZnwiu3CuLCdYXCAJz7hPu4i-_R3IbJwi08,2024
|
|
21
|
+
fmu_settings-0.3.1.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
|
|
22
|
+
fmu_settings-0.3.1.dist-info/top_level.txt,sha256=Z-FIY3pxn0UK2Wxi9IJ7fKoLSraaxuNGi1eokiE0ShM,4
|
|
23
|
+
fmu_settings-0.3.1.dist-info/RECORD,,
|
|
@@ -1,21 +0,0 @@
|
|
|
1
|
-
fmu/__init__.py,sha256=htx6HlMme77I6pZ8U256-2B2cMJuELsu3JN3YM2Efh4,144
|
|
2
|
-
fmu/settings/__init__.py,sha256=x96dVVR-2n2lYD84LGbL7W8l3-r7W_0reUTKZlE7S34,331
|
|
3
|
-
fmu/settings/_fmu_dir.py,sha256=E8ULohZKwMixkuw9cXK20IxaHaRXmWQ1vbE02QAX_YU,10573
|
|
4
|
-
fmu/settings/_init.py,sha256=5CT7tV2XHz5wuLh97XozyLiKpwogrsfjpxm2dpn7KWE,4097
|
|
5
|
-
fmu/settings/_logging.py,sha256=nEdmZlNCBsB1GfDmFMKCjZmeuRp3CRlbz1EYUemc95Y,1104
|
|
6
|
-
fmu/settings/_version.py,sha256=Dg8AmJomLVpjKL6prJylOONZAPRtB86LOce7dorQS_A,704
|
|
7
|
-
fmu/settings/py.typed,sha256=47DEQpj8HBSa-_TImW-5JCeuQeRkm5NMpJWZG3hSuFU,0
|
|
8
|
-
fmu/settings/types.py,sha256=aeXEsznBTT1YRRY_LSRqK1j2gmMmyLYYTGYl3a9fweU,513
|
|
9
|
-
fmu/settings/_resources/__init__.py,sha256=LHYR_F7lNGdv8N6R3cEwds5CJQpkOthXFqsEs24vgF8,118
|
|
10
|
-
fmu/settings/_resources/config_managers.py,sha256=b8DUtRHti1n2pSuw5eCQko7e7NKOzP2BH6dNPJFd2ck,6869
|
|
11
|
-
fmu/settings/_resources/pydantic_resource_manager.py,sha256=t4Rp6MOSIq85iKfDHZLJxeGRj8S3SKanWHWri0p9wV8,3161
|
|
12
|
-
fmu/settings/models/__init__.py,sha256=lRlXgl55ba2upmDzdvzx8N30JMq2Osnm8aa_xxTZn8A,112
|
|
13
|
-
fmu/settings/models/_enums.py,sha256=SQUZ-2mQcTx4F0oefPFfuQzMKsKTSFSB-wq_CH7TBRE,734
|
|
14
|
-
fmu/settings/models/_mappings.py,sha256=Z4Ex7MtmajBr6FjaNzmwDRwtJlaZZ8YKh9NDmZHRKPI,2832
|
|
15
|
-
fmu/settings/models/project_config.py,sha256=K7y4PZMuq5wD-0Br60xfffBN6QQUV8viKGjjOcCB-7M,1098
|
|
16
|
-
fmu/settings/models/user_config.py,sha256=UrRcbxJAGn1e7IeE0_v1oPWVOk-DGekRG49pXzDr83o,2701
|
|
17
|
-
fmu_settings-0.2.0.dist-info/licenses/LICENSE,sha256=OXLcl0T2SZ8Pmy2_dmlvKuetivmyPd5m1q-Gyd-zaYY,35149
|
|
18
|
-
fmu_settings-0.2.0.dist-info/METADATA,sha256=Kjzn1O0vvAAYoYAoC-Jo8IzN0H-V7HWwwV3Io47N41w,2024
|
|
19
|
-
fmu_settings-0.2.0.dist-info/WHEEL,sha256=_zCd3N1l69ArxyTb8rzEoP9TpbYXkqRFSNOD5OuxnTs,91
|
|
20
|
-
fmu_settings-0.2.0.dist-info/top_level.txt,sha256=Z-FIY3pxn0UK2Wxi9IJ7fKoLSraaxuNGi1eokiE0ShM,4
|
|
21
|
-
fmu_settings-0.2.0.dist-info/RECORD,,
|
|
File without changes
|
|
File without changes
|
|
File without changes
|