olmoearth-pretrain-minimal 0.0.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.
Files changed (24) hide show
  1. olmoearth_pretrain_minimal/__init__.py +16 -0
  2. olmoearth_pretrain_minimal/model_loader.py +123 -0
  3. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/__init__.py +6 -0
  4. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/__init__.py +1 -0
  5. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/attention.py +559 -0
  6. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/encodings.py +115 -0
  7. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/flexi_patch_embed.py +304 -0
  8. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/flexi_vit.py +2219 -0
  9. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/latent_mim.py +166 -0
  10. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/tokenization.py +194 -0
  11. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/utils.py +83 -0
  12. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/olmoearth_pretrain_v1.py +152 -0
  13. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/__init__.py +2 -0
  14. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/config.py +264 -0
  15. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/constants.py +519 -0
  16. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/datatypes.py +165 -0
  17. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/decorators.py +75 -0
  18. olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/types.py +8 -0
  19. olmoearth_pretrain_minimal/test.py +51 -0
  20. olmoearth_pretrain_minimal-0.0.1.dist-info/METADATA +326 -0
  21. olmoearth_pretrain_minimal-0.0.1.dist-info/RECORD +24 -0
  22. olmoearth_pretrain_minimal-0.0.1.dist-info/WHEEL +5 -0
  23. olmoearth_pretrain_minimal-0.0.1.dist-info/licenses/LICENSE +204 -0
  24. olmoearth_pretrain_minimal-0.0.1.dist-info/top_level.txt +1 -0
