ras-commander 0.58.0__py3-none-any.whl → 0.61.0__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.
@@ -85,20 +85,24 @@ def standardize_input(file_type: str = 'plan_hdf'):
85
85
  if Path(hdf_input).is_file():
86
86
  hdf_path = Path(hdf_input)
87
87
  # Check if it's a number (with or without 'p' prefix)
88
- elif hdf_input.isdigit() or (len(hdf_input) == 3 and hdf_input[0] == 'p' and hdf_input[1:].isdigit()):
88
+ elif hdf_input.isdigit() or (len(hdf_input) > 1 and hdf_input[0] == 'p' and hdf_input[1:].isdigit()):
89
89
  try:
90
90
  ras_obj.check_initialized()
91
91
  except Exception as e:
92
92
  raise ValueError(f"RAS object is not initialized: {str(e)}")
93
93
 
94
- number = hdf_input if hdf_input.isdigit() else hdf_input[1:]
94
+ # Extract the numeric part and convert to integer for comparison
95
+ number_str = hdf_input if hdf_input.isdigit() else hdf_input[1:]
96
+ number_int = int(number_str)
95
97
 
96
98
  if file_type == 'plan_hdf':
97
- plan_info = ras_obj.plan_df[ras_obj.plan_df['plan_number'] == number]
99
+ # Convert plan_number column to integers for comparison
100
+ plan_info = ras_obj.plan_df[ras_obj.plan_df['plan_number'].astype(int) == number_int]
98
101
  if not plan_info.empty:
99
102
  hdf_path = Path(plan_info.iloc[0]['HDF_Results_Path'])
100
103
  elif file_type == 'geom_hdf':
101
- geom_info = ras_obj.geom_df[ras_obj.geom_df['geom_number'] == number]
104
+ # Convert geom_number column to integers for comparison
105
+ geom_info = ras_obj.geom_df[ras_obj.geom_df['geom_number'].astype(int) == number_int]
102
106
  if not geom_info.empty:
103
107
  hdf_path = Path(geom_info.iloc[0]['HDF_Path'])
104
108
  else:
@@ -110,14 +114,16 @@ def standardize_input(file_type: str = 'plan_hdf'):
110
114
  except Exception as e:
111
115
  raise ValueError(f"RAS object is not initialized: {str(e)}")
112
116
 
113
- number = f"{hdf_input:02d}"
117
+ number_int = hdf_input
114
118
 
115
119
  if file_type == 'plan_hdf':
116
- plan_info = ras_obj.plan_df[ras_obj.plan_df['plan_number'] == number]
120
+ # Convert plan_number column to integers for comparison
121
+ plan_info = ras_obj.plan_df[ras_obj.plan_df['plan_number'].astype(int) == number_int]
117
122
  if not plan_info.empty:
118
123
  hdf_path = Path(plan_info.iloc[0]['HDF_Results_Path'])
119
124
  elif file_type == 'geom_hdf':
120
- geom_info = ras_obj.geom_df[ras_obj.geom_df['geom_number'] == number]
125
+ # Convert geom_number column to integers for comparison
126
+ geom_info = ras_obj.geom_df[ras_obj.geom_df['geom_number'].astype(int) == number_int]
121
127
  if not geom_info.empty:
122
128
  hdf_path = Path(geom_info.iloc[0]['HDF_Path'])
123
129
  else:
ras_commander/RasPrj.py CHANGED
@@ -828,7 +828,6 @@ def init_ras_project(ras_project_folder, ras_version=None, ras_object=None):
828
828
  Initialize a RAS project.
829
829
 
830
830
  USE THIS FUNCTION TO INITIALIZE A RAS PROJECT, NOT THE INITIALIZE METHOD OF THE RasPrj CLASS.
831
- The initialize method of the RasPrj class only modifies the global 'ras' object.
832
831
 
833
832
  Parameters:
834
833
  -----------
@@ -838,8 +837,10 @@ def init_ras_project(ras_project_folder, ras_version=None, ras_object=None):
838
837
  The version of RAS to use (e.g., "6.6").
839
838
  The version can also be a full path to the Ras.exe file.
840
839
  If None, the function will attempt to use the version from the global 'ras' object or a default path.
