File size: 7,302 Bytes
ab07cb1 | 1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 | """
Edge-Case & Hardening Tests for Eurus
=======================================
Focused on retrieval edge cases discovered during manual testing:
prime-meridian crossing, future dates, invalid variables, filename
generation, cache behaviour, and routing with real dependencies.
Run with: pytest tests/test_edge_cases.py -v -s
"""
import os
import pytest
from pathlib import Path
from dotenv import load_dotenv
load_dotenv()
# ============================================================================
# RETRIEVAL HELPERS — pure-logic, no API calls
# ============================================================================
class TestFilenameGeneration:
"""Tests for generate_filename edge cases."""
def test_negative_longitude_in_filename(self):
from eurus.retrieval import generate_filename
name = generate_filename(
"sst", "temporal", "2023-01-01", "2023-01-31",
min_latitude=30.0, max_latitude=46.0,
min_longitude=-6.0, max_longitude=36.0,
)
assert name.endswith(".zarr")
assert "lat30.00_46.00" in name
assert "lon-6.00_36.00" in name
def test_region_tag_overrides_coords(self):
from eurus.retrieval import generate_filename
name = generate_filename(
"sst", "temporal", "2023-07-01", "2023-07-31",
min_latitude=30, max_latitude=46,
min_longitude=354, max_longitude=42,
region="mediterranean",
)
assert "mediterranean" in name
assert "lat" not in name # region tag replaces coord string
def test_format_coord_near_zero(self):
from eurus.retrieval import _format_coord
assert _format_coord(0.003) == "0.00"
assert _format_coord(-0.004) == "0.00"
assert _format_coord(0.01) == "0.01"
class TestFutureDateRejection:
"""Ensure retrieval rejects future start dates without touching the API."""
def test_future_date_returns_error(self):
from eurus.retrieval import retrieve_era5_data
result = retrieve_era5_data(
query_type="temporal",
variable_id="sst",
start_date="2099-01-01",
end_date="2099-01-31",
min_latitude=0, max_latitude=10,
min_longitude=250, max_longitude=260,
)
assert "future" in result.lower()
assert "Error" in result
# ============================================================================
# E2E RETRIEVAL — require ARRAYLAKE_API_KEY
# ============================================================================
@pytest.fixture(scope="module")
def has_arraylake_key():
key = os.environ.get("ARRAYLAKE_API_KEY")
if not key:
pytest.skip("ARRAYLAKE_API_KEY not set")
return True
class TestPrimeMeridianCrossing:
"""Verify data integrity when the request spans the 0° meridian."""
@pytest.mark.slow
def test_cross_meridian_longitude_continuity(self, has_arraylake_key):
"""
Request u10 from -10°E to 15°E and check that the returned
longitude axis has no gaps (step ≈ 0.25° everywhere).
"""
import numpy as np
import xarray as xr
from eurus.retrieval import retrieve_era5_data
from eurus.memory import reset_memory
reset_memory()
result = retrieve_era5_data(
query_type="temporal",
variable_id="u10",
start_date="2024-01-15",
end_date="2024-01-17", # small window
min_latitude=50.0,
max_latitude=55.0,
min_longitude=-10.0,
max_longitude=15.0,
)
assert "SUCCESS" in result or "CACHE HIT" in result
# Extract path and load
path = None
for line in result.split("\n"):
if "Path:" in line:
path = line.split("Path:")[-1].strip()
break
assert path and os.path.exists(path)
ds = xr.open_dataset(path, engine="zarr")
lons = ds["u10"].longitude.values
diffs = np.diff(lons)
# uniform step — no jump across 0°
assert diffs.max() < 1.0, f"Gap in longitude: max step = {diffs.max()}"
ds.close()
class TestInvalidVariableHandling:
"""Ensure retrieval returns a clear error for unavailable variables."""
@pytest.mark.slow
def test_swh_not_available(self, has_arraylake_key):
from eurus.retrieval import retrieve_era5_data
from eurus.memory import reset_memory
reset_memory()
result = retrieve_era5_data(
query_type="temporal",
variable_id="swh",
start_date="2023-06-01",
end_date="2023-06-07",
min_latitude=40, max_latitude=50,
min_longitude=0, max_longitude=10,
)
assert "not found" in result.lower() or "Error" in result
assert "Available variables" in result or "available" in result.lower()
class TestCacheHitBehaviour:
"""Verify that repeated identical requests return CACHE HIT."""
@pytest.mark.slow
def test_second_request_is_cache_hit(self, has_arraylake_key):
from eurus.retrieval import retrieve_era5_data
from eurus.memory import reset_memory
reset_memory()
params = dict(
query_type="temporal",
variable_id="sst",
start_date="2023-08-01",
end_date="2023-08-03",
min_latitude=35.0, max_latitude=37.0,
min_longitude=15.0, max_longitude=18.0,
)
first = retrieve_era5_data(**params)
assert "SUCCESS" in first or "CACHE HIT" in first
second = retrieve_era5_data(**params)
assert "CACHE HIT" in second
# ============================================================================
# ROUTING WITH REAL DEPENDENCIES
# ============================================================================
class TestRoutingIntegration:
"""Tests that use real scgraph (if installed)."""
def test_hamburg_rotterdam_route(self):
from eurus.tools.routing import HAS_ROUTING_DEPS, calculate_maritime_route
if not HAS_ROUTING_DEPS:
pytest.skip("scgraph not installed")
result = calculate_maritime_route(
origin_lat=53.5, origin_lon=8.5,
dest_lat=52.4, dest_lon=4.9,
month=6,
)
assert "MARITIME ROUTE CALCULATION COMPLETE" in result
assert "Waypoints" in result or "waypoints" in result.lower()
# distance should be reasonable (100–500 nm)
assert "nautical miles" in result.lower()
def test_long_route_across_atlantic(self):
from eurus.tools.routing import HAS_ROUTING_DEPS, calculate_maritime_route
if not HAS_ROUTING_DEPS:
pytest.skip("scgraph not installed")
result = calculate_maritime_route(
origin_lat=40.7, origin_lon=-74.0, # New York
dest_lat=51.9, dest_lon=4.5, # Rotterdam
month=1,
)
assert "MARITIME ROUTE CALCULATION COMPLETE" in result
# trans-Atlantic should produce plenty of waypoints
assert "nautical miles" in result.lower()
if __name__ == "__main__":
pytest.main([__file__, "-v", "-s", "--tb=short"])
|