@@ -0,0 +1,75 @@
1
+ """Decorators for marking experimental, deprecated, or internal features."""
2
+
3
+ import functools
4
+ import warnings
5
+ from collections.abc import Callable
6
+ from typing import Any, TypeVar, cast
7
+
8
+ F = TypeVar("F", bound=Callable[..., Any])
9
+ C = TypeVar("C", bound=type)
10
+
11
+
12
+ def experimental(reason: str = "This is an experimental feature") -> Callable[[F], F]:
13
+ """Mark a function or class as experimental.
14
+
15
+ Experimental features may not be fully tested, may change without notice,
16
+ and may not be maintained in future versions.
17
+
18
+ Args:
19
+ reason: Optional explanation of why this is experimental or what limitations exist.
20
+
21
+ Example:
22
+ >>> @experimental("This feature is still under development")
23
+ >>> def my_function():
24
+ ... pass
25
+
26
+ >>> @experimental()
27
+ >>> class MyClass:
28
+ ... pass
29
+ """
30
+
31
+ def decorator(obj: F) -> F:
32
+ # Add marker attribute
33
+ setattr(obj, "__experimental__", True)
34
+
35
+ # Build warning message
36
+ obj_name = getattr(obj, "__qualname__", getattr(obj, "__name__", str(obj)))
37
+ msg = f"'{obj_name}' is experimental and may change or be removed in future versions."
38
+ if reason:
39
+ msg += f" {reason}"
40
+
41
+ # Handle classes differently from functions
42
+ if isinstance(obj, type):
43
+ # For classes, wrap __init__
44
+ original_init = obj.__init__ # type: ignore[misc]
45
+
46
+ @functools.wraps(original_init)
47
+ def wrapped_init(self: Any, *args: Any, **kwargs: Any) -> None:
48
+ warnings.warn(msg, FutureWarning, stacklevel=2)
49
+ return original_init(self, *args, **kwargs)
50
+
51
+ obj.__init__ = wrapped_init # type: ignore[method-assign, misc]
52
+
53
+ # Update docstring
54
+ if obj.__doc__:
55
+ obj.__doc__ = f"**EXPERIMENTAL**: {msg}\n\n{obj.__doc__}"
56
+ else:
57
+ obj.__doc__ = f"**EXPERIMENTAL**: {msg}"
58
+ return cast(F, obj)
59
+ else:
60
+ # For functions, wrap the function itself
61
+ @functools.wraps(obj)
62
+ def wrapper(*args: Any, **kwargs: Any) -> Any:
63
+ warnings.warn(msg, FutureWarning, stacklevel=2)
64
+ return obj(*args, **kwargs)
65
+
66
+ # Update docstring
67
+ if obj.__doc__:
68
+ wrapper.__doc__ = f"**EXPERIMENTAL**: {msg}\n\n{obj.__doc__}"
69
+ else:
70
+ wrapper.__doc__ = f"**EXPERIMENTAL**: {msg}"
71
+
72
+ setattr(wrapper, "__experimental__", True)
73
+ return cast(F, wrapper)
74
+
75
+ return decorator
@@ -0,0 +1,8 @@
1
+ """Type aliases for OlmoEarth Pretrain."""
2
+
3
+ from typing import TypeAlias
4
+
5
+ import numpy as np
6
+ import torch
7
+
8
+ ArrayTensor: TypeAlias = np.ndarray | torch.Tensor
@@ -0,0 +1,51 @@
1
+ """Example code for initializing OlmoEarth models using the model loader."""
2
+
3
+ from olmoearth_pretrain_minimal import ModelID, load_model_from_id, OlmoEarthPretrain_v1
4
+
5
+ # Example 1: Load a nano model from Hugging Face (without weights, randomly initialized)
6
+ print("Loading OlmoEarth-v1-Nano from Hugging Face (random weights)...")
7
+ model = load_model_from_id(ModelID.OLMOEARTH_V1_NANO, load_weights=False)
8
+ print(f"Model initialized: {type(model)}")
9
+ print(f"Model has {sum(p.numel() for p in model.parameters())} parameters")
10
+
11
+ # Example 2: Load different model sizes
12
+ print("\nLoading OlmoEarth-v1-Tiny from Hugging Face (random weights)...")
13
+ model_tiny = load_model_from_id(ModelID.OLMOEARTH_V1_TINY, load_weights=False)
14
+ print(f"Model initialized: {type(model_tiny)}")
15
+ print(f"Model has {sum(p.numel() for p in model_tiny.parameters())} parameters")
16
+
17
+ print("\nLoading OlmoEarth-v1-Base from Hugging Face (random weights)...")
18
+ model_base = load_model_from_id(ModelID.OLMOEARTH_V1_BASE, load_weights=False)
19
+ print(f"Model initialized: {type(model_base)}")
20
+ print(f"Model has {sum(p.numel() for p in model_base.parameters())} parameters")
21
+
22
+ print("\nLoading OlmoEarth-v1-Large from Hugging Face (random weights)...")
23
+ model_large = load_model_from_id(ModelID.OLMOEARTH_V1_LARGE, load_weights=False)
24
+ print(f"Model initialized: {type(model_large)}")
25
+ print(f"Model has {sum(p.numel() for p in model_large.parameters())} parameters")
26
+
27
+ # Example 3: Load with pre-trained weights (if available)
28
+ print("\nLoading OlmoEarth-v1-Nano with pre-trained weights...")
29
+ model_with_weights = load_model_from_id(ModelID.OLMOEARTH_V1_NANO, load_weights=True)
30
+ print(f"Model loaded with pre-trained weights: {type(model_with_weights)}")
31
+
32
+ print("\nLoading OlmoEarth-v1-Tiny with pre-trained weights...")
33
+ model_with_weights = load_model_from_id(ModelID.OLMOEARTH_V1_TINY, load_weights=True)
34
+ print(f"Model loaded with pre-trained weights: {type(model_with_weights)}")
35
+
36
+ print("\nLoading OlmoEarth-v1-Base with pre-trained weights...")
37
+ model_with_weights = load_model_from_id(ModelID.OLMOEARTH_V1_BASE, load_weights=True)
38
+ print(f"Model loaded with pre-trained weights: {type(model_with_weights)}")
39
+
40
+ print("\nLoading OlmoEarth-v1-Large with pre-trained weights...")
41
+ model_with_weights = load_model_from_id(ModelID.OLMOEARTH_V1_LARGE, load_weights=True)
42
+ print(f"Model loaded with pre-trained weights: {type(model_with_weights)}")
43
+
44
+ # Example 4: Initialize with custom modalities (requires direct instantiation)
45
+ print("\nInitializing with custom modalities (direct instantiation)...")
46
+ custom_model = OlmoEarthPretrain_v1(
47
+ model_size="nano",
48
+ supported_modality_names=["sentinel2_l2a", "sentinel1", "landsat"],
49
+ )
50
+ print(f"Model initialized with custom modalities: {type(custom_model)}")
51
+
@@ -0,0 +1,326 @@
1
+ Metadata-Version: 2.4
2
+ Name: olmoearth-pretrain-minimal
3
+ Version: 0.0.1
4
+ Summary: Minimal package for loading and initializing OlmoEarth models
5
+ Author: OlmoEarth Team
6
+ License: Apache License
7
+ Version 2.0, January 2004
8
+ http://www.apache.org/licenses/
9
+
10
+ TERMS AND CONDITIONS FOR USE, REPRODUCTION, AND DISTRIBUTION
11
+
12
+ 1. Definitions.
13
+
14
+ "License" shall mean the terms and conditions for use, reproduction,
15
+ and distribution as defined by Sections 1 through 9 of this document.
16
+
17
+ "Licensor" shall mean the copyright owner or entity authorized by
18
+ the copyright owner that is granting the License.
19
+
20
+ "Legal Entity" shall mean the union of the acting entity and all
21
+ other entities that control, are controlled by, or are under common
22
+ control with that entity. For the purposes of this definition,
23
+ "control" means (i) the power, direct or indirect, to cause the
24
+ direction or management of such entity, whether by contract or
25
+ otherwise, or (ii) ownership of fifty percent (50%) or more of the
26
+ outstanding shares, or (iii) beneficial ownership of such entity.
27
+
28
+ "You" (or "Your") shall mean an individual or Legal Entity
29
+ exercising permissions granted by this License.
30
+
31
+ "Source" form shall mean the preferred form for making modifications,
32
+ including but not limited to software source code, documentation
33
+ source, and configuration files.
34
+
35
+ "Object" form shall mean any form resulting from mechanical
36
+ transformation or translation of a Source form, including but
37
+ not limited to compiled object code, generated documentation,
38
+ and conversions to other media types.
39
+
40
+ "Work" shall mean the work of authorship, whether in Source or
41
+ Object form, made available under the License, as indicated by a
42
+ copyright notice that is included in or attached to the work
43
+ (which shall not include Communications that are not separate from,
44
+ or merely link (or bind by name) to the interfaces of, the Work
45
+ and Derivative Works thereof).
46
+
47
+ "Derivative Works" shall mean any work, whether in Source or Object
48
+ form, that is based on (or derived from) the Work and for which the
49
+ editorial revisions, annotations, elaborations, or other modifications
50
+ represent, as a whole, an original work of authorship. For the purposes
51
+ of this License, Derivative Works shall not include works that remain
52
+ separable from, or merely link (or bind by name) to the interfaces of,
53
+ the Work and Derivative Works thereof.
54
+
55
+ "Contribution" shall mean any work of authorship, including
56
+ the original version of the Work and any modifications or additions
57
+ to that Work or Derivative Works thereof, that is intentionally
58
+ submitted to Licensor for inclusion in the Work by the copyright owner
59
+ or by an individual or Legal Entity authorized to submit on behalf of
60
+ the copyright owner. For the purposes of this definition, "submitted"
61
+ means any form of electronic, verbal, or written communication sent
62
+ to the Licensor or its representatives, including but not limited to
63
+ communication on electronic mailing lists, source code control systems,
64
+ and issue tracking systems that are managed by, or on behalf of, the
65
+ Licensor for the purpose of discussing and improving the Work, but
66
+ excluding communication that is conspicuously marked or otherwise
67
+ designated in writing by the copyright owner as "Not a Contribution."
68
+
69
+ "Contributor" shall mean Licensor and any individual or Legal Entity
70
+ on behalf of whom a Contribution has been received by Licensor and
71
+ subsequently incorporated within the Work.
72
+
73
+ 2. Grant of Copyright License. Subject to the terms and conditions of
74
+ this License, each Contributor hereby grants to You a perpetual,
75
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
76
+ copyright license to reproduce, prepare Derivative Works of,
77
+ publicly display, publicly perform, sublicense, and distribute the
78
+ Work and such Derivative Works in Source or Object form.
79
+
80
+ 3. Grant of Patent License. Subject to the terms and conditions of
81
+ this License, each Contributor hereby grants to You a perpetual,
82
+ worldwide, non-exclusive, no-charge, royalty-free, irrevocable
83
+ (except as stated in this section) patent license to make, have made,
84
+ use, offer to sell, sell, import, and otherwise transfer the Work,
85
+ where such license applies only to those patent claims licensable
86
+ by such Contributor that are necessarily infringed by their
87
+ Contribution(s) alone or by combination of their Contribution(s)
88
+ with the Work to which such Contribution(s) was submitted. If You
89
+ institute patent litigation against any entity (including a
90
+ cross-claim or counterclaim in a lawsuit) alleging that the Work
91
+ or a Contribution incorporated within the Work constitutes direct
92
+ or contributory patent infringement, then any patent licenses
93
+ granted to You under this License for that Work shall terminate
94
+ as of the date such litigation is filed.
95
+
96
+ 4. Redistribution. You may reproduce and distribute copies of the
97
+ Work or Derivative Works thereof in any medium, with or without
98
+ modifications, and in Source or Object form, provided that You
99
+ meet the following conditions:
100
+
101
+ (a) You must give any other recipients of the Work or
102
+ Derivative Works a copy of this License; and
103
+
104
+ (b) You must cause any modified files to carry prominent notices
105
+ stating that You changed the files; and
106
+
107
+ (c) You must retain, in the Source form of any Derivative Works
108
+ that You distribute, all copyright, patent, trademark, and
109
+ attribution notices from the Source form of the Work,
110
+ excluding those notices that do not pertain to any part of
111
+ the Derivative Works; and
112
+
113
+ (d) If the Work includes a "NOTICE" text file as part of its
114
+ distribution, then any Derivative Works that You distribute must
115
+ include a readable copy of the attribution notices contained
116
+ within such NOTICE file, excluding those notices that do not
117
+ pertain to any part of the Derivative Works, in at least one
118
+ of the following places: within a NOTICE text file distributed
119
+ as part of the Derivative Works; within the Source form or
120
+ documentation, if provided along with the Derivative Works; or,
121
+ within a display generated by the Derivative Works, if and
122
+ wherever such third-party notices normally appear. The contents
123
+ of the NOTICE file are for informational purposes only and
124
+ do not modify the License. You may add Your own attribution
125
+ notices within Derivative Works that You distribute, alongside
126
+ or as an addendum to the NOTICE text from the Work, provided
127
+ that such additional attribution notices cannot be construed
128
+ as modifying the License.
129
+
130
+ You may add Your own copyright statement to Your modifications and
131
+ may provide additional or different license terms and conditions
132
+ for use, reproduction, or distribution of Your modifications, or
133
+ for any such Derivative Works as a whole, provided Your use,
134
+ reproduction, and distribution of the Work otherwise complies with
135
+ the conditions stated in this License.
136
+
137
+ 5. Submission of Contributions. Unless You explicitly state otherwise,
138
+ any Contribution intentionally submitted for inclusion in the Work
139
+ by You to the Licensor shall be under the terms and conditions of
140
+ this License, without any additional terms or conditions.
141
+ Notwithstanding the above, nothing herein shall supersede or modify
142
+ the terms of any separate license agreement you may have executed
143
+ with Licensor regarding such Contributions.
144
+
145
+ 6. Trademarks. This License does not grant permission to use the trade
146
+ names, trademarks, service marks, or product names of the Licensor,
147
+ except as required for reasonable and customary use in describing the
148
+ origin of the Work and reproducing the content of the NOTICE file.
149
+
150
+ 7. Disclaimer of Warranty. Unless required by applicable law or
151
+ agreed to in writing, Licensor provides the Work (and each
152
+ Contributor provides its Contributions) on an "AS IS" BASIS,
153
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or
154
+ implied, including, without limitation, any warranties or conditions
155
+ of TITLE, NON-INFRINGEMENT, MERCHANTABILITY, or FITNESS FOR A
156
+ PARTICULAR PURPOSE. You are solely responsible for determining the
157
+ appropriateness of using or redistributing the Work and assume any
158
+ risks associated with Your exercise of permissions under this License.
159
+
160
+ 8. Limitation of Liability. In no event and under no legal theory,
161
+ whether in tort (including negligence), contract, or otherwise,
162
+ unless required by applicable law (such as deliberate and grossly
163
+ negligent acts) or agreed to in writing, shall any Contributor be
164
+ liable to You for damages, including any direct, indirect, special,
165
+ incidental, or consequential damages of any character arising as a
166
+ result of this License or out of the use or inability to use the
167
+ Work (including but not limited to damages for loss of goodwill,
168
+ work stoppage, computer failure or malfunction, or any and all
169
+ other commercial damages or losses), even if such Contributor
170
+ has been advised of the possibility of such damages.
171
+
172
+ 9. Accepting Warranty or Additional Liability. While redistributing
173
+ the Work or Derivative Works thereof, You may choose to offer,
174
+ and charge a fee for, acceptance of support, warranty, indemnity,
175
+ or other liability obligations and/or rights consistent with this
176
+ License. However, in accepting such obligations, You may act only
177
+ on Your own behalf and on Your sole responsibility, not on behalf
178
+ of any other Contributor, and only if You agree to indemnify,
179
+ defend, and hold each Contributor harmless for any liability
180
+ incurred by, or claims asserted against, such Contributor by reason
181
+ of your accepting any such warranty or additional liability.
182
+
183
+ END OF TERMS AND CONDITIONS
184
+
185
+ APPENDIX: How to apply the Apache License to your work.
186
+
187
+ To apply the Apache License to your work, attach the following
188
+ boilerplate notice, with the fields enclosed by brackets "[]"
189
+ replaced with your own identifying information. (Don't include
190
+ the brackets!) The text should be enclosed in the appropriate
191
+ comment syntax for the file format. We also recommend that a
192
+ file or class name and description of purpose be included on the
193
+ same "printed page" as the copyright notice for easier
194
+ identification within third-party archives.
195
+
196
+ Copyright [yyyy] [name of copyright owner]
197
+
198
+ Licensed under the Apache License, Version 2.0 (the "License");
199
+ you may not use this file except in compliance with the License.
200
+ You may obtain a copy of the License at
201
+
202
+ http://www.apache.org/licenses/LICENSE-2.0
203
+
204
+ Unless required by applicable law or agreed to in writing, software
205
+ distributed under the License is distributed on an "AS IS" BASIS,
206
+ WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied.
207
+ See the License for the specific language governing permissions and
208
+ limitations under the License.
209
+
210
+
211
+ Requires-Python: <3.14,>=3.11
212
+ Description-Content-Type: text/markdown
213
+ License-File: LICENSE
214
+ Requires-Dist: einops>=0.7.0
215
+ Requires-Dist: huggingface_hub
216
+ Requires-Dist: numpy>=1.26.4
217
+ Requires-Dist: universal-pathlib>=0.2.5
218
+ Provides-Extra: torch-cpu
219
+ Requires-Dist: torch<2.9,>=2.8; extra == "torch-cpu"
220
+ Requires-Dist: torchvision<1,>=0.23; extra == "torch-cpu"
221
+ Provides-Extra: torch-cu128
222
+ Requires-Dist: pytorch-triton; extra == "torch-cu128"
223
+ Requires-Dist: torch<2.9,>=2.8; extra == "torch-cu128"
224
+ Requires-Dist: torchvision<1,>=0.23; extra == "torch-cu128"
225
+ Provides-Extra: dev
226
+ Requires-Dist: pytest>=7.0.0; extra == "dev"
227
+ Dynamic: license-file
228
+
229
+ # OlmoEarth Pretrain Minimal
230
+
231
+ A minimal package for loading and initializing OlmoEarth v1 models. This package contains only the code necessary to load models from Hugging Face or initialize them with random weights, without training or evaluation dependencies.
232
+
233
+
234
+ ## Installation
235
+
236
+ Install `uv` if you haven't already:
237
+
238
+ ```bash
239
+ curl -LsSf https://astral.sh/uv/install.sh | sh
240
+ ```
241
+
242
+ To install dependencies:
243
+ ```
244
+ git clone git@github.com:allenai/olmoearth_pretrain_minimal.git
245
+ cd olmoearth_pretrain_minimal
246
+ # Install with CPU-only PyTorch (works on all platforms including Linux)
247
+ uv sync --locked --python 3.12 --extra torch-cpu
248
+ # Or install with CUDA 12.8 PyTorch
249
+ uv sync --locked --python 3.12 --extra torch-cu128
250
+ ```
251
+ uv installs everything into a venv, so to keep using python commands you can activate uv's venv: `source .venv/bin/activate`. Otherwise, swap to `uv run python`.
252
+
253
+ **Note:** You must specify either `--extra torch-cpu` or `--extra torch-cu128` to install PyTorch. This allows you to explicitly choose the CPU or GPU version regardless of your platform, which is especially useful for CI environments that need CPU-only builds on Linux.
254
+
255
+
256
+ ## Model Summary
257
+
258
+ <img src="https://raw.githubusercontent.com/allenai/olmoearth_pretrain/main/assets/model.png" alt="Model Architecture Diagram" style="width: 800px; margin-left:'auto' margin-right:'auto' display:'block'"/>
259
+
260
+ The OlmoEarth models are trained on three satellite modalities (Sentinel 2, Sentinel 1 and Landsat) and six derived maps (OpenStreetMap, WorldCover, USDA Cropland Data Layer, SRTM DEM, WRI Canopy Height Map, and WorldCereal).
261
+ | Model Size | Weights | Encoder Params | Decoder Params |
262
+ | --- | --- | --- | --- |
263
+ | Nano | [link](https://huggingface.co/allenai/OlmoEarth-v1-Nano) | 1.4M | 800K |
264
+ | Tiny | [link](https://huggingface.co/allenai/OlmoEarth-v1-Tiny) | 6.2M | 1.9M |
265
+ | Base | [link](https://huggingface.co/allenai/OlmoEarth-v1-Base) | 89M | 30M |
266
+ | Large | [link](https://huggingface.co/allenai/OlmoEarth-v1-Large) | 308M | 53M |
267
+
268
+
269
+ ## Usage
270
+
271
+ ### Loading Models from Hugging Face
272
+
273
+ The recommended way to load models is using the model loader, which downloads the model configuration from Hugging Face:
274
+
275
+ ```python
276
+ from olmoearth_pretrain_minimal import ModelID, load_model_from_id
277
+
278
+ # Load a model from Hugging Face with pre-trained weights
279
+ # - ModelID.OLMOEARTH_V1_NANO - 1.4M encoder params, 800K decoder params
280
+ # - ModelID.OLMOEARTH_V1_TINY - 6.2M encoder params, 1.9M decoder params
281
+ # - ModelID.OLMOEARTH_V1_BASE - 89M encoder params, 30M decoder params
282
+ # - ModelID.OLMOEARTH_V1_LARGE - 308M encoder params, 53M decoder params
283
+ model = load_model_from_id(ModelID.OLMOEARTH_V1_BASE, load_weights=True)
284
+
285
+ # Load with randomly initialized weights
286
+ model_with_weights = load_model_from_id(ModelID.OLMOEARTH_V1_NANO, load_weights=True)
287
+ ```
288
+
289
+
290
+ ### Direct Model Initialization (Custom Configuration)
291
+
292
+ For custom configurations (e.g., custom modalities), you can directly instantiate the model class:
293
+
294
+ ```python
295
+ from olmoearth_pretrain_minimal import OlmoEarthPretrain_v1
296
+
297
+ # Initialize with custom modalities and settings
298
+ model = OlmoEarthPretrain_v1(
299
+ model_size="nano",
300
+ supported_modality_names=["sentinel2_l2a", "sentinel1", "landsat"],
301
+ max_patch_size=8,
302
+ max_sequence_length=12,
303
+ drop_path=0.1,
304
+ )
305
+ ```
306
+
307
+ ### Manual Weight Loading
308
+
309
+ If you have pre-trained weights in a separate file, you can load them manually:
310
+
311
+ ```python
312
+ from olmoearth_pretrain_minimal import ModelID, load_model_from_id
313
+ import torch
314
+
315
+ # Load model without weights
316
+ model = load_model_from_id(ModelID.OLMOEARTH_V1_NANO, load_weights=False)
317
+
318
+ # Load pre-trained weights from a separate file
319
+ weights = torch.load("path/to/weights.pth")
320
+ model.load_state_dict(weights)
321
+ ```
322
+
323
+ ### Note
324
+
325
+ For the full package with training and evaluation capabilities, see the main `olmoearth_pretrain` package.
326
+
@@ -0,0 +1,24 @@
1
+ olmoearth_pretrain_minimal/__init__.py,sha256=bMZ9NzVwWFavo2_wgxLui_9ZJJhkgwWa1QX5zrgbxqI,378
2
+ olmoearth_pretrain_minimal/model_loader.py,sha256=tmHXnjPhY0QZUs4fluqp-Uc9epdrLt4X1OHsvK_G564,4198
3
+ olmoearth_pretrain_minimal/test.py,sha256=bO7WVnc4r6woqHtioP1MQyKG4lf7Jy8NcxAJ8hHqrAA,2757
4
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/__init__.py,sha256=gDd1nxM-XoHB3-XXHK1M7dwvVS_hsl_lud5KOKRLuo4,185
5
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/olmoearth_pretrain_v1.py,sha256=NvnFGf3uHmQdGxqRa-8k1aL37cDMbfqaPO5PK9aw7z8,5191
6
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/__init__.py,sha256=nGGODPml8kwoVYE9aeWMLPvnp-DSphzeYIV3ihkbUDE,49
7
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/attention.py,sha256=3Xj634JsVW2NYGiUOb1uf9w--iH5NFkal9KI_lOh6Nk,19949
8
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/encodings.py,sha256=9-4KuY_Woe4ExP8DX0kXVZfGlXx6zjTBWrp8i95GHaA,4342
9
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/flexi_patch_embed.py,sha256=_wVpUd3zlC3eeDJqxpYuoojsmPUNDHAauwEvxkHf9GY,10371
10
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/flexi_vit.py,sha256=-H4wkrXmp5817cw_yb1Zv6favuc9J5TTGCNg5fHimGc,92781
11
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/latent_mim.py,sha256=EayD-JSOYdlnpY3I6U3w1qN6OxWnbCwwsZamT31j3i4,5741
12
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/tokenization.py,sha256=a-DF1V_Z_CpWAiyevIm50XSCPq5g8Yighmzr8h4Ah9M,6920
13
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/nn/utils.py,sha256=f4u7bVvQqO0WC9WAeeiBcKX7TYhzl3oNMtvsnk8DxNs,2800
14
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/__init__.py,sha256=yyng2_HSCotcM85WEDaJ2meMdA1FU-ZZOobbciBmuMI,47
15
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/config.py,sha256=ASpoWxWYjnR0Uv761FYMkvbxNwa-KS1ORqLdFeDWj5M,10691
16
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/constants.py,sha256=AAE1XnvesESxqud6SOWg8NvUwkQqtGbijMJTML2z1fA,16258
17
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/datatypes.py,sha256=UPzOs9NAYEqK24HoPfWOw4vc_GlHE3WshjI6Dqh0xt0,5976
18
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/decorators.py,sha256=iZnDkBhw6UhZsKEyyPurBo9e8fszUOWZbfP4M3MvHGo,2578
19
+ olmoearth_pretrain_minimal/olmoearth_pretrain_v1/utils/types.py,sha256=xWReM_hQqJ2_P0yT1UNZDiq69hyy2uhiCffO0jvDeAI,158
20
+ olmoearth_pretrain_minimal-0.0.1.dist-info/licenses/LICENSE,sha256=WxBN7RyanmPTUAYoC5ui3f-qZGHckB6fiOpJydcC2Fs,11485
21
+ olmoearth_pretrain_minimal-0.0.1.dist-info/METADATA,sha256=4yi8NGu7gMYAUiK_8YogxXa4DNopQi7WDTv4YmwF1YU,17781
22
+ olmoearth_pretrain_minimal-0.0.1.dist-info/WHEEL,sha256=wUyA8OaulRlbfwMtmQsvNngGrxQHAvkKcvRmdizlJi0,92
23
+ olmoearth_pretrain_minimal-0.0.1.dist-info/top_level.txt,sha256=RhycmkLN0OHAH4zvgGr_sPKBcGCGVUi0MzqLdIO3svY,27
24
+ olmoearth_pretrain_minimal-0.0.1.dist-info/RECORD,,
@@ -0,0 +1,5 @@
1
+ Wheel-Version: 1.0
2
+ Generator: setuptools (80.10.2)
3
+ Root-Is-Purelib: true
4
+ Tag: py3-none-any
5
+