841
- ras_object : RasPrj, optional
842
- An instance of RasPrj to initialize. If None, the global 'ras' object is used.
840
+ ras_object : RasPrj or str, optional
841
+ If None, the global 'ras' object is updated.
842
+ If a RasPrj instance, that instance is updated.
843
+ If any other value is provided, a new RasPrj instance is created and returned.
843
844
 
844
845
  Returns:
845
846
  --------
@@ -852,16 +853,24 @@ def init_ras_project(ras_project_folder, ras_version=None, ras_object=None):
852
853
 
853
854
  ras_exe_path = get_ras_exe(ras_version)
854
855
 
856
+ # Determine which RasPrj instance to use
855
857
  if ras_object is None:
858
+ # Use the global 'ras' object
856
859
  logger.info("Initializing global 'ras' object via init_ras_project function.")
857
860
  ras_object = ras
858
861
  elif not isinstance(ras_object, RasPrj):
859
- logger.error("Provided ras_object is not an instance of RasPrj.")
860
- raise TypeError("ras_object must be an instance of RasPrj or None.")
862
+ # Create a new RasPrj instance
863
+ logger.info("Creating a new RasPrj instance.")
864
+ ras_object = RasPrj()
861
865
 
862
866
  # Initialize the RasPrj instance
863
867
  ras_object.initialize(ras_project_folder, ras_exe_path)
864
868
 
869
+ # Always update the global ras object as well
870
+ if ras_object is not ras:
871
+ ras.initialize(ras_project_folder, ras_exe_path)
872
+ logger.info("Global 'ras' object also updated to match the new project.")
873
+
865
874
  logger.info(f"Project initialized. ras_object project folder: {ras_object.project_folder}")
866
875
  return ras_object
867
876
 
@@ -1,6 +1,6 @@
1
1
  Metadata-Version: 2.2
2
2
  Name: ras-commander
3
- Version: 0.58.0
3
+ Version: 0.61.0
4
4
  Summary: A Python library for automating HEC-RAS 6.x operations
5
5
  Home-page: https://github.com/gpt-cmdr/ras-commander
6
6
  Author: William M. Katzenmeyer, P.E., C.F.M.
@@ -43,12 +43,11 @@ This repository has several methods of interaction with Large Language Models an
43
43
 
44
44
  1. **[RAS Commander Library Assistant GPT](https://chatgpt.com/g/g-TZRPR3oAO-ras-commander-library-assistant)**: A specialized GPT model with access to the ras-commander codebase and library, available for answering queries and providing code suggestions. You can even upload your own plan, unsteady and HDF files to inspect and help determine how to automate your workflows or visualize your results, although this ability is still limited by OpenAI's GPT frameworks and may not be useful for long conversations.
45
45
 
46
- 2. **[Purpose-Built Knowledge Base Summaries](https://github.com/billk-FM/ras-commander/tree/main/ai_tools/assistant_knowledge_bases)**: Up-to-date compilations of the documentation and codebase for use with large language models like Claude or GPT-4. Look in 'ai_tools/assistant_knowledge_bases/' in the repo. The repo's codebase (without documentation and examples) has been curated to stay within the current ~200k context window limitations of frontier models, and for tasks that do not need an understanding of the underlying code, the Comprehensive Library Guide and any relevant examples from the example folder should be adequate context for leveraging the ras-commander API to complete tasks.
46
+ 2. **[Purpose-Built Knowledge Base Summaries](https://github.com/gpt-cmdr/ras-commander/tree/main/ai_tools/assistant_knowledge_bases)**: Up-to-date compilations of the documentation and codebase for use with large language models like Claude or GPT-4. Look in 'ai_tools/assistant_knowledge_bases/' in the repo. The repo's codebase (without documentation and examples) has been curated to stay within the current ~200k context window limitations of frontier models, and for tasks that do not need an understanding of the underlying code, the Comprehensive Library Guide and any relevant examples from the example folder should be adequate context for leveraging the ras-commander API to complete tasks.
47
47
 
48
- 3. **[Cursor IDE Integration](https://github.com/billk-FM/ras-commander/blob/main/.cursorrules)**: Custom rules(.cursorrules) for the Cursor IDE to provide context-aware suggestions and documentation. Just open the repository folder in Cursor to recognize these instructions. You can create your own folders "/workspace/, "/projects/", or "my_projects/" as these are already in the .gitignore, and place your custom scripts there for your projects. This will allow easy referencing of the ras-commander documents and individual repo files, the automatic loading of the .cursorrules file. Alternatvely, download the github repo into your projects folder to easily load documents and use cursor rules files.
49
-
50
- 5. **[RAS-Commander Library Assistant](https://github.com/billk-FM/ras-commander/blob/main/library_assistant)**: A full-featured interface for multi-turn conversations, using your own API keys and the ras-commander library for context. The library assistant allows you to load your own scripts and chat with specific examples and/or function classes in the RAS-Commander library to effectively utilize the library's functions in your workflow. To reduce hallucinations, a file browser is included which adds full files to the conversation to ensure grounded responses. A dashboard shows you the total context and estimated cost of each request. **Now with support for OpenAI's o1 and o3-mini, and Deepseek V3 and R1 models using US-based Together.ai**
48
+ 3. **[Cursor IDE Integration](https://github.com/gpt-cmdr/ras-commander/blob/main/.cursorrules)**: Custom rules(.cursorrules) for the Cursor IDE to provide context-aware suggestions and documentation. Just open the repository folder in Cursor to recognize these instructions. You can create your own folders "/workspace/, "/projects/", or "my_projects/" as these are already in the .gitignore, and place your custom scripts there for your projects. This will allow easy referencing of the ras-commander documents and individual repo files, the automatic loading of the .cursorrules file. Alternatvely, download the github repo into your projects folder to easily load documents and use cursor rules files.
51
49
 
50
+ 5. **[RAS-Commander Library Assistant](https://github.com/gpt-cmdr/ras-commander/blob/main/library_assistant)**: A full-featured interface for multi-turn conversations, using your own API keys and the ras-commander library for context. The library assistant allows you to load your own scripts and chat with specific examples and/or function classes in the RAS-Commander library to effectively utilize the library's functions in your workflow. To reduce hallucinations, a file browser is included which adds full files to the conversation to ensure grounded responses. A dashboard shows you the total context and estimated cost of each request. **Now with support for OpenAI's o1 and o3-mini, and Deepseek V3 and R1 models using US-based Together.ai**
52
51
 
53
52
  ## Background
54
53
  The ras-commander library emerged from the initial test-bed of AI-driven coding represented by the HEC-Commander tools Python notebooks. These notebooks served as a proof of concept, demonstrating the value proposition of automating HEC-RAS operations. The transition from notebooks to a structured library aims to provide a more robust, maintainable, and extensible solution for water resources engineers.
@@ -65,8 +64,6 @@ HEC-RAS Project Management & Execution
65
64
  - Progress tracking and logging
66
65
  - Execution error handling and recovery
67
66
 
68
-
69
-
70
67
  HDF Data Access & Analysis
71
68
  - 2D mesh results processing (depths, velocities, WSE)
72
69
  - Cross-section data extraction
@@ -76,7 +73,6 @@ HDF Data Access & Analysis
76
73
  - Fluvial-pluvial boundary calculations
77
74
  - Infiltration and precipitation data handling
78
75
 
79
-
80
76
  RAS ASCII File Operations
81
77
  - Plan file creation and modification
82
78
  - Geometry file parsing examples
@@ -93,7 +89,6 @@ First, create a virtual environment with conda or venv (ask ChatGPT if you need
93
89
 
94
90
  In your virtual environment, install ras-commander using pip:
95
91
  ```
96
- pip install h5py numpy pandas requests tqdm scipy xarray geopandas matplotlib ipython tqdm psutil shapely fiona pathlib rtree rasterstats
97
92
  pip install --upgrade ras-commander
98
93
  ```
99
94
  If you have dependency issues with pip (especially if you have errors with numpy), try clearing your local pip packages 'C:\Users\your_username\AppData\Roaming\Python\' and then creating a new virtual environment.
@@ -118,21 +113,49 @@ except ImportError:
118
113
  ```
119
114
  It is highly suggested to fork this repository before going this route, and using Git to manage your changes! This allows any revisions to the ras-commander classes and functions to be actively edited and developed by end users. The folders "/workspace/, "/projects/", or "my_projects/" are included in the .gitignore, so users can place you custom scripts there for any project data they don't want to be tracked by git.
120
115
 
121
-
122
-
123
-
124
-
125
116
  ## Quick Start Guide
126
117
 
127
118
  ```
128
119
  from ras_commander import init_ras_project, RasCmdr, RasPlan
129
120
  ```
130
121
 
131
- ### Initialize a project
122
+ ### Initialize a project (single project)
132
123
  ```
133
124
  init_ras_project(r"/path/to/project", "6.5")
134
125
  ```
135
126
 
127
+ ### Initialize a project (multiple projects)
128
+ ```
129
+ your_ras_project = RasPrj()
130
+ init_ras_project(r"/path/to/project", "6.5", ras_object=your_ras_project)
131
+ ```
132
+
133
+ ## Accessing Plan, Unsteady and Boundary Conditions Dataframes
134
+ Using the default 'ras" object, othewise substitute your_ras_project for muli-project scripts
135
+ ```
136
+ print("\nPlan Files DataFrame:")
137
+ ras.plan_df
138
+
139
+ print("\nFlow Files DataFrame:")
140
+ ras.flow_df
141
+
142
+ print("\nUnsteady Flow Files DataFrame:")
143
+ ras.unsteady_df
144
+
145
+ print("\nGeometry Files DataFrame:")
146
+ ras.geom_df
147
+
148
+ print("\nHDF Entries DataFrame:")
149
+ ras.get_hdf_entries()
150
+
151
+ print("\nBoundary Conditions DataFrame:")
152
+ ras.boundaries_df
153
+
154
+ ```
155
+
156
+
157
+
158
+
136
159
  ### Execute a single plan
137
160
  ```
138
161
  RasCmdr.compute_plan("01", dest_folder=r"/path/to/results", overwrite_dest=True)
@@ -141,9 +164,9 @@ RasCmdr.compute_plan("01", dest_folder=r"/path/to/results", overwrite_dest=True)
141
164
  ### Execute plans in parallel
142
165
  ```
143
166
  results = RasCmdr.compute_parallel(
144
- plan_numbers=["01", "02"],
167
+ plan_number=["01", "02"],
145
168
  max_workers=2,
146
- cores_per_run=2,
169
+ num_cores=2,
147
170
  dest_folder=r"/path/to/results",
148
171
  overwrite_dest=True
149
172
  )
@@ -154,7 +177,66 @@ results = RasCmdr.compute_parallel(
154
177
  RasPlan.set_geom("01", "02")
155
178
  ```
156
179
 
157
- #### Key Components
180
+ ### Execution Modes
181
+
182
+ RAS Commander provides three methods for executing HEC-RAS plans:
183
+
184
+ #### Single Plan Execution
185
+ ```python
186
+ # Execute a single plan
187
+ success = RasCmdr.compute_plan("01", dest_folder=r"/path/to/results")
188
+ print(f"Plan execution {'successful' if success else 'failed'}")
189
+ ```
190
+
191
+ #### Sequential Execution of Multiple Plans
192
+ ```python
193
+ # Execute multiple plans in sequence in a test folder
194
+ results = RasCmdr.compute_test_mode(
195
+ plan_number=["01", "02", "03"],
196
+ dest_folder_suffix="[Test]"
197
+ )
198
+ for plan, success in results.items():
199
+ print(f"Plan {plan}: {'Successful' if success else 'Failed'}")
200
+ ```
201
+
202
+ #### Parallel Execution of Multiple Plans
203
+ ```python
204
+ # Execute multiple plans concurrently
205
+ results = RasCmdr.compute_parallel(
206
+ plan_number=["01", "02", "03"],
207
+ max_workers=3,
208
+ num_cores=2
209
+ )
210
+ for plan, success in results.items():
211
+ print(f"Plan {plan}: {'Successful' if success else 'Failed'}")
212
+ ```
213
+
214
+ ### Working with Multiple Projects
215
+
216
+ RAS Commander allows working with multiple HEC-RAS projects simultaneously:
217
+
218
+ ```python
219
+ # Initialize multiple projects
220
+ project1 = RasPrj()
221
+ init_ras_project(path1, "6.6", ras_object=project1)
222
+ project2 = RasPrj()
223
+ init_ras_project(path2, "6.6", ras_object=project2)
224
+
225
+ # Perform operations on each project
226
+ RasCmdr.compute_plan("01", ras_object=project1, dest_folder=folder1)
227
+ RasCmdr.compute_plan("01", ras_object=project2, dest_folder=folder2)
228
+
229
+ # Compare results between projects
230
+ print(f"Project 1: {project1.project_name}")
231
+ print(f"Project 2: {project2.project_name}")
232
+
233
+ # Always specify the ras_object parameter when working with multiple projects
234
+ # to avoid confusion with the global 'ras' object
235
+ ```
236
+
237
+ This is useful for comparing different river systems, running scenario analyses across multiple watersheds, or managing a suite of related models.
238
+
239
+ #### Core HEC-RAS Automation Classes
158
240
 
159
241
  - `RasPrj`: Manages HEC-RAS projects, handling initialization and data loading
160
242
  - `RasCmdr`: Handles execution of HEC-RAS simulations
@@ -164,7 +246,7 @@ RasPlan.set_geom("01", "02")
164
246
  - `RasUtils`: Contains utility functions for file operations and data management
165
247
  - `RasExamples`: Manages and loads HEC-RAS example projects
166
248
 
167
- #### New Components:
249
+ #### HDF Data Access Classes
168
250
  - `HdfBase`: Core functionality for HDF file operations
169
251
  - `HdfBndry`: Enhanced boundary condition handling
170
252
  - `HdfMesh`: Comprehensive mesh data management
@@ -176,14 +258,11 @@ RasPlan.set_geom("01", "02")
176
258
  - `HdfPipe`: Pipe network analysis tools
177
259
  - `HdfPump`: Pump station analysis capabilities
178
260
  - `HdfFluvialPluvial`: Fluvial-pluvial boundary analysis
179
- - `RasMapper`: RASMapper interface
180
- - `RasToGo`: Go-Consequences integration
261
+ - `RasMapper`: RASMapper Functions
181
262
  - `HdfPlot` & `HdfResultsPlot`: Specialized plotting utilities
182
263
 
183
264
  ### Project Organization Diagram
184
265
 
185
- ### Project Organization Diagram
186
-
187
266
  ```
188
267
  ras_commander
189
268
  ├── ras_commander
@@ -214,24 +293,16 @@ ras_commander
214
293
  │ ├── HdfPlot.py
215
294
  │ └── HdfResultsPlot.py
216
295
  ├── examples
217
- │ ├── 01_project_initialization.py
218
- │ ├── 02_plan_operations.py
219
- │ ├── 03_geometry_operations.py
220
- │ ├── 04_unsteady_flow_operations.py
221
- │ ├── 05_utility_functions.py
222
- │ ├── 06_single_plan_execution.py
223
- │ ├── 07_sequential_plan_execution.py
224
- │ ├── 08_parallel_execution.py
225
- │ ├── 09_specifying_plans.py
226
- │ ├── 10_arguments_for_compute.py
227
- │ ├── 11_Using_RasExamples.ipynb
228
- │ ├── 12_plan_set_execution.py
229
- │ ├── 13_multiple_project_operations.py
230
- │ ├── 14_Core_Sensitivity.ipynb
231
- │ ├── 15_plan_key_operations.py
232
- │ ├── 16_scanning_ras_project_info.py
233
- │ ├── 17_parallel_execution_ble.py
234
- │ └── HEC_RAS_2D_HDF_Analysis.ipynb
296
+ │ ├── 00_Using_RasExamples.ipynb
297
+ │ ├── 01_project_initialization.ipynb
298
+ │ ├── 02_plan_and_geometry_operations.ipynb
299
+ │ ├── 03_unsteady_flow_operations.ipynb
300
+ │ ├── 04_multiple_project_operations.ipynb
301
+ │ ├── 05_single_plan_execution.ipynb
302
+ │ ├── 06_executing_plan_sets.ipynb
303
+ │ ├── 07_sequential_plan_execution.ipynb
304
+ │ ├── 08_parallel_execution.ipynb
305
+ │ └── 09_plan_parameter_operations.ipynb
235
306
  ├── tests
236
307
  │ └── ... (test files)
237
308
  ├── .gitignore
@@ -311,7 +382,6 @@ print(runtime_data)
311
382
  ```
312
383
  This class simplifies the process of extracting and analyzing data from HEC-RAS HDF output files, supporting tasks such as post-processing and result visualization.
313
384
 
314
-
315
385
  #### Infrastructure Analysis
316
386
  ```python
317
387
  from ras_commander import HdfPipe, HdfPump
@@ -348,13 +418,33 @@ boundary = HdfFluvialPluvial.calculate_fluvial_pluvial_boundary(
348
418
  )
349
419
  ```
350
420
 
351
- ## Documentation
421
+ ## Examples
352
422
 
353
- For detailed usage instructions and API documentation, please refer to the [Comprehensive Library Guide](Comprehensive_Library_Guide.md).
423
+ Check out the examples in the repository to learn how to use RAS Commander:
354
424
 
355
- ## Examples
425
+ ### Project Setup
426
+ - `00_Using_RasExamples.ipynb`: Download and extract HEC-RAS example projects
427
+ - `01_project_initialization.ipynb`: Initialize HEC-RAS projects and explore their components
428
+
429
+ ### File Operations
430
+ - `02_plan_and_geometry_operations.ipynb`: Clone and modify plan and geometry files
431
+ - `03_unsteady_flow_operations.ipynb`: Extract and modify boundary conditions
432
+ - `09_plan_parameter_operations.ipynb`: Retrieve and update plan parameters
433
+
434
+ ### Execution Modes
435
+ - `05_single_plan_execution.ipynb`: Execute a single plan with specific options
436
+ - `06_executing_plan_sets.ipynb`: Different ways to specify and execute plan sets
437
+ - `07_sequential_plan_execution.ipynb`: Run multiple plans in sequence
438
+ - `08_parallel_execution.ipynb`: Run multiple plans in parallel
439
+
440
+ ### Advanced Operations
441
+ - `04_multiple_project_operations.ipynb`: Work with multiple HEC-RAS projects simultaneously
356
442
 
357
- Check out the `examples/` directory for sample scripts demonstrating various features of ras-commander.
443
+ These examples demonstrate practical applications of RAS Commander for automating HEC-RAS workflows, from basic operations to advanced scenarios.
444
+
445
+ ## Documentation
446
+
447
+ For detailed usage instructions and API documentation, please refer to the [Comprehensive Library Guide](Comprehensive_Library_Guide.md).
358
448
 
359
449
  ## Future Development
360
450
 
@@ -365,10 +455,9 @@ The ras-commander library is an ongoing project. Future plans include:
365
455
 
366
456
  ## Related Resources
367
457
 
368
- - [HEC-Commander Blog](https://github.com/billk-FM/HEC-Commander/tree/main/Blog)
458
+ - [HEC-Commander Blog](https://github.com/gpt-cmdr/HEC-Commander/tree/main/Blog)
369
459
  - [GPT-Commander YouTube Channel](https://www.youtube.com/@GPT_Commander)
370
- - [ChatGPT Examples for Water Resources Engineers](https://github.com/billk-FM/HEC-Commander/tree/main/ChatGPT%20Examples)
371
-
460
+ - [ChatGPT Examples for Water Resources Engineers](https://github.com/gpt-cmdr/HEC-Commander/tree/main/ChatGPT%20Examples)
372
461
 
373
462
  ## Contributing
374
463
 
@@ -405,8 +494,7 @@ These acknowledgments recognize the contributions and inspirations that have hel
405
494
 
406
495
  4. Chris Goodell, "Breaking the HEC-RAS Code" - Studied and used as a reference for understanding the inner workings of HEC-RAS, providing valuable insights into the software's functionality and structure.
407
496
 
408
- 5. [HEC-Commander Tools](https://github.com/billk-FM/HEC-Commander) - Inspiration and initial code base for the development of RAS Commander.
409
-
497
+ 5. [HEC-Commander Tools](https://github.com/gpt-cmdr/HEC-Commander) - Inspiration and initial code base for the development of RAS Commander.
410
498
 
411
499
  ## Official RAS Commander AI-Generated Songs:
412
500
 
@@ -416,14 +504,13 @@ These acknowledgments recognize the contributions and inspirations that have hel
416
504
 
417
505
  ## Other Resources
418
506
 
419
- Notebook version of RAS-Commander: [RAS-Commander Notebook in the HEC-Commander Tools Repository](https://github.com/billk-FM/HEC-Commander/tree/main/RAS-Commander)
507
+ Notebook version of RAS-Commander: [RAS-Commander Notebook in the HEC-Commander Tools Repository](https://github.com/gpt-cmdr/HEC-Commander/tree/main/RAS-Commander)
420
508
  Youtube Tutorials for HEC-Commander Tools and RAS-Commander: [GPT-Commander on YouTube](https://www.youtube.com/@GPT_Commander/videos)
421
509
 
422
510
  ## LICENSE
423
511
 
424
512
  This software is released under the MIT license.
425
513
 
426
-
427
514
  ## Contact
428
515
 
429
516
  For questions, suggestions, or support, please contact:
@@ -1,4 +1,4 @@
1
- ras_commander/Decorators.py,sha256=v0xPvIs3LbPlRJXvSHNtMFhygWEBo7f-0j_fCp7lXnQ,6030
1
+ ras_commander/Decorators.py,sha256=0UIYc-hzmBVS7tovSLMzDp2NIhwrZvOYNrQSvETxhEE,6538
2
2
  ras_commander/HdfBase.py,sha256=Jws6Y8JFkharuiM6Br5ivp6MS64X2fL6y87FOpe3FQw,14219
3
3
  ras_commander/HdfBndry.py,sha256=m81NdCu_ER-AAZpEkQPQka7pYv3sm7vEZevq3SIt2pw,12545
4
4
  ras_commander/HdfFluvialPluvial.py,sha256=dlqoFX5i7uSA2BvuRNrV-Fg-z2JaeUxY86_fbZAdGqI,25933
@@ -22,13 +22,13 @@ ras_commander/RasGeo.py,sha256=M0sVNKlWmmbve8iMXLWq25WgbxqLWBo7_1oDg_rALzU,5607
22
22
  ras_commander/RasGpt.py,sha256=N_7p2nucWrBBXdB2k2ZKvOeOdXNmFD9dIY3W7_5i5nw,1206
23
23
  ras_commander/RasMapper.py,sha256=A7xupixCmgXFiSfQs3oWBMBstrO8XcxieMeZWKTcbPQ,3271
24
24
  ras_commander/RasPlan.py,sha256=1HAn31oyz0hGv2r7GVNCLWcAZFcRjYTBNdL19mabvmw,53651
25
- ras_commander/RasPrj.py,sha256=9F0UVQZ2RfjhDf5717aJcEChL6z5BD8agGWAlUvqe0E,37472
25
+ ras_commander/RasPrj.py,sha256=epORKnwdzAovAO-whadvkOhJ8ruXPqmPjGCouHdqzuo,37783
26
26
  ras_commander/RasToGo.py,sha256=TKujfaV1xQhFaOddF4g2ogGy6ky-CLlfelSMPD2J3Nk,1223
27
27
  ras_commander/RasUnsteady.py,sha256=KfCXAag-_bPwwS3JbPZH-s4hbaoHACO0mlRnGrzbFgA,32092
28
28
  ras_commander/RasUtils.py,sha256=P2-aBL61kdRINsjnBpstZVD6VVc7hI_D3RUXqr6ldmc,34863
29
29
  ras_commander/__init__.py,sha256=mceEWRQJkDBi1o3zVg7DpG2qMrMnKHwwuK3GwyxoVr4,2132
30
- ras_commander-0.58.0.dist-info/LICENSE,sha256=_pbd6qHnlsz1iQ-ozDW_49r86BZT6CRwO2iBtw0iN6M,457
31
- ras_commander-0.58.0.dist-info/METADATA,sha256=aKq0yFZkuylnSHsK_BRqyie9X30WA9rThWeZQN7X2Ek,22149
32
- ras_commander-0.58.0.dist-info/WHEEL,sha256=52BFRY2Up02UkjOa29eZOS2VxUrpPORXg1pkohGGUS8,91
33
- ras_commander-0.58.0.dist-info/top_level.txt,sha256=i76S7eKLFC8doKcXDl3aiOr9RwT06G8adI6YuKbQDaA,14
34
- ras_commander-0.58.0.dist-info/RECORD,,
30
+ ras_commander-0.61.0.dist-info/LICENSE,sha256=_pbd6qHnlsz1iQ-ozDW_49r86BZT6CRwO2iBtw0iN6M,457
31
+ ras_commander-0.61.0.dist-info/METADATA,sha256=FmTSLA-khuKDSyKxmVQYa6jX0aADR1tKmtX9k2iTOhI,25045
32
+ ras_commander-0.61.0.dist-info/WHEEL,sha256=52BFRY2Up02UkjOa29eZOS2VxUrpPORXg1pkohGGUS8,91
33
+ ras_commander-0.61.0.dist-info/top_level.txt,sha256=i76S7eKLFC8doKcXDl3aiOr9RwT06G8adI6YuKbQDaA,14
34
+ ras_commander-0.61.0.dist-info/RECORD,,