Skip to content

NetCDF Class#

The NetCDF class extends Dataset for structured (regular grid) NetCDF files. It wraps GDAL's Multidimensional API to provide variable access, time dimension handling, and CF-compliant metadata.

pyramids.netcdf.NetCDF #

Bases: Dataset

NetCDF.

NetCDF class is a recursive data structure or self-referential object. The NetCDF class contains methods to deal with NetCDF files.

NetCDF Creation guidelines

https://acdguide.github.io/Governance/create/create-basics.html

Source code in src/pyramids/netcdf/netcdf.py
  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
 212
 213
 214
 215
 216
 217
 218
 219
 220
 221
 222
 223
 224
 225
 226
 227
 228
 229
 230
 231
 232
 233
 234
 235
 236
 237
 238
 239
 240
 241
 242
 243
 244
 245
 246
 247
 248
 249
 250
 251
 252
 253
 254
 255
 256
 257
 258
 259
 260
 261
 262
 263
 264
 265
 266
 267
 268
 269
 270
 271
 272
 273
 274
 275
 276
 277
 278
 279
 280
 281
 282
 283
 284
 285
 286
 287
 288
 289
 290
 291
 292
 293
 294
 295
 296
 297
 298
 299
 300
 301
 302
 303
 304
 305
 306
 307
 308
 309
 310
 311
 312
 313
 314
 315
 316
 317
 318
 319
 320
 321
 322
 323
 324
 325
 326
 327
 328
 329
 330
 331
 332
 333
 334
 335
 336
 337
 338
 339
 340
 341
 342
 343
 344
 345
 346
 347
 348
 349
 350
 351
 352
 353
 354
 355
 356
 357
 358
 359
 360
 361
 362
 363
 364
 365
 366
 367
 368
 369
 370
 371
 372
 373
 374
 375
 376
 377
 378
 379
 380
 381
 382
 383
 384
 385
 386
 387
 388
 389
 390
 391
 392
 393
 394
 395
 396
 397
 398
 399
 400
 401
 402
 403
 404
 405
 406
 407
 408
 409
 410
 411
 412
 413
 414
 415
 416
 417
 418
 419
 420
 421
 422
 423
 424
 425
 426
 427
 428
 429
 430
 431
 432
 433
 434
 435
 436
 437
 438
 439
 440
 441
 442
 443
 444
 445
 446
 447
 448
 449
 450
 451
 452
 453
 454
 455
 456
 457
 458
 459
 460
 461
 462
 463
 464
 465
 466
 467
 468
 469
 470
 471
 472
 473
 474
 475
 476
 477
 478
 479
 480
 481
 482
 483
 484
 485
 486
 487
 488
 489
 490
 491
 492
 493
 494
 495
 496
 497
 498
 499
 500
 501
 502
 503
 504
 505
 506
 507
 508
 509
 510
 511
 512
 513
 514
 515
 516
 517
 518
 519
 520
 521
 522
 523
 524
 525
 526
 527
 528
 529
 530
 531
 532
 533
 534
 535
 536
 537
 538
 539
 540
 541
 542
 543
 544
 545
 546
 547
 548
 549
 550
 551
 552
 553
 554
 555
 556
 557
 558
 559
 560
 561
 562
 563
 564
 565
 566
 567
 568
 569
 570
 571
 572
 573
 574
 575
 576
 577
 578
 579
 580
 581
 582
 583
 584
 585
 586
 587
 588
 589
 590
 591
 592
 593
 594
 595
 596
 597
 598
 599
 600
 601
 602
 603
 604
 605
 606
 607
 608
 609
 610
 611
 612
 613
 614
 615
 616
 617
 618
 619
 620
 621
 622
 623
 624
 625
 626
 627
 628
 629
 630
 631
 632
 633
 634
 635
 636
 637
 638
 639
 640
 641
 642
 643
 644
 645
 646
 647
 648
 649
 650
 651
 652
 653
 654
 655
 656
 657
 658
 659
 660
 661
 662
 663
 664
 665
 666
 667
 668
 669
 670
 671
 672
 673
 674
 675
 676
 677
 678
 679
 680
 681
 682
 683
 684
 685
 686
 687
 688
 689
 690
 691
 692
 693
 694
 695
 696
 697
 698
 699
 700
 701
 702
 703
 704
 705
 706
 707
 708
 709
 710
 711
 712
 713
 714
 715
 716
 717
 718
 719
 720
 721
 722
 723
 724
 725
 726
 727
 728
 729
 730
 731
 732
 733
 734
 735
 736
 737
 738
 739
 740
 741
 742
 743
 744
 745
 746
 747
 748
 749
 750
 751
 752
 753
 754
 755
 756
 757
 758
 759
 760
 761
 762
 763
 764
 765
 766
 767
 768
 769
 770
 771
 772
 773
 774
 775
 776
 777
 778
 779
 780
 781
 782
 783
 784
 785
 786
 787
 788
 789
 790
 791
 792
 793
 794
 795
 796
 797
 798
 799
 800
 801
 802
 803
 804
 805
 806
 807
 808
 809
 810
 811
 812
 813
 814
 815
 816
 817
 818
 819
 820
 821
 822
 823
 824
 825
 826
 827
 828
 829
 830
 831
 832
 833
 834
 835
 836
 837
 838
 839
 840
 841
 842
 843
 844
 845
 846
 847
 848
 849
 850
 851
 852
 853
 854
 855
 856
 857
 858
 859
 860
 861
 862
 863
 864
 865
 866
 867
 868
 869
 870
 871
 872
 873
 874
 875
 876
 877
 878
 879
 880
 881
 882
 883
 884
 885
 886
 887
 888
 889
 890
 891
 892
 893
 894
 895
 896
 897
 898
 899
 900
 901
 902
 903
 904
 905
 906
 907
 908
 909
 910
 911
 912
 913
 914
 915
 916
 917
 918
 919
 920
 921
 922
 923
 924
 925
 926
 927
 928
 929
 930
 931
 932
 933
 934
 935
 936
 937
 938
 939
 940
 941
 942
 943
 944
 945
 946
 947
 948
 949
 950
 951
 952
 953
 954
 955
 956
 957
 958
 959
 960
 961
 962
 963
 964
 965
 966
 967
 968
 969
 970
 971
 972
 973
 974
 975
 976
 977
 978
 979
 980
 981
 982
 983
 984
 985
 986
 987
 988
 989
 990
 991
 992
 993
 994
 995
 996
 997
 998
 999
1000
1001
1002
1003
1004
1005
1006
1007
1008
1009
1010
1011
1012
1013
1014
1015
1016
1017
1018
1019
1020
1021
1022
1023
1024
1025
1026
1027
1028
1029
1030
1031
1032
1033
1034
1035
1036
1037
1038
1039
1040
1041
1042
1043
1044
1045
1046
1047
1048
1049
1050
1051
1052
1053
1054
1055
1056
1057
1058
1059
1060
1061
1062
1063
1064
1065
1066
1067
1068
1069
1070
1071
1072
1073
1074
1075
1076
1077
1078
1079
1080
1081
1082
1083
1084
1085
1086
1087
1088
1089
1090
1091
1092
1093
1094
1095
1096
1097
1098
1099
1100
1101
1102
1103
1104
1105
1106
1107
1108
1109
1110
1111
1112
1113
1114
1115
1116
1117
1118
1119
1120
1121
1122
1123
1124
1125
1126
1127
1128
1129
1130
1131
1132
1133
1134
1135
1136
1137
1138
1139
1140
1141
1142
1143
1144
1145
1146
1147
1148
1149
1150
1151
1152
1153
1154
1155
1156
1157
1158
1159
1160
1161
1162
1163
1164
1165
1166
1167
1168
1169
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
1256
1257
1258
1259
1260
1261
1262
1263
1264
1265
1266
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
1293
1294
1295
1296
1297
1298
1299
1300
1301
1302
1303
1304
1305
1306
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
1338
1339
1340
1341
1342
1343
1344
1345
1346
1347
1348
1349
1350
1351
1352
1353
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
1541
1542
1543
1544
1545
1546
1547
1548
1549
1550
1551
1552
1553
1554
1555
1556
1557
1558
1559
1560
1561
1562
1563
1564
1565
1566
1567
1568
1569
1570
1571
1572
1573
1574
1575
1576
1577
1578
1579
1580
1581
1582
1583
1584
1585
1586
1587
1588
1589
1590
1591
1592
1593
1594
1595
1596
1597
1598
1599
1600
1601
1602
1603
1604
1605
1606
1607
1608
1609
1610
1611
1612
1613
1614
1615
1616
1617
1618
1619
1620
1621
1622
1623
1624
1625
1626
1627
1628
1629
1630
1631
1632
1633
1634
1635
1636
1637
1638
1639
1640
1641
1642
1643
1644
1645
1646
1647
1648
1649
1650
1651
1652
1653
1654
1655
1656
1657
1658
1659
1660
1661
1662
1663
1664
1665
1666
1667
1668
1669
1670
1671
1672
1673
1674
1675
1676
1677
1678
1679
1680
1681
1682
1683
1684
1685
1686
1687
1688
1689
1690
1691
1692
1693
1694
1695
1696
1697
1698
1699
1700
1701
1702
1703
1704
1705
1706
1707
1708
1709
1710
1711
1712
1713
1714
1715
1716
1717
1718
1719
1720
1721
1722
1723
1724
1725
1726
1727
1728
1729
1730
1731
1732
1733
1734
1735
1736
1737
1738
1739
1740
1741
1742
1743
1744
1745
1746
1747
1748
1749
1750
1751
1752
1753
1754
1755
1756
1757
1758
1759
1760
1761
1762
1763
1764
1765
1766
1767
1768
1769
1770
1771
1772
1773
1774
1775
1776
1777
1778
1779
1780
1781
1782
1783
1784
1785
1786
1787
1788
1789
1790
1791
1792
1793
1794
1795
1796
1797
1798
1799
1800
1801
1802
1803
1804
1805
1806
1807
1808
1809
1810
1811
1812
1813
1814
1815
1816
1817
1818
1819
1820
1821
1822
1823
1824
1825
1826
1827
1828
1829
1830
1831
1832
1833
1834
1835
1836
1837
1838
1839
1840
1841
1842
1843
1844
1845
1846
1847
1848
1849
1850
1851
1852
1853
1854
1855
1856
1857
1858
1859
1860
1861
1862
1863
1864
1865
1866
1867
1868
1869
1870
1871
1872
1873
1874
1875
1876
1877
1878
1879
1880
1881
1882
1883
1884
1885
1886
1887
1888
1889
1890
1891
1892
1893
1894
1895
1896
1897
1898
1899
1900
1901
1902
1903
1904
1905
1906
1907
1908
1909
1910
1911
1912
1913
1914
1915
1916
1917
1918
1919
1920
1921
1922
1923
1924
1925
1926
1927
1928
1929
1930
1931
1932
1933
1934
1935
1936
1937
1938
1939
1940
1941
1942
1943
1944
1945
1946
1947
1948
1949
1950
1951
1952
1953
1954
1955
1956
1957
1958
1959
1960
1961
1962
1963
1964
1965
1966
1967
1968
1969
1970
1971
1972
1973
1974
1975
1976
1977
1978
1979
1980
1981
1982
1983
1984
1985
1986
1987
1988
1989
1990
1991
1992
1993
1994
1995
1996
1997
1998
1999
2000
2001
2002
2003
2004
2005
2006
2007
2008
2009
2010
2011
2012
2013
2014
2015
2016
2017
2018
2019
2020
2021
2022
2023
2024
2025
2026
2027
2028
2029
2030
2031
2032
2033
2034
2035
2036
2037
2038
2039
2040
2041
2042
2043
2044
2045
2046
2047
2048
2049
2050
2051
2052
2053
2054
2055
2056
2057
2058
2059
2060
2061
2062
2063
2064
2065
2066
2067
2068
2069
2070
2071
2072
2073
2074
2075
2076
2077
2078
2079
2080
2081
2082
2083
2084
2085
2086
2087
2088
2089
2090
2091
2092
2093
2094
2095
2096
2097
2098
2099
2100
2101
2102
2103
2104
2105
2106
2107
2108
2109
2110
2111
2112
2113
2114
2115
2116
2117
2118
2119
2120
2121
2122
2123
2124
2125
2126
2127
2128
2129
2130
2131
2132
2133
2134
2135
2136
2137
2138
2139
2140
2141
2142
2143
2144
2145
2146
2147
2148
2149
2150
2151
2152
2153
2154
2155
2156
2157
2158
2159
2160
2161
2162
2163
2164
2165
2166
2167
2168
2169
2170
2171
2172
2173
2174
2175
2176
2177
2178
2179
2180
2181
2182
2183
2184
2185
2186
2187
2188
2189
2190
2191
2192
2193
2194
2195
2196
2197
2198
2199
2200
2201
2202
2203
2204
2205
2206
2207
2208
2209
2210
2211
2212
2213
2214
2215
2216
2217
2218
2219
2220
2221
2222
2223
2224
2225
2226
2227
2228
2229
2230
2231
2232
2233
2234
2235
2236
2237
2238
2239
2240
2241
2242
2243
2244
2245
2246
2247
2248
2249
2250
2251
2252
2253
2254
2255
2256
2257
2258
2259
2260
2261
2262
2263
2264
2265
2266
2267
2268
2269
2270
2271
2272
2273
2274
2275
2276
2277
2278
2279
2280
2281
2282
2283
2284
2285
2286
2287
2288
2289
2290
2291
2292
2293
2294
2295
2296
2297
2298
2299
2300
2301
2302
2303
2304
2305
2306
2307
2308
2309
2310
2311
2312
2313
2314
2315
2316
2317
2318
2319
2320
2321
2322
2323
2324
2325
2326
2327
2328
2329
2330
2331
2332
2333
2334
2335
2336
2337
2338
2339
2340
class NetCDF(Dataset):
    """NetCDF.

    NetCDF class is a recursive data structure or self-referential object.
    The NetCDF class contains methods to deal with NetCDF files.

    NetCDF Creation guidelines:
        https://acdguide.github.io/Governance/create/create-basics.html
    """

    def __init__(
        self,
        src: gdal.Dataset,
        access: str = "read_only",
        open_as_multi_dimensional: bool = True,
    ):
        """Initialize a NetCDF dataset wrapper.

        Args:
            src: A GDAL dataset handle (either classic or multidimensional).
            access: Access mode, either ``"read_only"`` or ``"write"``.
                Defaults to ``"read_only"``.
            open_as_multi_dimensional: If True the dataset was opened with
                ``gdal.OF_MULTIDIM_RASTER`` and supports groups, MDArrays,
                and dimensions.  If False it was opened in classic raster
                mode (subdatasets, bands). Defaults to True.
        """
        super().__init__(src, access=access)
        # set the is_subset to false before retrieving the variables
        if open_as_multi_dimensional:
            self._is_md_array = True
            self._is_subset = False
        else:
            self._is_md_array = False
            self._is_subset = False
        # Caches (invalidated by _replace_raster, add_variable, remove_variable)
        self._cached_variables: dict[str, NetCDF] | None = None
        self._cached_meta_data: NetCDFMetadata | None = None
        # Origin-tracking attributes set by get_variable (RT-4)
        self._parent_nc: NetCDF | None = None
        self._source_var_name: str | None = None
        self._gdal_md_arr_ref: Any = None
        self._gdal_rg_ref: Any = None
        self._md_array_dims: list[str] = []
        self._band_dim_name: str | None = None
        self._band_dim_values: list[Any] | None = None
        self._variable_attrs: dict[str, Any] = {}
        self._scale: float | None = None
        self._offset: float | None = None

    def __str__(self):
        """Return a human-readable summary of the NetCDF dataset."""
        message = f"""
            Cell size: {self.cell_size}
            Dimension: {self.rows} * {self.columns}
            EPSG: {self.epsg}
            projection: {self.crs}
            Variables: {self.variable_names}
            Metadata: {self.meta_data}
            File: {self.file_name}
        """
        return message

    def __repr__(self):
        """__repr__."""
        return super().__repr__()

    @property
    def top_left_corner(self):
        """Top left corner coordinates."""
        xmin, _, _, ymax, _, _ = self._geotransform
        return xmin, ymax

    @property
    def lon(self) -> np.ndarray:
        """Longitude / x-coordinate values as a 1D array.

        Looks for a variable named ``"lon"`` first, then ``"x"``.

        Returns:
            np.ndarray or None: Flattened coordinate array, or None if
            neither ``lon`` nor ``x`` exists in the dataset.
        """
        lon = self._read_variable("lon")
        if lon is None:
            lon = self._read_variable("x")

        result: np.ndarray
        if lon is not None:
            result = lon.reshape(lon.size)
        else:
            result = super().lon
        return result

    @property
    def lat(self) -> np.ndarray:
        """Latitude / y-coordinate values as a 1D array.

        Looks for a variable named ``"lat"`` first, then ``"y"``.

        Returns:
            np.ndarray or None: Flattened coordinate array, or None if
            neither ``lat`` nor ``y`` exists in the dataset.
        """
        lat = self._read_variable("lat")
        if lat is None:
            lat = self._read_variable("y")

        result: np.ndarray
        if lat is not None:
            result = lat.reshape(lat.size)
        else:
            result = super().lat
        return result

    @property
    def x(self) -> np.ndarray:
        """x-coordinate/longitude."""
        # X_coordinate = upper-left corner x + index * cell size + cell-size/2
        return self.lon

    @property
    def y(self) -> np.ndarray:
        """y-coordinate/latitude."""
        # Y_coordinate = upper-left corner y - index * cell size - cell-size/2
        return self.lat

    @property
    def geotransform(self):
        """Geotransform.

        Computes from lon/lat coordinate arrays if available.
        Falls back to the parent GDAL GetGeoTransform() otherwise.
        """
        if self.lon is not None and self.lat is not None:
            return (
                self.lon[0] - self.cell_size / 2,
                self.cell_size,
                0,
                self.lat[0] + self.cell_size / 2,
                0,
                -self.cell_size,
            )
        return self._geotransform

    @property
    def variable_names(self) -> list[str]:
        """Names of data variables (excluding dimension coordinate arrays).

        Returns:
            list[str]: Variable names. For MDIM mode these come from
            ``GetMDArrayNames()`` minus dimension names; for classic mode
            from ``GetSubDatasets()``.
        """
        return self.get_variable_names()

    @property
    def variables(self) -> dict[str, NetCDF]:
        """All data variables as a lazy dict of ``{name: NetCDF}`` subsets.

        Variables are loaded on first access per key, not all at once.
        Cached after loading; invalidated by ``add_variable`` /
        ``remove_variable`` / ``set_variable``.

        Returns:
            dict[str, NetCDF]: Mapping from variable name to its subset.
        """
        if self._cached_variables is None:
            self._cached_variables = _LazyVariableDict(self)
        return self._cached_variables

    @property
    def no_data_value(self):
        """No data value that marks the cells out of the domain."""
        return self._no_data_value

    @no_data_value.setter
    def no_data_value(self, value: list | Number):
        """Set the no-data value that marks cells outside the domain.

        The setter only changes the ``no_data_value`` attribute; it does
        **not** modify the underlying cell values.  Use this to align the
        attribute with whatever sentinel is already stored in the cells.
        To actually rewrite cell values, use ``change_no_data_value``.

        Args:
            value: New no-data value. A single number applied to all
                bands, or a list with one value per band.
        """
        if isinstance(value, list):
            for i, val in enumerate(value):
                self._change_no_data_value_attr(i, val)
        else:
            self._change_no_data_value_attr(0, value)

    @property
    def file_name(self):
        """File path, with the ``NETCDF:"path":var`` prefix stripped if present.

        Returns:
            str: Clean file path without the NETCDF prefix.
        """
        if self._file_name.startswith("NETCDF"):
            name = self._file_name.split(":")[1][1:-1]
        else:
            name = self._file_name
        return name

    @property
    def time_stamp(self):
        """Time coordinate values parsed from the CF-compliant ``time`` variable.

        Returns:
            list[str] | None: Formatted time strings, or None if no time
                dimension with a ``units`` attribute is found.
        """
        return self.get_time_variable()

    def _check_not_container(self, operation: str):
        """Raise ValueError if this is a root MDIM container (not a variable subset)."""
        if self._is_md_array and not self._is_subset and self.band_count == 0:
            raise ValueError(
                f"Spatial operations are not supported on the NetCDF container. "
                f"Use nc.get_variable('var_name').{operation}(...) instead."
            )

    def plot(self, band=None, **kwargs):
        """Plot a band of the dataset.

        Blocked on root MDIM containers — extract a variable first.

        Raises:
            ValueError: If called on a root MDIM container.
        """
        self._check_not_container("plot")
        return super().plot(band=band, **kwargs)

    def read_array(
        self,
        band: int | None = None,
        window: list[int] | None = None,
        unpack: bool = False,
    ) -> np.ndarray:
        """Read array from the dataset.

        Args:
            band: Band index to read, or None for all bands.
            window: Spatial window to read.
            unpack: If True and the variable has CF ``scale_factor``
                and/or ``add_offset``, apply the transformation
                ``real = raw * scale + offset``. Defaults to False.

        Returns:
            np.ndarray: The array data, optionally unpacked.

        Raises:
            ValueError: If called on a root MDIM container.
        """
        self._check_not_container("read_array")
        result = super().read_array(band=band, window=window)
        if unpack:
            scale = getattr(self, "_scale", None)
            offset = getattr(self, "_offset", None)
            if scale is not None or offset is not None:
                result = result.astype(np.float64)
                if scale is not None:
                    result = result * scale
                if offset is not None:
                    result = result + offset
        return result

    def _preserve_netcdf_metadata(self, result: Dataset) -> NetCDF:
        """Wrap a Dataset result as a NetCDF, preserving variable-subset metadata.

        When spatial operations (crop, to_crs, resample) are called on a
        NetCDF variable subset, the parent ``Dataset`` mixin returns a
        plain ``Dataset``.  This helper re-wraps the result as a ``NetCDF``
        and copies over the variable-specific attributes so that methods
        like ``sel()``, ``read_array(unpack=True)``, and further spatial
        operations continue to work with consistent return types.

        Args:
            result: The ``Dataset`` (or ``NetCDF``) returned by a parent
                spatial operation.

        Returns:
            NetCDF: The same data wrapped as a ``NetCDF`` with all
                variable-subset metadata preserved.
        """
        if isinstance(result, NetCDF):
            wrapped = result
        else:
            wrapped = NetCDF(
                result._raster, access=result._access,
                open_as_multi_dimensional=False,
            )
        wrapped._is_md_array = self._is_md_array
        wrapped._is_subset = self._is_subset
        wrapped._band_dim_name = self._band_dim_name
        if (
            self._band_dim_values is not None
            and wrapped._band_count > 0
            and len(self._band_dim_values) != wrapped._band_count
        ):
            wrapped._band_dim_values = None
        else:
            wrapped._band_dim_values = self._band_dim_values
        wrapped._variable_attrs = self._variable_attrs
        wrapped._scale = self._scale
        wrapped._offset = self._offset
        wrapped._parent_nc = self._parent_nc
        wrapped._source_var_name = self._source_var_name
        wrapped._gdal_md_arr_ref = None
        wrapped._gdal_rg_ref = None
        return wrapped

    def crop(self, mask: Any, touch: bool = True) -> "NetCDF":
        """Crop the dataset using a polygon or raster mask.

        On a **root MDIM container** this crops every variable and
        returns a new in-memory NetCDF container with the cropped
        results.  On a **variable subset** it delegates to the
        parent ``Dataset.crop()`` and wraps the result as ``NetCDF``
        to preserve variable metadata (``_band_dim_name``,
        ``_band_dim_values``, ``sel()``, etc.).

        Args:
            mask: GeoDataFrame with polygon geometry, or a Dataset
                to use as a spatial mask.
            touch: If True, include cells that touch the mask
                boundary. Defaults to True.

        Returns:
            NetCDF: Cropped container or variable subset.
        """
        if self._is_md_array and not self._is_subset and self.band_count == 0:
            result = self._apply_to_all_variables(
                "crop", {"mask": mask, "touch": touch},
            )
        else:
            result = super().crop(mask=mask, touch=touch)
            result = self._preserve_netcdf_metadata(result)
        return result

    def _apply_to_all_variables(self, operation, op_kwargs):
        """Apply an operation to every variable in the container.

        Args:
            operation: Name of the Dataset method to call (e.g. "crop").
            op_kwargs: Keyword arguments to pass to the method.

        Returns:
            NetCDF: New container with the operation applied to all variables.

        Raises:
            ValueError: If the container has no data variables.
        """
        if not self.variable_names:
            raise ValueError(
                "Cannot apply operation to an empty container "
                "(no data variables)."
            )
        first_name = self.variable_names[0]
        first_var = self.get_variable(first_name)
        first_result = getattr(first_var, operation)(**op_kwargs)

        # to_crs returns a VRT -- materialize to avoid dangling refs
        first_arr = first_result.read_array()
        # Preserve the extra dimension for single-band 3D variables
        # (read_array squeezes to 2D, but the time/level dim should survive)
        if first_arr.ndim == 2 and first_var._band_dim_name is not None:
            first_arr = np.expand_dims(first_arr, axis=0)
        ndv = first_result.no_data_value
        ndv_scalar = ndv[0] if isinstance(ndv, list) and ndv else ndv
        result = NetCDF.create_from_array(
            arr=first_arr,
            geo=first_result.geotransform,
            epsg=first_result.epsg,
            no_data_value=ndv_scalar,
            variable_name=first_name,
            extra_dim_name=first_var._band_dim_name or "time",
            extra_dim_values=first_var._band_dim_values,
        )

        for var_name in self.variable_names[1:]:
            var = self.get_variable(var_name)
            var_result = getattr(var, operation)(**op_kwargs)
            var_arr = var_result.read_array()
            if var_arr.ndim == 2 and var._band_dim_name is not None:
                var_arr = np.expand_dims(var_arr, axis=0)
            var_ndv = var_result.no_data_value
            var_ndv_scalar = var_ndv[0] if isinstance(var_ndv, list) and var_ndv else var_ndv
            ds = Dataset.create_from_array(
                var_arr, geo=var_result.geotransform,
                epsg=var_result.epsg, no_data_value=var_ndv_scalar,
            )
            ds._band_dim_name = var._band_dim_name
            ds._band_dim_values = var._band_dim_values
            result.set_variable(var_name, ds)

        return result

    def to_crs(
        self,
        to_epsg: int,
        method: str = "nearest neighbor",
        maintain_alignment: bool = False,
    ) -> "NetCDF":
        """Reproject the dataset to a different CRS.

        On a **root MDIM container** this reprojects every variable
        and returns a new container. On a **variable subset** it
        delegates to ``Dataset.to_crs()`` and wraps the result as
        ``NetCDF`` to preserve variable metadata.

        Args:
            to_epsg: Target EPSG code (e.g., 4326, 32637).
            method: Resampling method. Defaults to ``"nearest neighbor"``.
            maintain_alignment: If True, keep the same number of rows
                and columns. Defaults to False.

        Returns:
            NetCDF: Reprojected container or variable subset.
        """
        if self._is_md_array and not self._is_subset and self.band_count == 0:
            result = self._apply_to_all_variables(
                "to_crs",
                {"to_epsg": to_epsg, "method": method,
                 "maintain_alignment": maintain_alignment},
            )
        else:
            result = super().to_crs(
                to_epsg=to_epsg,
                method=method,
                maintain_alignment=maintain_alignment,
            )
            result = self._preserve_netcdf_metadata(result)
        return result

    def resample(
        self,
        cell_size: float,
        method: str = "nearest neighbor",
    ) -> "NetCDF":
        """Resample the dataset to a different cell size.

        On a **root MDIM container** this resamples every variable
        and returns a new container. On a **variable subset** it
        delegates to ``Dataset.resample()`` and wraps the result as
        ``NetCDF`` to preserve variable metadata.

        Args:
            cell_size: New cell size.
            method: Resampling method. Defaults to ``"nearest neighbor"``.

        Returns:
            NetCDF: Resampled container or variable subset.
        """
        if self._is_md_array and not self._is_subset and self.band_count == 0:
            result = self._apply_to_all_variables(
                "resample",
                {"cell_size": cell_size, "method": method},
            )
        else:
            result = super().resample(
                cell_size=cell_size, method=method,
            )
            result = self._preserve_netcdf_metadata(result)
        return result

    def sel(self, **kwargs: Any) -> NetCDF:
        """Select a subset of bands by coordinate values.

        Extracts bands whose coordinate values match the given
        criteria.  Works on variable subsets that have
        ``_band_dim_name`` and ``_band_dim_values`` set by
        ``get_variable()``.

        The result is always a ``NetCDF`` instance with the same
        variable metadata preserved, so that ``sel()`` can be
        chained and NetCDF-specific methods like
        ``read_array(unpack=True)`` remain available.

        Args:
            **kwargs: One keyword argument where the key is the
                dimension name and the value is one of:

                - A single number: select one band by exact value.
                - A list of numbers: select multiple bands.
                - A ``slice(start, stop)``: select bands where
                  ``start <= coord <= stop``.

        Returns:
            NetCDF: A new NetCDF variable subset with only the
                selected bands and all variable metadata preserved.

        Raises:
            ValueError: If the dimension name doesn't match
                ``_band_dim_name``, or no matching bands are found.

        Examples:
            Select a single time step::

                var.sel(time=6)

            Select multiple time steps::

                var.sel(time=[0, 12, 24])

            Select a range::

                var.sel(time=slice(6, 18))
        """
        if len(kwargs) != 1:
            raise ValueError("sel() requires exactly one keyword argument.")

        dim_name, selector = next(iter(kwargs.items()))

        if self._band_dim_name is None:
            raise ValueError(
                "sel() requires a variable with a non-spatial dimension. "
                "This variable has no band dimension tracked."
            )
        if dim_name != self._band_dim_name:
            raise ValueError(
                f"Dimension '{dim_name}' does not match the band "
                f"dimension '{self._band_dim_name}'."
            )
        if self._band_dim_values is None:
            raise ValueError(
                "No coordinate values available for dimension "
                f"'{dim_name}'."
            )

        coords = self._band_dim_values

        if isinstance(selector, slice):
            start = selector.start if selector.start is not None else coords[0]
            stop = selector.stop if selector.stop is not None else coords[-1]
            band_indices = [
                i for i, v in enumerate(coords) if start <= v <= stop
            ]
        elif isinstance(selector, list):
            coord_set = set(selector)
            band_indices = [
                i for i, v in enumerate(coords) if v in coord_set
            ]
        else:
            band_indices = [
                i for i, v in enumerate(coords) if v == selector
            ]

        if not band_indices:
            raise ValueError(
                f"No bands match {dim_name}={selector}. "
                f"Available values: {coords}"
            )

        selected_coords = [coords[i] for i in band_indices]

        # Read only the selected bands instead of loading the full array.
        # Each band index maps to a 1-based GDAL band in the classic
        # dataset view created by get_variable().
        #
        # Trade-off: band-by-band reads avoid loading the entire variable
        # into memory, which matters for large variables with few selected
        # bands.  However, when *most* bands are selected the per-band
        # GDAL overhead may be slower than a single full read followed by
        # NumPy slicing.  In practice the difference is small because GDAL
        # MEM driver reads are cheap; revisit if profiling shows a
        # bottleneck for large on-disk NetCDFs.
        band_arrays = [
            self.read_array(band=i) for i in band_indices
        ]
        if len(band_arrays) == 1:
            selected = band_arrays[0]
        else:
            selected = np.stack(band_arrays, axis=0)

        ndv = self.no_data_value
        ndv_scalar = ndv[0] if isinstance(ndv, list) and ndv else ndv
        ds_result = Dataset.create_from_array(
            selected, geo=self.geotransform, epsg=self.epsg,
            no_data_value=ndv_scalar,
        )
        result = self._preserve_netcdf_metadata(ds_result)
        result._band_dim_values = selected_coords

        return result

    @classmethod
    def read_file(  # type: ignore[override]
        cls,
        path: str | Path,
        read_only: bool = True,
        open_as_multi_dimensional: bool = True,
    ) -> NetCDF:
        """Open a NetCDF file from disk.

        Args:
            path: Path to the ``.nc`` file.
            read_only: If True, open in read-only mode. Set to False for
                write access. Defaults to True.
            open_as_multi_dimensional: If True, open with
                ``gdal.OF_MULTIDIM_RASTER`` to access the full group /
                dimension / variable hierarchy.  If False, open in classic
                raster mode where each variable is a subdataset.
                Defaults to True.

        Returns:
            NetCDF: The opened dataset.
        """
        src = _io.read_file(path, read_only, open_as_multi_dimensional)
        if read_only:
            read_only = "read_only"
        else:
            read_only = "write"
        return cls(
            src, access=read_only, open_as_multi_dimensional=open_as_multi_dimensional
        )

    @property
    def meta_data(self) -> NetCDFMetadata:
        """Structured metadata for this NetCDF.

        Uses the GDAL Multidimensional API (groups, arrays, dimensions) when
        the file was opened with ``open_as_multi_dimensional=True``.  Falls
        back to the classic ``NETCDF_DIM_*`` parser (``dimensions.py``) when
        opened in classic mode (no root group available).

        Cached on first access. Invalidated by add_variable/remove_variable.

        Returns:
            NetCDFMetadata
        """
        if self._cached_meta_data is None:
            open_options = {
                "Open Mode": "SHARED" if self.is_subset else "MULTIDIM_RASTER"
            }
            self._cached_meta_data = get_metadata(self._raster, open_options)
        return self._cached_meta_data

    @meta_data.setter
    def meta_data(self, value: dict[str, str] | NetCDFMetadata) -> None:
        """Set metadata on this NetCDF dataset."""
        if isinstance(value, dict):
            for key, val in value.items():
                self._raster.SetMetadataItem(key, val)
        else:
            self._cached_meta_data = value

    def get_all_metadata(self, open_options: dict | None = None) -> NetCDFMetadata:
        """Get full MDIM metadata (uncached).

        Unlike ``meta_data`` (which is cached), this always re-traverses
        the GDAL multidimensional structure.

        Args:
            open_options: Driver-specific open options forwarded to
                ``get_metadata()``. Defaults to None.

        Returns:
            NetCDFMetadata
        """
        result = get_metadata(self._raster, open_options)
        return result

    def get_time_variable(
        self, var_name: str = "time", time_format: str = "%Y-%m-%d"
    ) -> list[str] | None:
        """Parse the time coordinate variable into formatted date strings.

        Reads the ``units`` attribute (e.g., ``"days since 1979-01-01"``)
        from the dimension metadata and converts raw numeric values to
        human-readable date strings.

        Args:
            var_name: Name of the time dimension / variable.
                Defaults to ``"time"``.
            time_format: strftime format for the output strings.
                Defaults to ``"%Y-%m-%d"``.

        Returns:
            list[str] or None: Formatted time strings, or None if the
            time dimension is not found or lacks a ``units`` attribute.
        """
        time_stamp = None
        time_dim = self.meta_data.get_dimension(var_name)
        if time_dim is not None:
            units = time_dim.attrs.get("units")
            if units is not None:
                calendar = time_dim.attrs.get("calendar", "standard")
                time_vals = self._read_variable(var_name)
                if time_vals is not None:
                    func = create_time_conversion_func(
                        units, time_format, calendar=calendar
                    )
                    time_stamp = list(map(func, time_vals.reshape(-1)))
        return time_stamp

    def _get_dimension_names(self) -> list[str] | None:
        rg = self._raster.GetRootGroup()
        if rg is not None:
            dims = rg.GetDimensions()
            dims_names: list[str] | None = [dim.GetName() for dim in dims]
        else:
            dims_names = None
        return dims_names

    @property
    def dimension_names(self) -> list[str] | None:
        """Names of all dimensions in the root group (e.g., ``["x", "y", "time"]``).

        Returns:
            list[str] or None: Dimension names, or None if no root group
            is available (classic mode).
        """
        return self._get_dimension_names()

    def _get_dimension(self, name: str) -> gdal.Dimension:
        dim_names = self.dimension_names
        if dim_names is not None and name in dim_names:
            rg = self._raster.GetRootGroup()
            dims = rg.GetDimensions()
            dim = dims[dim_names.index(name)]
        else:
            dim = None
        return dim

    def _needs_y_flip(self, rg, md_arr) -> bool:
        """Check if an MDArray's Y dimension goes south-to-north.

        Uses AsClassicDataset to check the geotransform Y pixel size.
        Returns True if the data needs flipping (positive Y pixel size).
        Returns False for 1-D arrays or when orientation is already correct.

        Args:
            rg: The root group (kept alive to prevent SWIG GC).
            md_arr: The MDArray to check.
        """
        result = False
        dims = md_arr.GetDimensions()
        if len(dims) >= 2:
            try:
                src = md_arr.AsClassicDataset(
                    len(dims) - 1, len(dims) - 2, rg
                )
                result = src.GetGeoTransform()[5] > 0
            except Exception:
                pass
        return result

    def _read_variable(
        self,
        var: str,
        window: list[tuple[int, int]] | None = None,
    ) -> np.ndarray | None:
        """Read a variable's data as a numpy array, optionally windowed.

        Uses the MDIM root group when available (avoids opening a new GDAL
        handle). Falls back to the classic ``NETCDF:file:var`` path.

        For arrays with 2+ dimensions, the Y axis is flipped if the data
        is stored south-to-north (matching the flip in ``get_variable``).

        Args:
            var: Variable name in the dataset.
            window: Per-dimension window as a list of ``(start, count)``
                tuples, one per dimension of the target variable.  For
                example, ``[(0, 1), (100, 256), (200, 256)]`` reads
                time[0:1], y[100:356], x[200:456].  When ``None`` the
                full variable is read.  Only supported in MDIM mode;
                ignored in classic mode.

        Returns:
            np.ndarray or None: The variable data, or None if the
                variable is not found.
        """
        result = None
        rg = self._raster.GetRootGroup()
        if rg is not None:
            try:
                md_arr = rg.OpenMDArray(var)
                if md_arr is not None:
                    if window is not None:
                        starts = [w[0] for w in window]
                        counts = [w[1] for w in window]
                        result = md_arr.ReadAsArray(
                            array_start_idx=starts, count=counts,
                        )
                    else:
                        result = md_arr.ReadAsArray()
                    # Flip Y axis if south-to-north (same as get_variable)
                    if result is not None and result.ndim >= 2:
                        if window is None and self._needs_y_flip(rg, md_arr):
                            y_axis = result.ndim - 2
                            result = np.flip(result, axis=y_axis)
            except Exception:
                pass  # nosec B110
            # Fall back to dimension indexing variable
            if result is None:
                dim = self._get_dimension(var)
                if dim is not None:
                    iv = dim.GetIndexingVariable()
                    if iv is not None:
                        if window is not None and len(window) == 1:
                            starts = [window[0][0]]
                            counts = [window[0][1]]
                            result = iv.ReadAsArray(
                                array_start_idx=starts, count=counts,
                            )
                        else:
                            result = iv.ReadAsArray()
        else:
            # Classic mode: open via subdataset string
            try:
                ds = gdal.Open(f"NETCDF:{self.file_name}:{var}")
                if ds is not None:
                    result = ds.ReadAsArray()
                ds = None
            except (RuntimeError, AttributeError):
                pass
        return result

    @property
    def group_names(self) -> list[str]:
        """Names of sub-groups in the root group.

        Returns:
            list[str]: Sub-group names (e.g. ``["forecast", "analysis"]``).
            Empty list if no sub-groups exist or the dataset is in
            classic mode.
        """
        rg = self._raster.GetRootGroup()
        result = []
        if rg is not None:
            try:
                names = rg.GetGroupNames()
                if names:
                    result = list(names)
            except Exception:
                pass
        return result

    def get_group(self, group_name: str) -> NetCDF:
        """Open a sub-group as a NetCDF container.

        The returned object wraps the sub-group's GDAL dataset and
        exposes the sub-group's variables and dimensions via the
        same API as the root container.

        Args:
            group_name: Name of the sub-group. Supports nested paths
                separated by ``/`` (e.g. ``"forecast/surface"``).

        Returns:
            NetCDF: A container backed by the sub-group.

        Raises:
            ValueError: If the group doesn't exist or the dataset
                has no root group.
        """
        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "get_group requires a multidimensional container."
            )

        # Navigate nested paths: "forecast/surface" → open each level
        group = rg
        parts = group_name.split("/")
        for part in parts:
            try:
                group = group.OpenGroup(part)
            except Exception:
                group = None
            if group is None:
                raise ValueError(
                    f"Group '{group_name}' not found. "
                    f"Available groups: {self.group_names}"
                )

        # Create a multidimensional dataset from the sub-group.
        # GDAL doesn't have a direct "group → dataset" conversion,
        # so we build a MEM MDIM dataset and copy the group's
        # arrays and dimensions into it.
        dst = gdal.GetDriverByName("MEM").CreateMultiDimensional("group")
        dst_rg = dst.GetRootGroup()
        dtype = gdal.ExtendedDataType.Create(gdal.GDT_Float64)

        # Copy dimensions from the sub-group
        dim_map = {}
        for gdal_dim in (group.GetDimensions() or []):
            dim_name = gdal_dim.GetName()
            new_dim = dst_rg.CreateDimension(
                dim_name, gdal_dim.GetType(), None, gdal_dim.GetSize()
            )
            iv = gdal_dim.GetIndexingVariable()
            if iv is not None:
                coord_arr = dst_rg.CreateMDArray(
                    dim_name, [new_dim],
                    gdal.ExtendedDataType.Create(
                        numpy_to_gdal_dtype(iv.ReadAsArray())
                    ),
                )
                coord_arr.Write(iv.ReadAsArray())
                new_dim.SetIndexingVariable(coord_arr)
            dim_map[dim_name] = new_dim

        # Copy arrays from the sub-group
        for arr_name in (group.GetMDArrayNames() or []):
            md_arr = group.OpenMDArray(arr_name)
            if md_arr is None:
                continue
            arr_dims = md_arr.GetDimensions()
            # Map source dims to destination dims (by name)
            new_dims = []
            for d in arr_dims:
                d_name = d.GetName()
                if d_name in dim_map:
                    new_dims.append(dim_map[d_name])
                else:
                    # Dimension from parent group — create locally
                    new_d = dst_rg.CreateDimension(
                        d_name, d.GetType(), None, d.GetSize()
                    )
                    dim_map[d_name] = new_d
                    new_dims.append(new_d)
            arr_data = md_arr.ReadAsArray()
            arr_dtype = gdal.ExtendedDataType.Create(
                numpy_to_gdal_dtype(arr_data)
            )
            new_arr = dst_rg.CreateMDArray(arr_name, new_dims, arr_dtype)
            new_arr.Write(arr_data)
            ndv = md_arr.GetNoDataValue()
            if ndv is not None:
                new_arr.SetNoDataValueDouble(ndv)
            srs = md_arr.GetSpatialRef()
            if srs is not None:
                new_arr.SetSpatialRef(srs)

        result = NetCDF(dst)
        return result

    def get_variable_names(self) -> list[str]:
        """Return names of data variables, excluding dimension coordinates.

        Uses CF classification when metadata is cached (fast path).
        Otherwise queries ``GetMDArrayNames()`` and filters out dimension
        arrays and 0-dimensional scalar variables (grid_mapping etc.).
        In classic mode, parses subdataset metadata.

        Returns:
            list[str]: Variable names (e.g., ``["temperature", "precipitation"]``).
        """
        if (
            self._cached_meta_data is not None
            and self._cached_meta_data.cf is not None
        ):
            variable_names = list(self._cached_meta_data.cf.data_variable_names)
        else:
            rg = self._raster.GetRootGroup()
            if rg is not None:
                all_names = rg.GetMDArrayNames()
                dim_names = {dim.GetName() for dim in rg.GetDimensions()}
                filtered = []
                for var in all_names:
                    if var in dim_names:
                        continue
                    md_arr = rg.OpenMDArray(var)
                    if md_arr is not None and len(md_arr.GetDimensions()) == 0:
                        continue
                    filtered.append(var)
                variable_names = filtered
            else:
                variable_names = [
                    var[1].split(" ")[1]
                    for var in self._raster.GetSubDatasets()
                ]

        return variable_names

    def _read_md_array(self, variable_name: str):
        """Convert an MDArray to a classic GDAL dataset via AsClassicDataset.

        The last two dimensions become X (columns) and Y (rows); all
        remaining dimensions are flattened into bands.

        If the Y dimension is stored south-to-north (positive Y pixel
        size), it is reversed via ``MDArray.GetView()`` **before** the
        conversion.  This is a lazy, zero-copy operation — GDAL handles
        the reversed indexing internally without reading the whole array.

        Returns a tuple ``(classic_dataset, md_array, root_group)`` so
        callers can keep the GDAL objects alive.  ``AsClassicDataset``
        returns a **view** whose C++ backing depends on the MDArray and
        root group; if the Python SWIG wrappers for those are garbage-
        collected the view becomes a dangling pointer (segfault on
        Windows).
        """
        rg = self._raster.GetRootGroup()
        md_arr = rg.OpenMDArray(variable_name)
        dtype = md_arr.GetDataType()
        dims = md_arr.GetDimensions()

        if len(dims) == 1:
            if dtype.GetClass() == gdal.GEDTC_STRING:
                return md_arr, md_arr, rg
            src = md_arr.AsClassicDataset(0, 1, rg)
            return src, md_arr, rg

        iXDim = len(dims) - 1
        iYDim = len(dims) - 2

        # First pass: check if Y orientation needs flipping.
        src = md_arr.AsClassicDataset(iXDim, iYDim, rg)

        if src.GetGeoTransform()[5] > 0:
            # Positive Y pixel size = south-to-north (NetCDF convention).
            # Use GetView to reverse the Y dimension — this is lazy and
            # zero-copy; GDAL handles reversed indexing internally.
            slices = ",".join("::-1" if i == iYDim else ":" for i in range(len(dims)))
            md_arr = md_arr.GetView(f"[{slices}]")
            src = md_arr.AsClassicDataset(iXDim, iYDim, rg)

        return src, md_arr, rg


    def get_variable(self, variable_name: str) -> NetCDF:
        """Extract a single variable as a classic-raster NetCDF object.

        The returned object carries origin metadata so that modified data
        can be written back via ``set_variable()``.

        Supports group-qualified names: ``"forecast/temperature"`` first
        navigates to the ``forecast`` sub-group, then extracts
        ``temperature`` from it.

        Args:
            variable_name: Name of the variable to extract. Use ``/``
                to separate group path from variable name.

        Returns:
            NetCDF: A subset backed by a classic dataset where
                non-spatial dimensions are mapped to bands.

        Raises:
            ValueError: If ``variable_name`` is not present in the dataset.
        """
        # Handle group-qualified names: "forecast/temperature"
        if "/" in variable_name:
            parts = variable_name.rsplit("/", 1)
            group_nc = self.get_group(parts[0])
            cube = group_nc.get_variable(parts[1])
            return cube  # single return below handles non-group path

        if variable_name not in self.variable_names:
            raise ValueError(
                f"{variable_name} is not a valid variable name in {self.variable_names}"
            )

        prefix = self.driver_type.upper()
        rg = self._raster.GetRootGroup()
        md_arr_ref = None
        rg_ref = None

        if prefix == "MEMORY" or rg is not None:
            src, md_arr_ref, rg_ref = self._read_md_array(variable_name)
            if isinstance(src, gdal.Dataset):
                cube = NetCDF(src)
                cube._is_md_array = True
                # _read_md_array uses GetView to flip the data lazily,
                # and GDAL usually corrects the geotransform.  But when
                # the Y dimension has no indexing variable (e.g. WRF
                # "south_north"), the geotransform may still be wrong.
                # Fix it on the wrapper object (no data copy).
                gt = cube._geotransform
                if gt[5] > 0:
                    cube._geotransform = (
                        gt[0],
                        gt[1],
                        gt[2],
                        gt[3] + gt[5] * cube._rows,
                        gt[4],
                        -gt[5],
                    )
                    cube._cell_size = abs(gt[1])
            else:
                cube = src
            # Keep GDAL SWIG references alive — AsClassicDataset returns a
            # view whose C++ backing is owned by the MDArray/root group.
            # Without these the view becomes a dangling pointer on Windows.
            cube._gdal_md_arr_ref = md_arr_ref
            cube._gdal_rg_ref = rg_ref
        else:
            src = gdal.Open(f"{prefix}:{self.file_name}:{variable_name}")
            if src is None:
                raise ValueError(
                    f"Could not open variable '{variable_name}' via "
                    f"'{prefix}:{self.file_name}:{variable_name}'"
                )
            cube = NetCDF(src)
            cube._is_md_array = False

        cube._is_subset = True

        # --- RT-4: Track variable origin for round-trip ---
        cube._parent_nc = self
        cube._source_var_name = variable_name

        md_arr = md_arr_ref if rg is not None else None
        if rg is not None:
            if md_arr is not None:
                dims = md_arr.GetDimensions()
                cube._md_array_dims = [d.GetName() for d in dims]

                # Identify which dimension became bands (all except X/Y)
                if len(dims) > 2:
                    spatial_indices = {len(dims) - 1, len(dims) - 2}
                    band_dims = [
                        d for i, d in enumerate(dims) if i not in spatial_indices
                    ]
                    if len(band_dims) == 1:
                        cube._band_dim_name = band_dims[0].GetName()
                        iv = band_dims[0].GetIndexingVariable()
                        try:
                            cube._band_dim_values = (
                                iv.ReadAsArray().tolist() if iv is not None else None
                            )
                        except RuntimeError:
                            # String-typed indexing variables (e.g. WRF
                            # "Times") can't be read via ReadAsArray in
                            # GDAL SWIG bindings — fall back to indices.
                            cube._band_dim_values = list(range(band_dims[0].GetSize()))
                    else:
                        cube._band_dim_name = None
                        cube._band_dim_values = None
                else:
                    cube._band_dim_name = None
                    cube._band_dim_values = None

                # Copy variable attributes
                cube._variable_attrs = {}
                try:
                    for attr in md_arr.GetAttributes():
                        cube._variable_attrs[attr.GetName()] = attr.Read()
                except Exception:
                    pass  # nosec B110

                # Scale/offset for CF packed data
                try:
                    cube._scale = md_arr.GetScale()
                    cube._offset = md_arr.GetOffset()
                except Exception:
                    cube._scale = None
                    cube._offset = None
            else:
                cube._md_array_dims = []
                cube._band_dim_name = None
                cube._band_dim_values = None
                cube._variable_attrs = {}
                cube._scale = None
                cube._offset = None
        else:
            cube._md_array_dims = []
            cube._band_dim_name = None
            cube._band_dim_values = None
            cube._variable_attrs = {}
            cube._scale = None
            cube._offset = None

        return cube

    def _replace_raster(self, new_raster: gdal.Dataset):
        """Replace the internal GDAL dataset, closing the old one if different.

        Re-derives all base-class state (geotransform, CRS, band info, etc.)
        without resetting NetCDF-specific flags (_is_md_array, _is_subset).
        """
        old = self._raster
        if old is not None and old is not new_raster:
            old.FlushCache()
        # AbstractDataset state
        self._raster = new_raster
        self._geotransform = new_raster.GetGeoTransform()
        self._cell_size = self._geotransform[1]
        self._meta_data = new_raster.GetMetadata()
        self._file_name = new_raster.GetDescription()
        self._epsg = self._get_epsg()
        self._rows = new_raster.RasterYSize
        self._columns = new_raster.RasterXSize
        self._band_count = new_raster.RasterCount
        self._block_size = [
            new_raster.GetRasterBand(i).GetBlockSize()
            for i in range(1, self._band_count + 1)
        ]
        # Dataset state
        self._no_data_value = [
            new_raster.GetRasterBand(i).GetNoDataValue()
            for i in range(1, self._band_count + 1)
        ]
        self._band_names = self._get_band_names()
        self._band_units = [
            new_raster.GetRasterBand(i).GetUnitType()
            for i in range(1, self._band_count + 1)
        ]
        # Invalidate caches
        self._cached_variables = None
        self._cached_meta_data = None

    def _invalidate_caches(self):
        """Invalidate cached variables and metadata."""
        self._cached_variables = None
        self._cached_meta_data = None

    @property
    def is_subset(self) -> bool:
        """Whether this object represents a single-variable subset.

        Returns:
            bool: True if the dataset is a variable subset extracted
                via ``get_variable()``.
        """
        return self._is_subset

    @property
    def is_md_array(self):
        """Whether this dataset was opened in multidimensional mode.

        Returns:
            bool: True if the dataset was opened via
                ``gdal.OF_MULTIDIM_RASTER`` and supports groups,
                MDArrays, and dimensions.
        """
        return self._is_md_array

    def to_file(  # type: ignore[override]
        self,
        path: str | Path,
        **kwargs: Any,
    ) -> None:
        """Save the dataset to disk.

        For ``.nc`` / ``.nc4`` files the full multidimensional structure
        (groups, dimensions, variables, attributes) is preserved via
        ``CreateCopy`` with the netCDF driver.  For other extensions
        (e.g. ``.tif``), the parent ``Dataset.to_file`` is used — but only
        on variable subsets, not on root MDIM containers.

        Args:
            path: Destination file path. The extension determines the
                output driver (``.nc`` -> netCDF, ``.tif`` -> GeoTIFF, etc.).
            **kwargs: Forwarded to ``Dataset.to_file`` for non-NetCDF
                extensions (e.g. ``tile_length``, ``creation_options``).

        Raises:
            RuntimeError: If the netCDF ``CreateCopy`` call fails.
            ValueError: If a root MDIM container is saved to a non-NC
                extension (use ``.nc`` or extract a variable first).
        """
        path = Path(path)
        extension = path.suffix[1:].lower()
        if extension in ("nc", "nc4"):
            dst = gdal.GetDriverByName("netCDF").CreateCopy(str(path), self._raster, 0)
            if dst is None:
                raise RuntimeError(f"Failed to save NetCDF to {path}")
            dst.FlushCache()
            dst = None
        else:
            if self._is_md_array and not self._is_subset:
                raise ValueError(
                    "Cannot save a multidimensional NetCDF container as "
                    f"'{extension}'. Use .nc extension or extract a "
                    "variable first with .get_variable()."
                )
            super().to_file(path, **kwargs)

    def copy(self, path: str | Path | None = None) -> NetCDF:
        """Create a deep copy of this NetCDF dataset.

        Args:
            path: Destination file path. If None, the copy is created
                in memory using the MEM driver. Defaults to None.

        Returns:
            NetCDF: A new NetCDF object with copied data.

        Raises:
            RuntimeError: If ``CreateCopy`` fails.
        """
        if path is None:
            path = ""
            driver = "MEM"
        else:
            driver = "netCDF"

        src = gdal.GetDriverByName(driver).CreateCopy(str(path), self._raster)
        if src is None:
            raise RuntimeError(f"Failed to copy NetCDF dataset to '{path}'")
        return NetCDF(src, access="write")

    @staticmethod
    def _create_dimension(
        group: gdal.Group,
        dim_name: str,
        dtype,
        values: np.ndarray,
        dim_type=None,
        set_indexing: bool = True,
        is_geographic: bool = True,
    ) -> gdal.Dimension:
        """Create a dimension with its coordinate array and CF attributes.

        Args:
            group: GDAL root group.
            dim_name: Dimension name.
            dtype: GDAL ExtendedDataType.
            values: Coordinate values.
            dim_type: GDAL dimension type constant.
            set_indexing: If True, call SetIndexingVariable (works
                on MEM driver). If False, skip it (required for
                netCDF driver which doesn't support it).
            is_geographic: If True, coordinate units are degrees.
                If False, units are metres. Defaults to True.

        Returns:
            gdal.Dimension
        """
        dim = group.CreateDimension(dim_name, dim_type, None, values.shape[0])
        coord_arr = group.CreateMDArray(dim_name, [dim], dtype)
        coord_arr.Write(values)
        if set_indexing:
            dim.SetIndexingVariable(coord_arr)
        cf_attrs = build_coordinate_attrs(dim_name, is_geographic)
        if cf_attrs:
            write_attributes_to_md_array(coord_arr, cf_attrs)
        return dim

    @staticmethod
    def create_main_dimension(
        group: gdal.Group, dim_name: str, dtype: int, values: np.ndarray
    ) -> gdal.Dimension:
        """Create a NetCDF dimension with an indexing variable.

        The dimension type is inferred from ``dim_name``:
        ``y``/``lat``/``latitude`` -> horizontal Y,
        ``x``/``lon``/``longitude`` -> horizontal X,
        ``bands``/``time`` -> temporal.

        The dimension is registered in the group together with a
        matching MDArray that stores the coordinate values.

        Args:
            group: Root group (or sub-group) of the multidimensional
                dataset.
            dim_name: Name of the dimension to create.
            dtype: GDAL ``ExtendedDataType`` for the indexing variable.
            values: Coordinate values for the dimension.

        Returns:
            gdal.Dimension: The newly created dimension.
        """
        if dim_name in ["y", "lat", "latitude"]:
            dim_type = gdal.DIM_TYPE_HORIZONTAL_Y
        elif dim_name in ["x", "lon", "longitude"]:
            dim_type = gdal.DIM_TYPE_HORIZONTAL_X
        elif dim_name in ["bands", "time"]:
            dim_type = gdal.DIM_TYPE_TEMPORAL
        else:
            dim_type = None
        dim = group.CreateDimension(dim_name, dim_type, None, values.shape[0])
        x_values = group.CreateMDArray(dim_name, [dim], dtype)
        x_values.Write(values)
        dim.SetIndexingVariable(x_values)
        return dim

    @classmethod
    def create_from_array(  # type: ignore[override]
        cls,
        arr: np.ndarray,
        geo: tuple[float, float, float, float, float, float] | None = None,
        epsg: str | int = 4326,
        no_data_value: Any | list = DEFAULT_NO_DATA_VALUE,
        path: str | Path | None = None,
        variable_name: str | None = None,
        extra_dim_name: str = "time",
        extra_dim_values: list | None = None,
        top_left_corner: tuple[float, float] | None = None,
        cell_size: int | float | None = None,
        chunk_sizes: tuple | list | None = None,
        compression: str | None = None,
        compression_level: int | None = None,
        title: str | None = None,
        institution: str | None = None,
        source: str | None = None,
        history: str | None = None,
    ) -> NetCDF:
        """Create a NetCDF dataset from a NumPy array and geotransform.

        For 3-D arrays the first axis is treated as a non-spatial
        dimension (time, level, depth, etc.) whose name and coordinate
        values are controlled by ``extra_dim_name`` and
        ``extra_dim_values``.

        The driver is inferred from ``path``: if ``path`` is ``None``
        the dataset is created in memory (MEM driver); if a path is
        provided the netCDF driver writes to disk.

        Args:
            arr: 2-D ``(rows, cols)`` or 3-D
                ``(extra_dim, rows, cols)`` NumPy array.
            geo: Geotransform tuple ``(x_min, pixel_size, rotation,
                y_max, rotation, pixel_size)``.
            epsg: EPSG code for the spatial reference.
                Defaults to 4326.
            no_data_value: Sentinel value for cells outside the
                domain. Defaults to DEFAULT_NO_DATA_VALUE.
            path: Output file path. If ``None``, the dataset is
                created in memory. Defaults to None.
            variable_name: Name of the data variable in the NetCDF
                file. Defaults to ``"data"``.
            extra_dim_name: Name of the non-spatial dimension for 3-D
                arrays (e.g. ``"time"``, ``"level"``, ``"depth"``).
                Ignored for 2-D arrays. Defaults to ``"time"``.
            extra_dim_values: Coordinate values for the non-spatial
                dimension. Must have length ``arr.shape[0]`` for 3-D
                arrays. Defaults to ``[0, 1, 2, ..., N-1]``.
            top_left_corner: ``(x, y)`` of the top-left corner. Used
                with ``cell_size`` to build ``geo`` when ``geo`` is
                not provided. Defaults to None.
            cell_size: Pixel size. Used with ``top_left_corner`` to
                build ``geo``. Defaults to None.
            chunk_sizes: Chunk sizes for the data variable as a tuple
                matching the array dimensions (e.g. ``(1, 256, 256)``
                for 3-D). Only effective when writing to disk.
                Defaults to None (GDAL default chunking).
            compression: Compression algorithm name (``"DEFLATE"``,
                ``"ZSTD"``, etc.). Only effective when writing to
                disk. Defaults to None (no compression).
            compression_level: Compression level (e.g. 1-9 for
                DEFLATE). Defaults to None (GDAL default).
            title: CF global attribute ``title``. Short
                description of the dataset. Defaults to None.
            institution: CF global attribute ``institution``.
                Where the data was produced. Defaults to None.
            source: CF global attribute ``source``. How the
                data was produced. Defaults to None.
            history: CF global attribute ``history``. Audit
                trail of processing steps. Defaults to None.

        Returns:
            NetCDF: The newly created NetCDF dataset.
        """
        if geo is None and top_left_corner is not None and cell_size is not None:
            geo = (
                top_left_corner[0],
                cell_size,
                0,
                top_left_corner[1],
                0,
                -cell_size,
            )
        if geo is None:
            raise ValueError(
                "Either 'geo' or both 'top_left_corner' and "
                "'cell_size' must be provided."
            )

        if arr.ndim == 2:
            rows = int(arr.shape[0])
            cols = int(arr.shape[1])
        else:
            rows = int(arr.shape[1])
            cols = int(arr.shape[2])

        if extra_dim_values is None and arr.ndim == 3:
            extra_dim_values = list(range(arr.shape[0]))

        if arr.ndim == 3:
            DimMetaData(
                name=extra_dim_name,
                size=arr.shape[0],
                values=extra_dim_values,
            )

        if variable_name is None:
            variable_name = "data"

        dst_ds = cls._create_netcdf_from_array(
            arr,
            variable_name,
            cols,
            rows,
            extra_dim_name,
            extra_dim_values,
            geo,
            epsg,
            no_data_value,
            path=path,
            chunk_sizes=chunk_sizes,
            compression=compression,
            compression_level=compression_level,
            title=title,
            institution=institution,
            source=source,
            history=history,
        )
        result = cls(dst_ds)

        return result

    @staticmethod
    def _create_netcdf_from_array(
        arr: np.ndarray,
        variable_name: str,
        cols: int,
        rows: int,
        extra_dim_name: str = "time",
        extra_dim_values: list | None = None,
        geo: tuple[float, float, float, float, float, float] | None = None,
        epsg: str | int | None = None,
        no_data_value: Any | list = DEFAULT_NO_DATA_VALUE,
        path: str | Path | None = None,
        chunk_sizes: tuple | list | None = None,
        compression: str | None = None,
        compression_level: int | None = None,
        title: str | None = None,
        institution: str | None = None,
        source: str | None = None,
        history: str | None = None,
    ) -> gdal.Dataset:
        """Build a multidimensional GDAL dataset from an array.

        The driver is inferred from ``path``: ``None`` -> MEM (in-memory),
        otherwise the netCDF driver writes to disk.

        Args:
            arr: 2-D ``(rows, cols)`` or 3-D
                ``(extra_dim, rows, cols)`` NumPy array.
            variable_name: Name of the data variable.
            cols: Number of columns.
            rows: Number of rows.
            extra_dim_name: Name of the non-spatial dimension
                (e.g. ``"time"``, ``"level"``). Defaults to ``"time"``.
            extra_dim_values: Coordinate values for the non-spatial
                dimension. Defaults to None.
            geo: Geotransform tuple. Defaults to None.
            epsg: EPSG code. Defaults to None.
            no_data_value: No-data sentinel. Defaults to
                DEFAULT_NO_DATA_VALUE.
            path: Output file path. If None, created in memory.
                Defaults to None.
            chunk_sizes: Chunk sizes for the variable. Defaults to
                None.
            compression: Compression algorithm. Defaults to None.
            compression_level: Compression level. Defaults to None.
            title: CF global attribute ``title``. Defaults to None.
            institution: CF global attribute ``institution``.
                Defaults to None.
            source: CF global attribute ``source``.
                Defaults to None.
            history: CF global attribute ``history``.
                Defaults to None.

        Returns:
            gdal.Dataset: The created multidimensional GDAL dataset.
        """
        if variable_name is None:
            raise ValueError("Variable_name cannot be None")
        if geo is None:
            raise ValueError("geo cannot be None")

        dtype = gdal.ExtendedDataType.Create(numpy_to_gdal_dtype(arr))
        x_dim_values = NetCDF.get_x_lon_dimension_array(geo[0], geo[1], cols)
        y_dim_values = NetCDF.get_y_lat_dimension_array(geo[3], geo[1], rows)

        if path is not None:
            driver_type = "netCDF"
        else:
            driver_type = "MEM"
            path = "netcdf"

        src = gdal.GetDriverByName(driver_type).CreateMultiDimensional(
            str(path)
        )
        rg = src.GetRootGroup()

        # Set CF global attributes on root group
        cf_global = {"Conventions": "CF-1.8"}
        if title is not None:
            cf_global["title"] = title
        if institution is not None:
            cf_global["institution"] = institution
        if source is not None:
            cf_global["source"] = source
        if history is not None:
            cf_global["history"] = history
        write_global_attributes(rg, cf_global)

        # Build creation options for chunking and compression
        create_options = []
        if chunk_sizes is not None:
            create_options.append(
                f"BLOCKSIZE={','.join(str(s) for s in chunk_sizes)}"
            )
        if compression is not None:
            create_options.append(f"COMPRESS={compression}")
        if compression_level is not None:
            create_options.append(f"ZLEVEL={compression_level}")

        # netCDF driver doesn't support SetIndexingVariable — create
        # dimension arrays manually without linking them.
        use_set_indexing = (driver_type == "MEM")

        # Determine if CRS is geographic (lon/lat) or projected (m)
        is_geographic = True
        if epsg is not None:
            srs_check = Dataset._create_sr_from_epsg(int(epsg))
            is_geographic = srs_check.IsGeographic() == 1

        dim_x = NetCDF._create_dimension(
            rg, "x", dtype, np.array(x_dim_values),
            gdal.DIM_TYPE_HORIZONTAL_X, use_set_indexing,
            is_geographic=is_geographic,
        )
        dim_y = NetCDF._create_dimension(
            rg, "y", dtype, np.array(y_dim_values),
            gdal.DIM_TYPE_HORIZONTAL_Y, use_set_indexing,
            is_geographic=is_geographic,
        )

        if arr.ndim == 3:
            extra_dim = NetCDF._create_dimension(
                rg, extra_dim_name, dtype, np.array(extra_dim_values),
                gdal.DIM_TYPE_TEMPORAL, use_set_indexing,
            )
            md_arr = rg.CreateMDArray(
                variable_name, [extra_dim, dim_y, dim_x], dtype,
                create_options if create_options else [],
            )
        else:
            md_arr = rg.CreateMDArray(
                variable_name, [dim_y, dim_x], dtype,
                create_options if create_options else [],
            )

        # Set metadata BEFORE writing data — netCDF driver requires
        # nodata to be set before the first Write call.
        md_arr.SetNoDataValueDouble(no_data_value)
        if epsg is None:
            raise ValueError("epsg cannot be None")
        srse = Dataset._create_sr_from_epsg(epsg=int(epsg))
        md_arr.SetSpatialRef(srse)
        md_arr.Write(arr)

        # Create CF grid_mapping variable (MEM driver only — the netCDF
        # driver creates its own via SetSpatialRef above). Use
        # "spatial_ref" as the variable name to avoid collision with
        # GDAL's automatic "crs" during CreateCopy to netCDF.
        if driver_type == "MEM":
            gm_name, gm_params = srs_to_grid_mapping(srse)
            gm_dtype = gdal.ExtendedDataType.Create(gdal.GDT_Int32)
            gm_var_name = "spatial_ref"
            crs_arr = rg.CreateMDArray(gm_var_name, [], gm_dtype)
            crs_arr.Write(np.array(0, dtype=np.int32))
            gm_params["grid_mapping_name"] = gm_name
            write_attributes_to_md_array(crs_arr, gm_params)
            write_attributes_to_md_array(
                md_arr, {"grid_mapping": gm_var_name}
            )

        return src

    @staticmethod
    def _add_md_array_to_group(dst_group, var_name, src_mdarray):
        """Copy an MDArray from one group to another, preserving data and metadata."""
        src_dims = src_mdarray.GetDimensions()
        arr = src_mdarray.ReadAsArray()
        dtype = gdal.ExtendedDataType.Create(numpy_to_gdal_dtype(arr))
        new_md_array = dst_group.CreateMDArray(var_name, src_dims, dtype)
        new_md_array.Write(arr)
        ndv = src_mdarray.GetNoDataValue()
        if ndv is not None:
            try:
                new_md_array.SetNoDataValueDouble(ndv)
            except Exception:
                pass

        new_md_array.SetSpatialRef(src_mdarray.GetSpatialRef())

    @staticmethod
    def _get_or_create_dimension(
        rg: gdal.Group, dim_name: str, values: np.ndarray, dtype, dim_type=None
    ) -> gdal.Dimension:
        """Reuse an existing dimension or create a new one.

        If a dimension with ``dim_name`` already exists in the root group
        and has the same size as ``values``, it is returned directly.
        On size mismatch, a new dimension with a ``_{size}`` suffix is
        created to avoid conflicts.

        Args:
            rg: The root group of the multidimensional dataset.
            dim_name: Name of the dimension (e.g., ``"x"``, ``"time"``).
            values: Coordinate values for this dimension.
            dtype: GDAL ``ExtendedDataType`` for the indexing variable.
            dim_type: GDAL dimension type constant (e.g.,
                ``gdal.DIM_TYPE_HORIZONTAL_X``). Defaults to None.

        Returns:
            gdal.Dimension: The reused or newly created dimension.
        """
        for existing_dim in rg.GetDimensions() or []:
            if existing_dim.GetName() == dim_name:
                if existing_dim.GetSize() == len(values):
                    return existing_dim
                # Size mismatch — need a new dimension with a unique name
                dim_name = f"{dim_name}_{len(values)}"
                break

        return NetCDF.create_main_dimension(rg, dim_name, dtype, values)

    @property
    def global_attributes(self) -> dict[str, Any]:
        """Global attributes from the root group.

        Returns a live dict read from the GDAL root group each time.
        For MDIM mode, reads from the root group's attributes.
        For classic mode, reads from GDAL's ``GetMetadata()``.

        Returns:
            dict[str, Any]: Key-value mapping of global attributes.
        """
        rg = self._raster.GetRootGroup()
        result = {}
        if rg is not None:
            try:
                for attr in rg.GetAttributes():
                    result[attr.GetName()] = attr.Read()
            except Exception:
                pass
        else:
            result = dict(self._raster.GetMetadata())
        return result

    def set_global_attribute(self, name: str, value: Any):
        """Set a global attribute on the root group.

        Creates or updates a single attribute on the root group.

        Args:
            name: Attribute name (e.g. ``"history"``,
                ``"Conventions"``).
            value: Attribute value. Supports str, int, float.

        Raises:
            ValueError: If the dataset has no root group
                (not opened in MDIM mode).
        """
        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "set_global_attribute requires a multidimensional "
                "container. Open the file with "
                "open_as_multi_dimensional=True."
            )
        # Delete existing attribute if present (GDAL raises on duplicate)
        try:
            rg.DeleteAttribute(name)
        except Exception:
            pass
        if isinstance(value, str):
            attr = rg.CreateAttribute(
                name, [], gdal.ExtendedDataType.CreateString()
            )
        elif isinstance(value, float):
            attr = rg.CreateAttribute(
                name, [], gdal.ExtendedDataType.Create(gdal.GDT_Float64)
            )
        elif isinstance(value, int):
            attr = rg.CreateAttribute(
                name, [], gdal.ExtendedDataType.Create(gdal.GDT_Int32)
            )
        else:
            attr = rg.CreateAttribute(
                name, [], gdal.ExtendedDataType.CreateString()
            )
            value = str(value)
        attr.Write(value)
        self._invalidate_caches()

    def delete_global_attribute(self, name: str):
        """Delete a global attribute from the root group.

        If the attribute does not exist, the call is silently ignored.

        Args:
            name: Attribute name to delete.

        Raises:
            ValueError: If the dataset has no root group.
        """
        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "delete_global_attribute requires a multidimensional "
                "container."
            )
        try:
            rg.DeleteAttribute(name)
        except Exception:
            pass  # attribute may not exist — silently ignored
        self._invalidate_caches()

    def set_variable(
        self,
        variable_name: str,
        dataset: Dataset,
        band_dim_name: str | None = None,
        band_dim_values: list | None = None,
        attrs: dict | None = None,
    ):
        """Write a classic Dataset back as an MDArray variable in this container.

        This is the reverse of ``get_variable()``.  After performing GIS
        operations (crop, reproject, etc.) on a variable subset, use this
        method to store the result back into the NetCDF container.

        Args:
            variable_name: Name for the variable in this container.  If a
                variable with this name already exists it is replaced.
            dataset: A classic raster dataset, typically the result of a
                GIS operation on a variable obtained via ``get_variable()``.
            band_dim_name: Name of the dimension that maps to bands
                (e.g. ``"time"``, ``"bands"``).  Auto-detected from the
                dataset's ``_band_dim_name`` attribute when available.
                Defaults to None.
            band_dim_values: Coordinate values for the band dimension.
                Auto-detected from ``_band_dim_values`` when available.
                Defaults to None.
            attrs: Variable attributes to set (e.g. ``{"units": "K"}``).
                Auto-detected from ``_variable_attrs`` when available.
                Defaults to None.

        Raises:
            ValueError: If called on a dataset without a root group
                (not opened in multidimensional mode).
        """
        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "set_variable requires a multidimensional container. "
                "Open the file with open_as_multi_dimensional=True."
            )

        # Auto-detect from tracked origin metadata (RT-4)
        if band_dim_name is None and hasattr(dataset, "_band_dim_name"):
            band_dim_name = dataset._band_dim_name
        if band_dim_values is None and hasattr(dataset, "_band_dim_values"):
            band_dim_values = dataset._band_dim_values
        if attrs is None and hasattr(dataset, "_variable_attrs"):
            attrs = dataset._variable_attrs

        # Delete existing variable if present
        if variable_name in self.variable_names:
            rg.DeleteMDArray(variable_name)

        # Read data from the classic dataset
        arr = dataset.read_array()
        gt: tuple[float, float, float, float, float, float] = dataset.geotransform
        data_dtype = gdal.ExtendedDataType.Create(numpy_to_gdal_dtype(arr))
        # Coordinate dimensions must always be float64 to avoid truncation
        # when the data array is integer (e.g., classified rasters).
        coord_dtype = gdal.ExtendedDataType.Create(gdal.GDT_Float64)

        # Build spatial dimensions from the geotransform
        x_values = np.array(
            NetCDF.get_x_lon_dimension_array(gt[0], gt[1], dataset.columns)
        )
        y_values = np.array(
            NetCDF.get_y_lat_dimension_array(gt[3], abs(gt[5]), dataset.rows)
        )
        dim_x = self._get_or_create_dimension(
            rg, "x", x_values, coord_dtype, gdal.DIM_TYPE_HORIZONTAL_X
        )
        dim_y = self._get_or_create_dimension(
            rg, "y", y_values, coord_dtype, gdal.DIM_TYPE_HORIZONTAL_Y
        )

        # Build band dimension if the data is 3D
        if arr.ndim == 3:
            if band_dim_name is None:
                band_dim_name = "bands"
            if band_dim_values is None:
                band_dim_values = list(range(arr.shape[0]))
            dim_band = self._get_or_create_dimension(
                rg,
                band_dim_name,
                np.array(band_dim_values, dtype=np.float64),
                coord_dtype,
                gdal.DIM_TYPE_TEMPORAL,
            )
            md_arr = rg.CreateMDArray(
                variable_name, [dim_band, dim_y, dim_x], data_dtype
            )
        else:
            md_arr = rg.CreateMDArray(variable_name, [dim_y, dim_x], data_dtype)

        # Write array data
        md_arr.Write(arr)

        # Set spatial reference (RT-7: attribute copying)
        if dataset.epsg:
            srs = Dataset._create_sr_from_epsg(dataset.epsg)
            md_arr.SetSpatialRef(srs)

        # Set no-data value
        if dataset.no_data_value and dataset.no_data_value[0] is not None:
            try:
                md_arr.SetNoDataValueDouble(float(dataset.no_data_value[0]))
            except Exception:
                pass  # nosec B110

        # Set variable attributes (RT-7)
        if attrs:
            write_attributes_to_md_array(md_arr, attrs)

        self._invalidate_caches()

    def crop_variable(
        self, variable_name: str, mask: Any, touch: bool = True
    ) -> NetCDF:
        """Crop a single variable and store the result back.

        Convenience method that combines ``get_variable`` → ``crop``
        → ``set_variable`` in one call.

        Args:
            variable_name: Name of the variable to crop.
            mask: GeoDataFrame with polygon geometry, or a Dataset
                to use as a spatial mask.
            touch: If True, include cells touching the mask boundary.
                Defaults to True.

        Returns:
            NetCDF: This container (modified in-place).
        """
        var = self.get_variable(variable_name)
        cropped = var.crop(mask, touch=touch)
        self.set_variable(variable_name, cropped)
        return self

    def reproject_variable(
        self, variable_name: str, to_epsg: int, method: str = "nearest neighbor"
    ) -> NetCDF:
        """Reproject a single variable and store the result back.

        Convenience method that combines ``get_variable`` → ``to_crs``
        → ``set_variable`` in one call.

        Args:
            variable_name: Name of the variable to reproject.
            to_epsg: Target EPSG code (e.g. 4326, 32637).
            method: Resampling method. Defaults to
                ``"nearest neighbor"``.

        Returns:
            NetCDF: This container (modified in-place).
        """
        var = self.get_variable(variable_name)
        reprojected = var.to_crs(to_epsg, method=method)
        # to_crs returns a VRT-backed dataset — materialize it into
        # a MEM dataset so the data survives after the VRT source
        # (the variable subset) is garbage collected.
        arr = reprojected.read_array()
        no_data_value = reprojected.no_data_value
        ndv_scalar = no_data_value[0] if isinstance(no_data_value, list) and no_data_value else no_data_value
        materialized = Dataset.create_from_array(
            arr, geo=reprojected.geotransform, epsg=reprojected.epsg,
            no_data_value=ndv_scalar,
        )
        materialized._band_dim_name = var._band_dim_name
        materialized._band_dim_values = var._band_dim_values
        materialized._variable_attrs = var._variable_attrs
        self.set_variable(variable_name, materialized)
        return self

    def resample_variable(
        self, variable_name: str, cell_size: int | float,
        method: str = "nearest neighbor"
    ) -> NetCDF:
        """Resample a single variable and store the result back.

        Convenience method that combines ``get_variable`` → ``resample``
        → ``set_variable`` in one call.

        Args:
            variable_name: Name of the variable to resample.
            cell_size: New cell size.
            method: Resampling method. Defaults to
                ``"nearest neighbor"``.

        Returns:
            NetCDF: This container (modified in-place).
        """
        var = self.get_variable(variable_name)
        resampled = var.resample(cell_size, method=method)
        self.set_variable(variable_name, resampled)
        return self

    def add_variable(self, dataset: Dataset | NetCDF, variable_name: str | None = None):
        """Copy MDArray variables from another NetCDF into this container.

        Args:
            dataset: Source NetCDF dataset whose variables will be copied.
                Must have a root group (opened in MDIM mode).
            variable_name: Specific variable name(s) to copy. If None, all
                variables from the source are copied. If a variable with
                the same name already exists, it is renamed with a
                ``"-new"`` suffix.
        """
        src_rg = self._raster.GetRootGroup()
        var_rg = dataset._raster.GetRootGroup()
        names_to_copy: list[str]
        if variable_name is not None:
            names_to_copy = [variable_name]
        elif isinstance(dataset, NetCDF):
            names_to_copy = dataset.variable_names
        else:
            names_to_copy = []

        for var in names_to_copy:
            md_arr = var_rg.OpenMDArray(var)
            # If the variable name already exists in the destination dataset,
            # use a suffixed name to avoid overwriting the original.
            target_name = f"{var}-new" if var in self.variable_names else var
            self._add_md_array_to_group(src_rg, target_name, md_arr)
        self._invalidate_caches()

    def remove_variable(self, variable_name: str):
        """Delete a variable from this container.

        If the dataset is backed by a file on disk, a MEM copy is made first
        so that the on-disk file is not modified.  The internal raster
        reference is replaced with the modified copy.

        Args:
            variable_name: Name of the variable to remove.
        """
        if self.driver_type == "memory":
            dst = self._raster
        else:
            dst = gdal.GetDriverByName("MEM").CreateCopy("", self._raster, 0)

        rg = dst.GetRootGroup()
        rg.DeleteMDArray(variable_name)

        self._replace_raster(dst)

    def rename_variable(self, old_name: str, new_name: str):
        """Rename a variable in this container.

        Internally extracts the variable data and metadata, creates
        a new variable with the new name, and removes the old one.

        Args:
            old_name: Current name of the variable.
            new_name: Desired new name.

        Raises:
            ValueError: If ``old_name`` doesn't exist or ``new_name``
                already exists.
        """
        if old_name not in self.variable_names:
            raise ValueError(
                f"Variable '{old_name}' not found. "
                f"Available: {self.variable_names}"
            )
        if new_name in self.variable_names:
            raise ValueError(
                f"Variable '{new_name}' already exists."
            )

        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "rename_variable requires a multidimensional container."
            )

        md_arr = rg.OpenMDArray(old_name)
        self._add_md_array_to_group(rg, new_name, md_arr)
        rg.DeleteMDArray(old_name)
        self._invalidate_caches()

    def to_xarray(self) -> Any:
        """Convert this NetCDF container to an ``xarray.Dataset``.

        Builds an in-memory ``xarray.Dataset`` that mirrors the
        variables, coordinates, dimensions, and global attributes
        of this pyramids NetCDF container.

        For **file-backed** containers the conversion delegates to
        ``xr.open_dataset(self.file_name)`` which lets xarray use
        its own optimised NetCDF reader.

        For **in-memory** containers (MEM driver, no file on disk)
        the method reads each variable via the MDIM API, constructs
        coordinate arrays from the dimension indexing variables, and
        assembles them into an ``xr.Dataset`` manually.

        Requires the optional ``xarray`` package.  Install it with::

            pip install xarray

        Returns:
            xarray.Dataset: An xarray Dataset with the same
                variables, coordinates, and global attributes.

        Raises:
            pyramids.base._errors.OptionalPackageDoesNotExist:
                If ``xarray`` is not installed.

        Examples:
            Convert a pyramids NetCDF to xarray::

                nc = NetCDF.read_file("temperature.nc")
                ds = nc.to_xarray()
                print(ds)
        """
        try:
            import xarray as xr
        except ImportError:
            raise OptionalPackageDoesNotExist(
                "xarray is required for to_xarray(). "
                "Install it with: pip install xarray"
            )

        file_path = self.file_name
        is_file_backed = (
            file_path
            and not file_path.startswith("/vsimem/")
            and Path(file_path).exists()
        )

        if is_file_backed:
            result = xr.open_dataset(file_path)
        else:
            rg = self._raster.GetRootGroup()
            if rg is None:
                raise ValueError(
                    "to_xarray requires a multidimensional container. "
                    "Open the file with open_as_multi_dimensional=True."
                )

            coords: dict[str, Any] = {}
            dims = rg.GetDimensions() or []
            for d in dims:
                dim_name = d.GetName()
                iv = d.GetIndexingVariable()
                if iv is not None:
                    coords[dim_name] = ([dim_name], iv.ReadAsArray())

            data_vars: dict[str, Any] = {}
            for var_name in self.variable_names:
                md_arr = rg.OpenMDArray(var_name)
                if md_arr is None:
                    continue
                arr_dims = md_arr.GetDimensions() or []
                arr_dim_names = [ad.GetName() for ad in arr_dims]
                arr_data = md_arr.ReadAsArray()
                var_attrs: dict[str, Any] = {}
                try:
                    for attr in md_arr.GetAttributes():
                        var_attrs[attr.GetName()] = attr.Read()
                except Exception:
                    pass
                data_vars[var_name] = (arr_dim_names, arr_data, var_attrs)

            global_attrs = self.global_attributes
            result = xr.Dataset(
                data_vars=data_vars,
                coords=coords,
                attrs=global_attrs,
            )

        return result

    @classmethod
    def from_xarray(
        cls,
        dataset: Any,
        path: str | Path | None = None,
    ) -> NetCDF:
        """Create a pyramids NetCDF from an ``xarray.Dataset``.

        Serialises the xarray Dataset to a NetCDF file (on disk or
        in a GDAL ``/vsimem/`` memory file) and reads it back as a
        pyramids ``NetCDF`` container.

        This is the inverse of ``to_xarray()`` and enables workflows
        that mix xarray analysis with pyramids spatial operations::

            ds = xr.open_dataset("input.nc")
            # ... xarray processing ...
            nc = NetCDF.from_xarray(ds)
            var = nc.get_variable("temperature")
            cropped = var.crop(mask)

        Requires the optional ``xarray`` package.

        Args:
            dataset: An ``xarray.Dataset`` instance.
            path: File path where the intermediate NetCDF will be
                written.  If ``None``, a GDAL in-memory file
                (``/vsimem/``) is used and cleaned up automatically
                when the returned object is garbage-collected.

        Returns:
            NetCDF: A pyramids NetCDF container backed by the data
                from the xarray Dataset.

        Raises:
            pyramids.base._errors.OptionalPackageDoesNotExist:
                If ``xarray`` is not installed.
            TypeError: If *dataset* is not an ``xarray.Dataset``.
        """
        try:
            import xarray as xr
        except ImportError:
            raise OptionalPackageDoesNotExist(
                "xarray is required for from_xarray(). "
                "Install it with: pip install xarray"
            )

        if not isinstance(dataset, xr.Dataset):
            raise TypeError(
                f"Expected xarray.Dataset, got {type(dataset).__name__}"
            )

        cleanup_temp = False
        if path is not None:
            path = str(path)
        else:
            tmp = tempfile.NamedTemporaryFile(
                suffix=".nc", delete=False,
            )
            path = tmp.name
            tmp.close()
            cleanup_temp = True

        dataset.to_netcdf(path)
        result = cls.read_file(path, read_only=True)

        if cleanup_temp:
            result._xarray_temp_path = path
            weakref.finalize(result, os.unlink, path)

        return result

top_left_corner property #

Top left corner coordinates.

lon property #

Longitude / x-coordinate values as a 1D array.

Looks for a variable named "lon" first, then "x".

Returns:

Type Description
ndarray

np.ndarray or None: Flattened coordinate array, or None if

ndarray

neither lon nor x exists in the dataset.

lat property #

Latitude / y-coordinate values as a 1D array.

Looks for a variable named "lat" first, then "y".

Returns:

Type Description
ndarray

np.ndarray or None: Flattened coordinate array, or None if

ndarray

neither lat nor y exists in the dataset.

x property #

x-coordinate/longitude.

y property #

y-coordinate/latitude.

geotransform property #

Geotransform.

Computes from lon/lat coordinate arrays if available. Falls back to the parent GDAL GetGeoTransform() otherwise.

variable_names property #

Names of data variables (excluding dimension coordinate arrays).

Returns:

Type Description
list[str]

list[str]: Variable names. For MDIM mode these come from

list[str]

GetMDArrayNames() minus dimension names; for classic mode

list[str]

from GetSubDatasets().

variables property #

All data variables as a lazy dict of {name: NetCDF} subsets.

Variables are loaded on first access per key, not all at once. Cached after loading; invalidated by add_variable / remove_variable / set_variable.

Returns:

Type Description
dict[str, NetCDF]

dict[str, NetCDF]: Mapping from variable name to its subset.

no_data_value property writable #

No data value that marks the cells out of the domain.

file_name property #

File path, with the NETCDF:"path":var prefix stripped if present.

Returns:

Name Type Description
str

Clean file path without the NETCDF prefix.

time_stamp property #

Time coordinate values parsed from the CF-compliant time variable.

Returns:

Type Description

list[str] | None: Formatted time strings, or None if no time dimension with a units attribute is found.

meta_data property writable #

Structured metadata for this NetCDF.

Uses the GDAL Multidimensional API (groups, arrays, dimensions) when the file was opened with open_as_multi_dimensional=True. Falls back to the classic NETCDF_DIM_* parser (dimensions.py) when opened in classic mode (no root group available).

Cached on first access. Invalidated by add_variable/remove_variable.

Returns:

Type Description
NetCDFMetadata

NetCDFMetadata

dimension_names property #

Names of all dimensions in the root group (e.g., ["x", "y", "time"]).

Returns:

Type Description
list[str] | None

list[str] or None: Dimension names, or None if no root group

list[str] | None

is available (classic mode).

group_names property #

Names of sub-groups in the root group.

Returns:

Type Description
list[str]

list[str]: Sub-group names (e.g. ["forecast", "analysis"]).

list[str]

Empty list if no sub-groups exist or the dataset is in

list[str]

classic mode.

is_subset property #

Whether this object represents a single-variable subset.

Returns:

Name Type Description
bool bool

True if the dataset is a variable subset extracted via get_variable().

is_md_array property #

Whether this dataset was opened in multidimensional mode.

Returns:

Name Type Description
bool

True if the dataset was opened via gdal.OF_MULTIDIM_RASTER and supports groups, MDArrays, and dimensions.

global_attributes property #

Global attributes from the root group.

Returns a live dict read from the GDAL root group each time. For MDIM mode, reads from the root group's attributes. For classic mode, reads from GDAL's GetMetadata().

Returns:

Type Description
dict[str, Any]

dict[str, Any]: Key-value mapping of global attributes.

__init__(src, access='read_only', open_as_multi_dimensional=True) #

Initialize a NetCDF dataset wrapper.

Parameters:

Name Type Description Default
src Dataset

A GDAL dataset handle (either classic or multidimensional).

required
access str

Access mode, either "read_only" or "write". Defaults to "read_only".

'read_only'
open_as_multi_dimensional bool

If True the dataset was opened with gdal.OF_MULTIDIM_RASTER and supports groups, MDArrays, and dimensions. If False it was opened in classic raster mode (subdatasets, bands). Defaults to True.

True
Source code in src/pyramids/netcdf/netcdf.py
def __init__(
    self,
    src: gdal.Dataset,
    access: str = "read_only",
    open_as_multi_dimensional: bool = True,
):
    """Initialize a NetCDF dataset wrapper.

    Args:
        src: A GDAL dataset handle (either classic or multidimensional).
        access: Access mode, either ``"read_only"`` or ``"write"``.
            Defaults to ``"read_only"``.
        open_as_multi_dimensional: If True the dataset was opened with
            ``gdal.OF_MULTIDIM_RASTER`` and supports groups, MDArrays,
            and dimensions.  If False it was opened in classic raster
            mode (subdatasets, bands). Defaults to True.
    """
    super().__init__(src, access=access)
    # set the is_subset to false before retrieving the variables
    if open_as_multi_dimensional:
        self._is_md_array = True
        self._is_subset = False
    else:
        self._is_md_array = False
        self._is_subset = False
    # Caches (invalidated by _replace_raster, add_variable, remove_variable)
    self._cached_variables: dict[str, NetCDF] | None = None
    self._cached_meta_data: NetCDFMetadata | None = None
    # Origin-tracking attributes set by get_variable (RT-4)
    self._parent_nc: NetCDF | None = None
    self._source_var_name: str | None = None
    self._gdal_md_arr_ref: Any = None
    self._gdal_rg_ref: Any = None
    self._md_array_dims: list[str] = []
    self._band_dim_name: str | None = None
    self._band_dim_values: list[Any] | None = None
    self._variable_attrs: dict[str, Any] = {}
    self._scale: float | None = None
    self._offset: float | None = None

__str__() #

Return a human-readable summary of the NetCDF dataset.

Source code in src/pyramids/netcdf/netcdf.py
def __str__(self):
    """Return a human-readable summary of the NetCDF dataset."""
    message = f"""
        Cell size: {self.cell_size}
        Dimension: {self.rows} * {self.columns}
        EPSG: {self.epsg}
        projection: {self.crs}
        Variables: {self.variable_names}
        Metadata: {self.meta_data}
        File: {self.file_name}
    """
    return message

__repr__() #

repr.

Source code in src/pyramids/netcdf/netcdf.py
def __repr__(self):
    """__repr__."""
    return super().__repr__()

plot(band=None, **kwargs) #

Plot a band of the dataset.

Blocked on root MDIM containers — extract a variable first.

Raises:

Type Description
ValueError

If called on a root MDIM container.

Source code in src/pyramids/netcdf/netcdf.py
def plot(self, band=None, **kwargs):
    """Plot a band of the dataset.

    Blocked on root MDIM containers — extract a variable first.

    Raises:
        ValueError: If called on a root MDIM container.
    """
    self._check_not_container("plot")
    return super().plot(band=band, **kwargs)

read_array(band=None, window=None, unpack=False) #

Read array from the dataset.

Parameters:

Name Type Description Default
band int | None

Band index to read, or None for all bands.

None
window list[int] | None

Spatial window to read.

None
unpack bool

If True and the variable has CF scale_factor and/or add_offset, apply the transformation real = raw * scale + offset. Defaults to False.

False

Returns:

Type Description
ndarray

np.ndarray: The array data, optionally unpacked.

Raises:

Type Description
ValueError

If called on a root MDIM container.

Source code in src/pyramids/netcdf/netcdf.py
def read_array(
    self,
    band: int | None = None,
    window: list[int] | None = None,
    unpack: bool = False,
) -> np.ndarray:
    """Read array from the dataset.

    Args:
        band: Band index to read, or None for all bands.
        window: Spatial window to read.
        unpack: If True and the variable has CF ``scale_factor``
            and/or ``add_offset``, apply the transformation
            ``real = raw * scale + offset``. Defaults to False.

    Returns:
        np.ndarray: The array data, optionally unpacked.

    Raises:
        ValueError: If called on a root MDIM container.
    """
    self._check_not_container("read_array")
    result = super().read_array(band=band, window=window)
    if unpack:
        scale = getattr(self, "_scale", None)
        offset = getattr(self, "_offset", None)
        if scale is not None or offset is not None:
            result = result.astype(np.float64)
            if scale is not None:
                result = result * scale
            if offset is not None:
                result = result + offset
    return result

crop(mask, touch=True) #

Crop the dataset using a polygon or raster mask.

On a root MDIM container this crops every variable and returns a new in-memory NetCDF container with the cropped results. On a variable subset it delegates to the parent Dataset.crop() and wraps the result as NetCDF to preserve variable metadata (_band_dim_name, _band_dim_values, sel(), etc.).

Parameters:

Name Type Description Default
mask Any

GeoDataFrame with polygon geometry, or a Dataset to use as a spatial mask.

required
touch bool

If True, include cells that touch the mask boundary. Defaults to True.

True

Returns:

Name Type Description
NetCDF 'NetCDF'

Cropped container or variable subset.

Source code in src/pyramids/netcdf/netcdf.py
def crop(self, mask: Any, touch: bool = True) -> "NetCDF":
    """Crop the dataset using a polygon or raster mask.

    On a **root MDIM container** this crops every variable and
    returns a new in-memory NetCDF container with the cropped
    results.  On a **variable subset** it delegates to the
    parent ``Dataset.crop()`` and wraps the result as ``NetCDF``
    to preserve variable metadata (``_band_dim_name``,
    ``_band_dim_values``, ``sel()``, etc.).

    Args:
        mask: GeoDataFrame with polygon geometry, or a Dataset
            to use as a spatial mask.
        touch: If True, include cells that touch the mask
            boundary. Defaults to True.

    Returns:
        NetCDF: Cropped container or variable subset.
    """
    if self._is_md_array and not self._is_subset and self.band_count == 0:
        result = self._apply_to_all_variables(
            "crop", {"mask": mask, "touch": touch},
        )
    else:
        result = super().crop(mask=mask, touch=touch)
        result = self._preserve_netcdf_metadata(result)
    return result

to_crs(to_epsg, method='nearest neighbor', maintain_alignment=False) #

Reproject the dataset to a different CRS.

On a root MDIM container this reprojects every variable and returns a new container. On a variable subset it delegates to Dataset.to_crs() and wraps the result as NetCDF to preserve variable metadata.

Parameters:

Name Type Description Default
to_epsg int

Target EPSG code (e.g., 4326, 32637).

required
method str

Resampling method. Defaults to "nearest neighbor".

'nearest neighbor'
maintain_alignment bool

If True, keep the same number of rows and columns. Defaults to False.

False

Returns:

Name Type Description
NetCDF 'NetCDF'

Reprojected container or variable subset.

Source code in src/pyramids/netcdf/netcdf.py
def to_crs(
    self,
    to_epsg: int,
    method: str = "nearest neighbor",
    maintain_alignment: bool = False,
) -> "NetCDF":
    """Reproject the dataset to a different CRS.

    On a **root MDIM container** this reprojects every variable
    and returns a new container. On a **variable subset** it
    delegates to ``Dataset.to_crs()`` and wraps the result as
    ``NetCDF`` to preserve variable metadata.

    Args:
        to_epsg: Target EPSG code (e.g., 4326, 32637).
        method: Resampling method. Defaults to ``"nearest neighbor"``.
        maintain_alignment: If True, keep the same number of rows
            and columns. Defaults to False.

    Returns:
        NetCDF: Reprojected container or variable subset.
    """
    if self._is_md_array and not self._is_subset and self.band_count == 0:
        result = self._apply_to_all_variables(
            "to_crs",
            {"to_epsg": to_epsg, "method": method,
             "maintain_alignment": maintain_alignment},
        )
    else:
        result = super().to_crs(
            to_epsg=to_epsg,
            method=method,
            maintain_alignment=maintain_alignment,
        )
        result = self._preserve_netcdf_metadata(result)
    return result

resample(cell_size, method='nearest neighbor') #

Resample the dataset to a different cell size.

On a root MDIM container this resamples every variable and returns a new container. On a variable subset it delegates to Dataset.resample() and wraps the result as NetCDF to preserve variable metadata.

Parameters:

Name Type Description Default
cell_size float

New cell size.

required
method str

Resampling method. Defaults to "nearest neighbor".

'nearest neighbor'

Returns:

Name Type Description
NetCDF 'NetCDF'

Resampled container or variable subset.

Source code in src/pyramids/netcdf/netcdf.py
def resample(
    self,
    cell_size: float,
    method: str = "nearest neighbor",
) -> "NetCDF":
    """Resample the dataset to a different cell size.

    On a **root MDIM container** this resamples every variable
    and returns a new container. On a **variable subset** it
    delegates to ``Dataset.resample()`` and wraps the result as
    ``NetCDF`` to preserve variable metadata.

    Args:
        cell_size: New cell size.
        method: Resampling method. Defaults to ``"nearest neighbor"``.

    Returns:
        NetCDF: Resampled container or variable subset.
    """
    if self._is_md_array and not self._is_subset and self.band_count == 0:
        result = self._apply_to_all_variables(
            "resample",
            {"cell_size": cell_size, "method": method},
        )
    else:
        result = super().resample(
            cell_size=cell_size, method=method,
        )
        result = self._preserve_netcdf_metadata(result)
    return result

sel(**kwargs) #

Select a subset of bands by coordinate values.

Extracts bands whose coordinate values match the given criteria. Works on variable subsets that have _band_dim_name and _band_dim_values set by get_variable().

The result is always a NetCDF instance with the same variable metadata preserved, so that sel() can be chained and NetCDF-specific methods like read_array(unpack=True) remain available.

Parameters:

Name Type Description Default
**kwargs Any

One keyword argument where the key is the dimension name and the value is one of:

  • A single number: select one band by exact value.
  • A list of numbers: select multiple bands.
  • A slice(start, stop): select bands where start <= coord <= stop.
{}

Returns:

Name Type Description
NetCDF NetCDF

A new NetCDF variable subset with only the selected bands and all variable metadata preserved.

Raises:

Type Description
ValueError

If the dimension name doesn't match _band_dim_name, or no matching bands are found.

Examples:

Select a single time step::

var.sel(time=6)

Select multiple time steps::

var.sel(time=[0, 12, 24])

Select a range::

var.sel(time=slice(6, 18))
Source code in src/pyramids/netcdf/netcdf.py
def sel(self, **kwargs: Any) -> NetCDF:
    """Select a subset of bands by coordinate values.

    Extracts bands whose coordinate values match the given
    criteria.  Works on variable subsets that have
    ``_band_dim_name`` and ``_band_dim_values`` set by
    ``get_variable()``.

    The result is always a ``NetCDF`` instance with the same
    variable metadata preserved, so that ``sel()`` can be
    chained and NetCDF-specific methods like
    ``read_array(unpack=True)`` remain available.

    Args:
        **kwargs: One keyword argument where the key is the
            dimension name and the value is one of:

            - A single number: select one band by exact value.
            - A list of numbers: select multiple bands.
            - A ``slice(start, stop)``: select bands where
              ``start <= coord <= stop``.

    Returns:
        NetCDF: A new NetCDF variable subset with only the
            selected bands and all variable metadata preserved.

    Raises:
        ValueError: If the dimension name doesn't match
            ``_band_dim_name``, or no matching bands are found.

    Examples:
        Select a single time step::

            var.sel(time=6)

        Select multiple time steps::

            var.sel(time=[0, 12, 24])

        Select a range::

            var.sel(time=slice(6, 18))
    """
    if len(kwargs) != 1:
        raise ValueError("sel() requires exactly one keyword argument.")

    dim_name, selector = next(iter(kwargs.items()))

    if self._band_dim_name is None:
        raise ValueError(
            "sel() requires a variable with a non-spatial dimension. "
            "This variable has no band dimension tracked."
        )
    if dim_name != self._band_dim_name:
        raise ValueError(
            f"Dimension '{dim_name}' does not match the band "
            f"dimension '{self._band_dim_name}'."
        )
    if self._band_dim_values is None:
        raise ValueError(
            "No coordinate values available for dimension "
            f"'{dim_name}'."
        )

    coords = self._band_dim_values

    if isinstance(selector, slice):
        start = selector.start if selector.start is not None else coords[0]
        stop = selector.stop if selector.stop is not None else coords[-1]
        band_indices = [
            i for i, v in enumerate(coords) if start <= v <= stop
        ]
    elif isinstance(selector, list):
        coord_set = set(selector)
        band_indices = [
            i for i, v in enumerate(coords) if v in coord_set
        ]
    else:
        band_indices = [
            i for i, v in enumerate(coords) if v == selector
        ]

    if not band_indices:
        raise ValueError(
            f"No bands match {dim_name}={selector}. "
            f"Available values: {coords}"
        )

    selected_coords = [coords[i] for i in band_indices]

    # Read only the selected bands instead of loading the full array.
    # Each band index maps to a 1-based GDAL band in the classic
    # dataset view created by get_variable().
    #
    # Trade-off: band-by-band reads avoid loading the entire variable
    # into memory, which matters for large variables with few selected
    # bands.  However, when *most* bands are selected the per-band
    # GDAL overhead may be slower than a single full read followed by
    # NumPy slicing.  In practice the difference is small because GDAL
    # MEM driver reads are cheap; revisit if profiling shows a
    # bottleneck for large on-disk NetCDFs.
    band_arrays = [
        self.read_array(band=i) for i in band_indices
    ]
    if len(band_arrays) == 1:
        selected = band_arrays[0]
    else:
        selected = np.stack(band_arrays, axis=0)

    ndv = self.no_data_value
    ndv_scalar = ndv[0] if isinstance(ndv, list) and ndv else ndv
    ds_result = Dataset.create_from_array(
        selected, geo=self.geotransform, epsg=self.epsg,
        no_data_value=ndv_scalar,
    )
    result = self._preserve_netcdf_metadata(ds_result)
    result._band_dim_values = selected_coords

    return result

read_file(path, read_only=True, open_as_multi_dimensional=True) classmethod #

Open a NetCDF file from disk.

Parameters:

Name Type Description Default
path str | Path

Path to the .nc file.

required
read_only bool

If True, open in read-only mode. Set to False for write access. Defaults to True.

True
open_as_multi_dimensional bool

If True, open with gdal.OF_MULTIDIM_RASTER to access the full group / dimension / variable hierarchy. If False, open in classic raster mode where each variable is a subdataset. Defaults to True.

True

Returns:

Name Type Description
NetCDF NetCDF

The opened dataset.

Source code in src/pyramids/netcdf/netcdf.py
@classmethod
def read_file(  # type: ignore[override]
    cls,
    path: str | Path,
    read_only: bool = True,
    open_as_multi_dimensional: bool = True,
) -> NetCDF:
    """Open a NetCDF file from disk.

    Args:
        path: Path to the ``.nc`` file.
        read_only: If True, open in read-only mode. Set to False for
            write access. Defaults to True.
        open_as_multi_dimensional: If True, open with
            ``gdal.OF_MULTIDIM_RASTER`` to access the full group /
            dimension / variable hierarchy.  If False, open in classic
            raster mode where each variable is a subdataset.
            Defaults to True.

    Returns:
        NetCDF: The opened dataset.
    """
    src = _io.read_file(path, read_only, open_as_multi_dimensional)
    if read_only:
        read_only = "read_only"
    else:
        read_only = "write"
    return cls(
        src, access=read_only, open_as_multi_dimensional=open_as_multi_dimensional
    )

get_all_metadata(open_options=None) #

Get full MDIM metadata (uncached).

Unlike meta_data (which is cached), this always re-traverses the GDAL multidimensional structure.

Parameters:

Name Type Description Default
open_options dict | None

Driver-specific open options forwarded to get_metadata(). Defaults to None.

None

Returns:

Type Description
NetCDFMetadata

NetCDFMetadata

Source code in src/pyramids/netcdf/netcdf.py
def get_all_metadata(self, open_options: dict | None = None) -> NetCDFMetadata:
    """Get full MDIM metadata (uncached).

    Unlike ``meta_data`` (which is cached), this always re-traverses
    the GDAL multidimensional structure.

    Args:
        open_options: Driver-specific open options forwarded to
            ``get_metadata()``. Defaults to None.

    Returns:
        NetCDFMetadata
    """
    result = get_metadata(self._raster, open_options)
    return result

get_time_variable(var_name='time', time_format='%Y-%m-%d') #

Parse the time coordinate variable into formatted date strings.

Reads the units attribute (e.g., "days since 1979-01-01") from the dimension metadata and converts raw numeric values to human-readable date strings.

Parameters:

Name Type Description Default
var_name str

Name of the time dimension / variable. Defaults to "time".

'time'
time_format str

strftime format for the output strings. Defaults to "%Y-%m-%d".

'%Y-%m-%d'

Returns:

Type Description
list[str] | None

list[str] or None: Formatted time strings, or None if the

list[str] | None

time dimension is not found or lacks a units attribute.

Source code in src/pyramids/netcdf/netcdf.py
def get_time_variable(
    self, var_name: str = "time", time_format: str = "%Y-%m-%d"
) -> list[str] | None:
    """Parse the time coordinate variable into formatted date strings.

    Reads the ``units`` attribute (e.g., ``"days since 1979-01-01"``)
    from the dimension metadata and converts raw numeric values to
    human-readable date strings.

    Args:
        var_name: Name of the time dimension / variable.
            Defaults to ``"time"``.
        time_format: strftime format for the output strings.
            Defaults to ``"%Y-%m-%d"``.

    Returns:
        list[str] or None: Formatted time strings, or None if the
        time dimension is not found or lacks a ``units`` attribute.
    """
    time_stamp = None
    time_dim = self.meta_data.get_dimension(var_name)
    if time_dim is not None:
        units = time_dim.attrs.get("units")
        if units is not None:
            calendar = time_dim.attrs.get("calendar", "standard")
            time_vals = self._read_variable(var_name)
            if time_vals is not None:
                func = create_time_conversion_func(
                    units, time_format, calendar=calendar
                )
                time_stamp = list(map(func, time_vals.reshape(-1)))
    return time_stamp

get_group(group_name) #

Open a sub-group as a NetCDF container.

The returned object wraps the sub-group's GDAL dataset and exposes the sub-group's variables and dimensions via the same API as the root container.

Parameters:

Name Type Description Default
group_name str

Name of the sub-group. Supports nested paths separated by / (e.g. "forecast/surface").

required

Returns:

Name Type Description
NetCDF NetCDF

A container backed by the sub-group.

Raises:

Type Description
ValueError

If the group doesn't exist or the dataset has no root group.

Source code in src/pyramids/netcdf/netcdf.py
def get_group(self, group_name: str) -> NetCDF:
    """Open a sub-group as a NetCDF container.

    The returned object wraps the sub-group's GDAL dataset and
    exposes the sub-group's variables and dimensions via the
    same API as the root container.

    Args:
        group_name: Name of the sub-group. Supports nested paths
            separated by ``/`` (e.g. ``"forecast/surface"``).

    Returns:
        NetCDF: A container backed by the sub-group.

    Raises:
        ValueError: If the group doesn't exist or the dataset
            has no root group.
    """
    rg = self._raster.GetRootGroup()
    if rg is None:
        raise ValueError(
            "get_group requires a multidimensional container."
        )

    # Navigate nested paths: "forecast/surface" → open each level
    group = rg
    parts = group_name.split("/")
    for part in parts:
        try:
            group = group.OpenGroup(part)
        except Exception:
            group = None
        if group is None:
            raise ValueError(
                f"Group '{group_name}' not found. "
                f"Available groups: {self.group_names}"
            )

    # Create a multidimensional dataset from the sub-group.
    # GDAL doesn't have a direct "group → dataset" conversion,
    # so we build a MEM MDIM dataset and copy the group's
    # arrays and dimensions into it.
    dst = gdal.GetDriverByName("MEM").CreateMultiDimensional("group")
    dst_rg = dst.GetRootGroup()
    dtype = gdal.ExtendedDataType.Create(gdal.GDT_Float64)

    # Copy dimensions from the sub-group
    dim_map = {}
    for gdal_dim in (group.GetDimensions() or []):
        dim_name = gdal_dim.GetName()
        new_dim = dst_rg.CreateDimension(
            dim_name, gdal_dim.GetType(), None, gdal_dim.GetSize()
        )
        iv = gdal_dim.GetIndexingVariable()
        if iv is not None:
            coord_arr = dst_rg.CreateMDArray(
                dim_name, [new_dim],
                gdal.ExtendedDataType.Create(
                    numpy_to_gdal_dtype(iv.ReadAsArray())
                ),
            )
            coord_arr.Write(iv.ReadAsArray())
            new_dim.SetIndexingVariable(coord_arr)
        dim_map[dim_name] = new_dim

    # Copy arrays from the sub-group
    for arr_name in (group.GetMDArrayNames() or []):
        md_arr = group.OpenMDArray(arr_name)
        if md_arr is None:
            continue
        arr_dims = md_arr.GetDimensions()
        # Map source dims to destination dims (by name)
        new_dims = []
        for d in arr_dims:
            d_name = d.GetName()
            if d_name in dim_map:
                new_dims.append(dim_map[d_name])
            else:
                # Dimension from parent group — create locally
                new_d = dst_rg.CreateDimension(
                    d_name, d.GetType(), None, d.GetSize()
                )
                dim_map[d_name] = new_d
                new_dims.append(new_d)
        arr_data = md_arr.ReadAsArray()
        arr_dtype = gdal.ExtendedDataType.Create(
            numpy_to_gdal_dtype(arr_data)
        )
        new_arr = dst_rg.CreateMDArray(arr_name, new_dims, arr_dtype)
        new_arr.Write(arr_data)
        ndv = md_arr.GetNoDataValue()
        if ndv is not None:
            new_arr.SetNoDataValueDouble(ndv)
        srs = md_arr.GetSpatialRef()
        if srs is not None:
            new_arr.SetSpatialRef(srs)

    result = NetCDF(dst)
    return result

get_variable_names() #

Return names of data variables, excluding dimension coordinates.

Uses CF classification when metadata is cached (fast path). Otherwise queries GetMDArrayNames() and filters out dimension arrays and 0-dimensional scalar variables (grid_mapping etc.). In classic mode, parses subdataset metadata.

Returns:

Type Description
list[str]

list[str]: Variable names (e.g., ["temperature", "precipitation"]).

Source code in src/pyramids/netcdf/netcdf.py
def get_variable_names(self) -> list[str]:
    """Return names of data variables, excluding dimension coordinates.

    Uses CF classification when metadata is cached (fast path).
    Otherwise queries ``GetMDArrayNames()`` and filters out dimension
    arrays and 0-dimensional scalar variables (grid_mapping etc.).
    In classic mode, parses subdataset metadata.

    Returns:
        list[str]: Variable names (e.g., ``["temperature", "precipitation"]``).
    """
    if (
        self._cached_meta_data is not None
        and self._cached_meta_data.cf is not None
    ):
        variable_names = list(self._cached_meta_data.cf.data_variable_names)
    else:
        rg = self._raster.GetRootGroup()
        if rg is not None:
            all_names = rg.GetMDArrayNames()
            dim_names = {dim.GetName() for dim in rg.GetDimensions()}
            filtered = []
            for var in all_names:
                if var in dim_names:
                    continue
                md_arr = rg.OpenMDArray(var)
                if md_arr is not None and len(md_arr.GetDimensions()) == 0:
                    continue
                filtered.append(var)
            variable_names = filtered
        else:
            variable_names = [
                var[1].split(" ")[1]
                for var in self._raster.GetSubDatasets()
            ]

    return variable_names

get_variable(variable_name) #

Extract a single variable as a classic-raster NetCDF object.

The returned object carries origin metadata so that modified data can be written back via set_variable().

Supports group-qualified names: "forecast/temperature" first navigates to the forecast sub-group, then extracts temperature from it.

Parameters:

Name Type Description Default
variable_name str

Name of the variable to extract. Use / to separate group path from variable name.

required

Returns:

Name Type Description
NetCDF NetCDF

A subset backed by a classic dataset where non-spatial dimensions are mapped to bands.

Raises:

Type Description
ValueError

If variable_name is not present in the dataset.

Source code in src/pyramids/netcdf/netcdf.py
def get_variable(self, variable_name: str) -> NetCDF:
    """Extract a single variable as a classic-raster NetCDF object.

    The returned object carries origin metadata so that modified data
    can be written back via ``set_variable()``.

    Supports group-qualified names: ``"forecast/temperature"`` first
    navigates to the ``forecast`` sub-group, then extracts
    ``temperature`` from it.

    Args:
        variable_name: Name of the variable to extract. Use ``/``
            to separate group path from variable name.

    Returns:
        NetCDF: A subset backed by a classic dataset where
            non-spatial dimensions are mapped to bands.

    Raises:
        ValueError: If ``variable_name`` is not present in the dataset.
    """
    # Handle group-qualified names: "forecast/temperature"
    if "/" in variable_name:
        parts = variable_name.rsplit("/", 1)
        group_nc = self.get_group(parts[0])
        cube = group_nc.get_variable(parts[1])
        return cube  # single return below handles non-group path

    if variable_name not in self.variable_names:
        raise ValueError(
            f"{variable_name} is not a valid variable name in {self.variable_names}"
        )

    prefix = self.driver_type.upper()
    rg = self._raster.GetRootGroup()
    md_arr_ref = None
    rg_ref = None

    if prefix == "MEMORY" or rg is not None:
        src, md_arr_ref, rg_ref = self._read_md_array(variable_name)
        if isinstance(src, gdal.Dataset):
            cube = NetCDF(src)
            cube._is_md_array = True
            # _read_md_array uses GetView to flip the data lazily,
            # and GDAL usually corrects the geotransform.  But when
            # the Y dimension has no indexing variable (e.g. WRF
            # "south_north"), the geotransform may still be wrong.
            # Fix it on the wrapper object (no data copy).
            gt = cube._geotransform
            if gt[5] > 0:
                cube._geotransform = (
                    gt[0],
                    gt[1],
                    gt[2],
                    gt[3] + gt[5] * cube._rows,
                    gt[4],
                    -gt[5],
                )
                cube._cell_size = abs(gt[1])
        else:
            cube = src
        # Keep GDAL SWIG references alive — AsClassicDataset returns a
        # view whose C++ backing is owned by the MDArray/root group.
        # Without these the view becomes a dangling pointer on Windows.
        cube._gdal_md_arr_ref = md_arr_ref
        cube._gdal_rg_ref = rg_ref
    else:
        src = gdal.Open(f"{prefix}:{self.file_name}:{variable_name}")
        if src is None:
            raise ValueError(
                f"Could not open variable '{variable_name}' via "
                f"'{prefix}:{self.file_name}:{variable_name}'"
            )
        cube = NetCDF(src)
        cube._is_md_array = False

    cube._is_subset = True

    # --- RT-4: Track variable origin for round-trip ---
    cube._parent_nc = self
    cube._source_var_name = variable_name

    md_arr = md_arr_ref if rg is not None else None
    if rg is not None:
        if md_arr is not None:
            dims = md_arr.GetDimensions()
            cube._md_array_dims = [d.GetName() for d in dims]

            # Identify which dimension became bands (all except X/Y)
            if len(dims) > 2:
                spatial_indices = {len(dims) - 1, len(dims) - 2}
                band_dims = [
                    d for i, d in enumerate(dims) if i not in spatial_indices
                ]
                if len(band_dims) == 1:
                    cube._band_dim_name = band_dims[0].GetName()
                    iv = band_dims[0].GetIndexingVariable()
                    try:
                        cube._band_dim_values = (
                            iv.ReadAsArray().tolist() if iv is not None else None
                        )
                    except RuntimeError:
                        # String-typed indexing variables (e.g. WRF
                        # "Times") can't be read via ReadAsArray in
                        # GDAL SWIG bindings — fall back to indices.
                        cube._band_dim_values = list(range(band_dims[0].GetSize()))
                else:
                    cube._band_dim_name = None
                    cube._band_dim_values = None
            else:
                cube._band_dim_name = None
                cube._band_dim_values = None

            # Copy variable attributes
            cube._variable_attrs = {}
            try:
                for attr in md_arr.GetAttributes():
                    cube._variable_attrs[attr.GetName()] = attr.Read()
            except Exception:
                pass  # nosec B110

            # Scale/offset for CF packed data
            try:
                cube._scale = md_arr.GetScale()
                cube._offset = md_arr.GetOffset()
            except Exception:
                cube._scale = None
                cube._offset = None
        else:
            cube._md_array_dims = []
            cube._band_dim_name = None
            cube._band_dim_values = None
            cube._variable_attrs = {}
            cube._scale = None
            cube._offset = None
    else:
        cube._md_array_dims = []
        cube._band_dim_name = None
        cube._band_dim_values = None
        cube._variable_attrs = {}
        cube._scale = None
        cube._offset = None

    return cube

to_file(path, **kwargs) #

Save the dataset to disk.

For .nc / .nc4 files the full multidimensional structure (groups, dimensions, variables, attributes) is preserved via CreateCopy with the netCDF driver. For other extensions (e.g. .tif), the parent Dataset.to_file is used — but only on variable subsets, not on root MDIM containers.

Parameters:

Name Type Description Default
path str | Path

Destination file path. The extension determines the output driver (.nc -> netCDF, .tif -> GeoTIFF, etc.).

required
**kwargs Any

Forwarded to Dataset.to_file for non-NetCDF extensions (e.g. tile_length, creation_options).

{}

Raises:

Type Description
RuntimeError

If the netCDF CreateCopy call fails.

ValueError

If a root MDIM container is saved to a non-NC extension (use .nc or extract a variable first).

Source code in src/pyramids/netcdf/netcdf.py
def to_file(  # type: ignore[override]
    self,
    path: str | Path,
    **kwargs: Any,
) -> None:
    """Save the dataset to disk.

    For ``.nc`` / ``.nc4`` files the full multidimensional structure
    (groups, dimensions, variables, attributes) is preserved via
    ``CreateCopy`` with the netCDF driver.  For other extensions
    (e.g. ``.tif``), the parent ``Dataset.to_file`` is used — but only
    on variable subsets, not on root MDIM containers.

    Args:
        path: Destination file path. The extension determines the
            output driver (``.nc`` -> netCDF, ``.tif`` -> GeoTIFF, etc.).
        **kwargs: Forwarded to ``Dataset.to_file`` for non-NetCDF
            extensions (e.g. ``tile_length``, ``creation_options``).

    Raises:
        RuntimeError: If the netCDF ``CreateCopy`` call fails.
        ValueError: If a root MDIM container is saved to a non-NC
            extension (use ``.nc`` or extract a variable first).
    """
    path = Path(path)
    extension = path.suffix[1:].lower()
    if extension in ("nc", "nc4"):
        dst = gdal.GetDriverByName("netCDF").CreateCopy(str(path), self._raster, 0)
        if dst is None:
            raise RuntimeError(f"Failed to save NetCDF to {path}")
        dst.FlushCache()
        dst = None
    else:
        if self._is_md_array and not self._is_subset:
            raise ValueError(
                "Cannot save a multidimensional NetCDF container as "
                f"'{extension}'. Use .nc extension or extract a "
                "variable first with .get_variable()."
            )
        super().to_file(path, **kwargs)

copy(path=None) #

Create a deep copy of this NetCDF dataset.

Parameters:

Name Type Description Default
path str | Path | None

Destination file path. If None, the copy is created in memory using the MEM driver. Defaults to None.

None

Returns:

Name Type Description
NetCDF NetCDF

A new NetCDF object with copied data.

Raises:

Type Description
RuntimeError

If CreateCopy fails.

Source code in src/pyramids/netcdf/netcdf.py
def copy(self, path: str | Path | None = None) -> NetCDF:
    """Create a deep copy of this NetCDF dataset.

    Args:
        path: Destination file path. If None, the copy is created
            in memory using the MEM driver. Defaults to None.

    Returns:
        NetCDF: A new NetCDF object with copied data.

    Raises:
        RuntimeError: If ``CreateCopy`` fails.
    """
    if path is None:
        path = ""
        driver = "MEM"
    else:
        driver = "netCDF"

    src = gdal.GetDriverByName(driver).CreateCopy(str(path), self._raster)
    if src is None:
        raise RuntimeError(f"Failed to copy NetCDF dataset to '{path}'")
    return NetCDF(src, access="write")

create_main_dimension(group, dim_name, dtype, values) staticmethod #

Create a NetCDF dimension with an indexing variable.

The dimension type is inferred from dim_name: y/lat/latitude -> horizontal Y, x/lon/longitude -> horizontal X, bands/time -> temporal.

The dimension is registered in the group together with a matching MDArray that stores the coordinate values.

Parameters:

Name Type Description Default
group Group

Root group (or sub-group) of the multidimensional dataset.

required
dim_name str

Name of the dimension to create.

required
dtype int

GDAL ExtendedDataType for the indexing variable.

required
values ndarray

Coordinate values for the dimension.

required

Returns:

Type Description
Dimension

gdal.Dimension: The newly created dimension.

Source code in src/pyramids/netcdf/netcdf.py
@staticmethod
def create_main_dimension(
    group: gdal.Group, dim_name: str, dtype: int, values: np.ndarray
) -> gdal.Dimension:
    """Create a NetCDF dimension with an indexing variable.

    The dimension type is inferred from ``dim_name``:
    ``y``/``lat``/``latitude`` -> horizontal Y,
    ``x``/``lon``/``longitude`` -> horizontal X,
    ``bands``/``time`` -> temporal.

    The dimension is registered in the group together with a
    matching MDArray that stores the coordinate values.

    Args:
        group: Root group (or sub-group) of the multidimensional
            dataset.
        dim_name: Name of the dimension to create.
        dtype: GDAL ``ExtendedDataType`` for the indexing variable.
        values: Coordinate values for the dimension.

    Returns:
        gdal.Dimension: The newly created dimension.
    """
    if dim_name in ["y", "lat", "latitude"]:
        dim_type = gdal.DIM_TYPE_HORIZONTAL_Y
    elif dim_name in ["x", "lon", "longitude"]:
        dim_type = gdal.DIM_TYPE_HORIZONTAL_X
    elif dim_name in ["bands", "time"]:
        dim_type = gdal.DIM_TYPE_TEMPORAL
    else:
        dim_type = None
    dim = group.CreateDimension(dim_name, dim_type, None, values.shape[0])
    x_values = group.CreateMDArray(dim_name, [dim], dtype)
    x_values.Write(values)
    dim.SetIndexingVariable(x_values)
    return dim

create_from_array(arr, geo=None, epsg=4326, no_data_value=DEFAULT_NO_DATA_VALUE, path=None, variable_name=None, extra_dim_name='time', extra_dim_values=None, top_left_corner=None, cell_size=None, chunk_sizes=None, compression=None, compression_level=None, title=None, institution=None, source=None, history=None) classmethod #

Create a NetCDF dataset from a NumPy array and geotransform.

For 3-D arrays the first axis is treated as a non-spatial dimension (time, level, depth, etc.) whose name and coordinate values are controlled by extra_dim_name and extra_dim_values.

The driver is inferred from path: if path is None the dataset is created in memory (MEM driver); if a path is provided the netCDF driver writes to disk.

Parameters:

Name Type Description Default
arr ndarray

2-D (rows, cols) or 3-D (extra_dim, rows, cols) NumPy array.

required
geo tuple[float, float, float, float, float, float] | None

Geotransform tuple (x_min, pixel_size, rotation, y_max, rotation, pixel_size).

None
epsg str | int

EPSG code for the spatial reference. Defaults to 4326.

4326
no_data_value Any | list

Sentinel value for cells outside the domain. Defaults to DEFAULT_NO_DATA_VALUE.

DEFAULT_NO_DATA_VALUE
path str | Path | None

Output file path. If None, the dataset is created in memory. Defaults to None.

None
variable_name str | None

Name of the data variable in the NetCDF file. Defaults to "data".

None
extra_dim_name str

Name of the non-spatial dimension for 3-D arrays (e.g. "time", "level", "depth"). Ignored for 2-D arrays. Defaults to "time".

'time'
extra_dim_values list | None

Coordinate values for the non-spatial dimension. Must have length arr.shape[0] for 3-D arrays. Defaults to [0, 1, 2, ..., N-1].

None
top_left_corner tuple[float, float] | None

(x, y) of the top-left corner. Used with cell_size to build geo when geo is not provided. Defaults to None.

None
cell_size int | float | None

Pixel size. Used with top_left_corner to build geo. Defaults to None.

None
chunk_sizes tuple | list | None

Chunk sizes for the data variable as a tuple matching the array dimensions (e.g. (1, 256, 256) for 3-D). Only effective when writing to disk. Defaults to None (GDAL default chunking).

None
compression str | None

Compression algorithm name ("DEFLATE", "ZSTD", etc.). Only effective when writing to disk. Defaults to None (no compression).

None
compression_level int | None

Compression level (e.g. 1-9 for DEFLATE). Defaults to None (GDAL default).

None
title str | None

CF global attribute title. Short description of the dataset. Defaults to None.

None
institution str | None

CF global attribute institution. Where the data was produced. Defaults to None.

None
source str | None

CF global attribute source. How the data was produced. Defaults to None.

None
history str | None

CF global attribute history. Audit trail of processing steps. Defaults to None.

None

Returns:

Name Type Description
NetCDF NetCDF

The newly created NetCDF dataset.

Source code in src/pyramids/netcdf/netcdf.py
@classmethod
def create_from_array(  # type: ignore[override]
    cls,
    arr: np.ndarray,
    geo: tuple[float, float, float, float, float, float] | None = None,
    epsg: str | int = 4326,
    no_data_value: Any | list = DEFAULT_NO_DATA_VALUE,
    path: str | Path | None = None,
    variable_name: str | None = None,
    extra_dim_name: str = "time",
    extra_dim_values: list | None = None,
    top_left_corner: tuple[float, float] | None = None,
    cell_size: int | float | None = None,
    chunk_sizes: tuple | list | None = None,
    compression: str | None = None,
    compression_level: int | None = None,
    title: str | None = None,
    institution: str | None = None,
    source: str | None = None,
    history: str | None = None,
) -> NetCDF:
    """Create a NetCDF dataset from a NumPy array and geotransform.

    For 3-D arrays the first axis is treated as a non-spatial
    dimension (time, level, depth, etc.) whose name and coordinate
    values are controlled by ``extra_dim_name`` and
    ``extra_dim_values``.

    The driver is inferred from ``path``: if ``path`` is ``None``
    the dataset is created in memory (MEM driver); if a path is
    provided the netCDF driver writes to disk.

    Args:
        arr: 2-D ``(rows, cols)`` or 3-D
            ``(extra_dim, rows, cols)`` NumPy array.
        geo: Geotransform tuple ``(x_min, pixel_size, rotation,
            y_max, rotation, pixel_size)``.
        epsg: EPSG code for the spatial reference.
            Defaults to 4326.
        no_data_value: Sentinel value for cells outside the
            domain. Defaults to DEFAULT_NO_DATA_VALUE.
        path: Output file path. If ``None``, the dataset is
            created in memory. Defaults to None.
        variable_name: Name of the data variable in the NetCDF
            file. Defaults to ``"data"``.
        extra_dim_name: Name of the non-spatial dimension for 3-D
            arrays (e.g. ``"time"``, ``"level"``, ``"depth"``).
            Ignored for 2-D arrays. Defaults to ``"time"``.
        extra_dim_values: Coordinate values for the non-spatial
            dimension. Must have length ``arr.shape[0]`` for 3-D
            arrays. Defaults to ``[0, 1, 2, ..., N-1]``.
        top_left_corner: ``(x, y)`` of the top-left corner. Used
            with ``cell_size`` to build ``geo`` when ``geo`` is
            not provided. Defaults to None.
        cell_size: Pixel size. Used with ``top_left_corner`` to
            build ``geo``. Defaults to None.
        chunk_sizes: Chunk sizes for the data variable as a tuple
            matching the array dimensions (e.g. ``(1, 256, 256)``
            for 3-D). Only effective when writing to disk.
            Defaults to None (GDAL default chunking).
        compression: Compression algorithm name (``"DEFLATE"``,
            ``"ZSTD"``, etc.). Only effective when writing to
            disk. Defaults to None (no compression).
        compression_level: Compression level (e.g. 1-9 for
            DEFLATE). Defaults to None (GDAL default).
        title: CF global attribute ``title``. Short
            description of the dataset. Defaults to None.
        institution: CF global attribute ``institution``.
            Where the data was produced. Defaults to None.
        source: CF global attribute ``source``. How the
            data was produced. Defaults to None.
        history: CF global attribute ``history``. Audit
            trail of processing steps. Defaults to None.

    Returns:
        NetCDF: The newly created NetCDF dataset.
    """
    if geo is None and top_left_corner is not None and cell_size is not None:
        geo = (
            top_left_corner[0],
            cell_size,
            0,
            top_left_corner[1],
            0,
            -cell_size,
        )
    if geo is None:
        raise ValueError(
            "Either 'geo' or both 'top_left_corner' and "
            "'cell_size' must be provided."
        )

    if arr.ndim == 2:
        rows = int(arr.shape[0])
        cols = int(arr.shape[1])
    else:
        rows = int(arr.shape[1])
        cols = int(arr.shape[2])

    if extra_dim_values is None and arr.ndim == 3:
        extra_dim_values = list(range(arr.shape[0]))

    if arr.ndim == 3:
        DimMetaData(
            name=extra_dim_name,
            size=arr.shape[0],
            values=extra_dim_values,
        )

    if variable_name is None:
        variable_name = "data"

    dst_ds = cls._create_netcdf_from_array(
        arr,
        variable_name,
        cols,
        rows,
        extra_dim_name,
        extra_dim_values,
        geo,
        epsg,
        no_data_value,
        path=path,
        chunk_sizes=chunk_sizes,
        compression=compression,
        compression_level=compression_level,
        title=title,
        institution=institution,
        source=source,
        history=history,
    )
    result = cls(dst_ds)

    return result

set_global_attribute(name, value) #

Set a global attribute on the root group.

Creates or updates a single attribute on the root group.

Parameters:

Name Type Description Default
name str

Attribute name (e.g. "history", "Conventions").

required
value Any

Attribute value. Supports str, int, float.

required

Raises:

Type Description
ValueError

If the dataset has no root group (not opened in MDIM mode).

Source code in src/pyramids/netcdf/netcdf.py
def set_global_attribute(self, name: str, value: Any):
    """Set a global attribute on the root group.

    Creates or updates a single attribute on the root group.

    Args:
        name: Attribute name (e.g. ``"history"``,
            ``"Conventions"``).
        value: Attribute value. Supports str, int, float.

    Raises:
        ValueError: If the dataset has no root group
            (not opened in MDIM mode).
    """
    rg = self._raster.GetRootGroup()
    if rg is None:
        raise ValueError(
            "set_global_attribute requires a multidimensional "
            "container. Open the file with "
            "open_as_multi_dimensional=True."
        )
    # Delete existing attribute if present (GDAL raises on duplicate)
    try:
        rg.DeleteAttribute(name)
    except Exception:
        pass
    if isinstance(value, str):
        attr = rg.CreateAttribute(
            name, [], gdal.ExtendedDataType.CreateString()
        )
    elif isinstance(value, float):
        attr = rg.CreateAttribute(
            name, [], gdal.ExtendedDataType.Create(gdal.GDT_Float64)
        )
    elif isinstance(value, int):
        attr = rg.CreateAttribute(
            name, [], gdal.ExtendedDataType.Create(gdal.GDT_Int32)
        )
    else:
        attr = rg.CreateAttribute(
            name, [], gdal.ExtendedDataType.CreateString()
        )
        value = str(value)
    attr.Write(value)
    self._invalidate_caches()

delete_global_attribute(name) #

Delete a global attribute from the root group.

If the attribute does not exist, the call is silently ignored.

Parameters:

Name Type Description Default
name str

Attribute name to delete.

required

Raises:

Type Description
ValueError

If the dataset has no root group.

Source code in src/pyramids/netcdf/netcdf.py
def delete_global_attribute(self, name: str):
    """Delete a global attribute from the root group.

    If the attribute does not exist, the call is silently ignored.

    Args:
        name: Attribute name to delete.

    Raises:
        ValueError: If the dataset has no root group.
    """
    rg = self._raster.GetRootGroup()
    if rg is None:
        raise ValueError(
            "delete_global_attribute requires a multidimensional "
            "container."
        )
    try:
        rg.DeleteAttribute(name)
    except Exception:
        pass  # attribute may not exist — silently ignored
    self._invalidate_caches()

set_variable(variable_name, dataset, band_dim_name=None, band_dim_values=None, attrs=None) #

Write a classic Dataset back as an MDArray variable in this container.

This is the reverse of get_variable(). After performing GIS operations (crop, reproject, etc.) on a variable subset, use this method to store the result back into the NetCDF container.

Parameters:

Name Type Description Default
variable_name str

Name for the variable in this container. If a variable with this name already exists it is replaced.

required
dataset Dataset

A classic raster dataset, typically the result of a GIS operation on a variable obtained via get_variable().

required
band_dim_name str | None

Name of the dimension that maps to bands (e.g. "time", "bands"). Auto-detected from the dataset's _band_dim_name attribute when available. Defaults to None.

None
band_dim_values list | None

Coordinate values for the band dimension. Auto-detected from _band_dim_values when available. Defaults to None.

None
attrs dict | None

Variable attributes to set (e.g. {"units": "K"}). Auto-detected from _variable_attrs when available. Defaults to None.

None

Raises:

Type Description
ValueError

If called on a dataset without a root group (not opened in multidimensional mode).

Source code in src/pyramids/netcdf/netcdf.py
def set_variable(
    self,
    variable_name: str,
    dataset: Dataset,
    band_dim_name: str | None = None,
    band_dim_values: list | None = None,
    attrs: dict | None = None,
):
    """Write a classic Dataset back as an MDArray variable in this container.

    This is the reverse of ``get_variable()``.  After performing GIS
    operations (crop, reproject, etc.) on a variable subset, use this
    method to store the result back into the NetCDF container.

    Args:
        variable_name: Name for the variable in this container.  If a
            variable with this name already exists it is replaced.
        dataset: A classic raster dataset, typically the result of a
            GIS operation on a variable obtained via ``get_variable()``.
        band_dim_name: Name of the dimension that maps to bands
            (e.g. ``"time"``, ``"bands"``).  Auto-detected from the
            dataset's ``_band_dim_name`` attribute when available.
            Defaults to None.
        band_dim_values: Coordinate values for the band dimension.
            Auto-detected from ``_band_dim_values`` when available.
            Defaults to None.
        attrs: Variable attributes to set (e.g. ``{"units": "K"}``).
            Auto-detected from ``_variable_attrs`` when available.
            Defaults to None.

    Raises:
        ValueError: If called on a dataset without a root group
            (not opened in multidimensional mode).
    """
    rg = self._raster.GetRootGroup()
    if rg is None:
        raise ValueError(
            "set_variable requires a multidimensional container. "
            "Open the file with open_as_multi_dimensional=True."
        )

    # Auto-detect from tracked origin metadata (RT-4)
    if band_dim_name is None and hasattr(dataset, "_band_dim_name"):
        band_dim_name = dataset._band_dim_name
    if band_dim_values is None and hasattr(dataset, "_band_dim_values"):
        band_dim_values = dataset._band_dim_values
    if attrs is None and hasattr(dataset, "_variable_attrs"):
        attrs = dataset._variable_attrs

    # Delete existing variable if present
    if variable_name in self.variable_names:
        rg.DeleteMDArray(variable_name)

    # Read data from the classic dataset
    arr = dataset.read_array()
    gt: tuple[float, float, float, float, float, float] = dataset.geotransform
    data_dtype = gdal.ExtendedDataType.Create(numpy_to_gdal_dtype(arr))
    # Coordinate dimensions must always be float64 to avoid truncation
    # when the data array is integer (e.g., classified rasters).
    coord_dtype = gdal.ExtendedDataType.Create(gdal.GDT_Float64)

    # Build spatial dimensions from the geotransform
    x_values = np.array(
        NetCDF.get_x_lon_dimension_array(gt[0], gt[1], dataset.columns)
    )
    y_values = np.array(
        NetCDF.get_y_lat_dimension_array(gt[3], abs(gt[5]), dataset.rows)
    )
    dim_x = self._get_or_create_dimension(
        rg, "x", x_values, coord_dtype, gdal.DIM_TYPE_HORIZONTAL_X
    )
    dim_y = self._get_or_create_dimension(
        rg, "y", y_values, coord_dtype, gdal.DIM_TYPE_HORIZONTAL_Y
    )

    # Build band dimension if the data is 3D
    if arr.ndim == 3:
        if band_dim_name is None:
            band_dim_name = "bands"
        if band_dim_values is None:
            band_dim_values = list(range(arr.shape[0]))
        dim_band = self._get_or_create_dimension(
            rg,
            band_dim_name,
            np.array(band_dim_values, dtype=np.float64),
            coord_dtype,
            gdal.DIM_TYPE_TEMPORAL,
        )
        md_arr = rg.CreateMDArray(
            variable_name, [dim_band, dim_y, dim_x], data_dtype
        )
    else:
        md_arr = rg.CreateMDArray(variable_name, [dim_y, dim_x], data_dtype)

    # Write array data
    md_arr.Write(arr)

    # Set spatial reference (RT-7: attribute copying)
    if dataset.epsg:
        srs = Dataset._create_sr_from_epsg(dataset.epsg)
        md_arr.SetSpatialRef(srs)

    # Set no-data value
    if dataset.no_data_value and dataset.no_data_value[0] is not None:
        try:
            md_arr.SetNoDataValueDouble(float(dataset.no_data_value[0]))
        except Exception:
            pass  # nosec B110

    # Set variable attributes (RT-7)
    if attrs:
        write_attributes_to_md_array(md_arr, attrs)

    self._invalidate_caches()

crop_variable(variable_name, mask, touch=True) #

Crop a single variable and store the result back.

Convenience method that combines get_variable → crop → set_variable in one call.

Parameters:

Name Type Description Default
variable_name str

Name of the variable to crop.

required
mask Any

GeoDataFrame with polygon geometry, or a Dataset to use as a spatial mask.

required
touch bool

If True, include cells touching the mask boundary. Defaults to True.

True

Returns:

Name Type Description
NetCDF NetCDF

This container (modified in-place).

Source code in src/pyramids/netcdf/netcdf.py
def crop_variable(
    self, variable_name: str, mask: Any, touch: bool = True
) -> NetCDF:
    """Crop a single variable and store the result back.

    Convenience method that combines ``get_variable`` → ``crop``
    → ``set_variable`` in one call.

    Args:
        variable_name: Name of the variable to crop.
        mask: GeoDataFrame with polygon geometry, or a Dataset
            to use as a spatial mask.
        touch: If True, include cells touching the mask boundary.
            Defaults to True.

    Returns:
        NetCDF: This container (modified in-place).
    """
    var = self.get_variable(variable_name)
    cropped = var.crop(mask, touch=touch)
    self.set_variable(variable_name, cropped)
    return self

reproject_variable(variable_name, to_epsg, method='nearest neighbor') #

Reproject a single variable and store the result back.

Convenience method that combines get_variable → to_crs → set_variable in one call.

Parameters:

Name Type Description Default
variable_name str

Name of the variable to reproject.

required
to_epsg int

Target EPSG code (e.g. 4326, 32637).

required
method str

Resampling method. Defaults to "nearest neighbor".

'nearest neighbor'

Returns:

Name Type Description
NetCDF NetCDF

This container (modified in-place).

Source code in src/pyramids/netcdf/netcdf.py
def reproject_variable(
    self, variable_name: str, to_epsg: int, method: str = "nearest neighbor"
) -> NetCDF:
    """Reproject a single variable and store the result back.

    Convenience method that combines ``get_variable`` → ``to_crs``
    → ``set_variable`` in one call.

    Args:
        variable_name: Name of the variable to reproject.
        to_epsg: Target EPSG code (e.g. 4326, 32637).
        method: Resampling method. Defaults to
            ``"nearest neighbor"``.

    Returns:
        NetCDF: This container (modified in-place).
    """
    var = self.get_variable(variable_name)
    reprojected = var.to_crs(to_epsg, method=method)
    # to_crs returns a VRT-backed dataset — materialize it into
    # a MEM dataset so the data survives after the VRT source
    # (the variable subset) is garbage collected.
    arr = reprojected.read_array()
    no_data_value = reprojected.no_data_value
    ndv_scalar = no_data_value[0] if isinstance(no_data_value, list) and no_data_value else no_data_value
    materialized = Dataset.create_from_array(
        arr, geo=reprojected.geotransform, epsg=reprojected.epsg,
        no_data_value=ndv_scalar,
    )
    materialized._band_dim_name = var._band_dim_name
    materialized._band_dim_values = var._band_dim_values
    materialized._variable_attrs = var._variable_attrs
    self.set_variable(variable_name, materialized)
    return self

resample_variable(variable_name, cell_size, method='nearest neighbor') #

Resample a single variable and store the result back.

Convenience method that combines get_variable → resample → set_variable in one call.

Parameters:

Name Type Description Default
variable_name str

Name of the variable to resample.

required
cell_size int | float

New cell size.

required
method str

Resampling method. Defaults to "nearest neighbor".

'nearest neighbor'

Returns:

Name Type Description
NetCDF NetCDF

This container (modified in-place).

Source code in src/pyramids/netcdf/netcdf.py
def resample_variable(
    self, variable_name: str, cell_size: int | float,
    method: str = "nearest neighbor"
) -> NetCDF:
    """Resample a single variable and store the result back.

    Convenience method that combines ``get_variable`` → ``resample``
    → ``set_variable`` in one call.

    Args:
        variable_name: Name of the variable to resample.
        cell_size: New cell size.
        method: Resampling method. Defaults to
            ``"nearest neighbor"``.

    Returns:
        NetCDF: This container (modified in-place).
    """
    var = self.get_variable(variable_name)
    resampled = var.resample(cell_size, method=method)
    self.set_variable(variable_name, resampled)
    return self

add_variable(dataset, variable_name=None) #

Copy MDArray variables from another NetCDF into this container.

Parameters:

Name Type Description Default
dataset Dataset | NetCDF

Source NetCDF dataset whose variables will be copied. Must have a root group (opened in MDIM mode).

required
variable_name str | None

Specific variable name(s) to copy. If None, all variables from the source are copied. If a variable with the same name already exists, it is renamed with a "-new" suffix.

None
Source code in src/pyramids/netcdf/netcdf.py
def add_variable(self, dataset: Dataset | NetCDF, variable_name: str | None = None):
    """Copy MDArray variables from another NetCDF into this container.

    Args:
        dataset: Source NetCDF dataset whose variables will be copied.
            Must have a root group (opened in MDIM mode).
        variable_name: Specific variable name(s) to copy. If None, all
            variables from the source are copied. If a variable with
            the same name already exists, it is renamed with a
            ``"-new"`` suffix.
    """
    src_rg = self._raster.GetRootGroup()
    var_rg = dataset._raster.GetRootGroup()
    names_to_copy: list[str]
    if variable_name is not None:
        names_to_copy = [variable_name]
    elif isinstance(dataset, NetCDF):
        names_to_copy = dataset.variable_names
    else:
        names_to_copy = []

    for var in names_to_copy:
        md_arr = var_rg.OpenMDArray(var)
        # If the variable name already exists in the destination dataset,
        # use a suffixed name to avoid overwriting the original.
        target_name = f"{var}-new" if var in self.variable_names else var
        self._add_md_array_to_group(src_rg, target_name, md_arr)
    self._invalidate_caches()

remove_variable(variable_name) #

Delete a variable from this container.

If the dataset is backed by a file on disk, a MEM copy is made first so that the on-disk file is not modified. The internal raster reference is replaced with the modified copy.

Parameters:

Name Type Description Default
variable_name str

Name of the variable to remove.

required
Source code in src/pyramids/netcdf/netcdf.py
def remove_variable(self, variable_name: str):
    """Delete a variable from this container.

    If the dataset is backed by a file on disk, a MEM copy is made first
    so that the on-disk file is not modified.  The internal raster
    reference is replaced with the modified copy.

    Args:
        variable_name: Name of the variable to remove.
    """
    if self.driver_type == "memory":
        dst = self._raster
    else:
        dst = gdal.GetDriverByName("MEM").CreateCopy("", self._raster, 0)

    rg = dst.GetRootGroup()
    rg.DeleteMDArray(variable_name)

    self._replace_raster(dst)

rename_variable(old_name, new_name) #

Rename a variable in this container.

Internally extracts the variable data and metadata, creates a new variable with the new name, and removes the old one.

Parameters:

Name Type Description Default
old_name str

Current name of the variable.

required
new_name str

Desired new name.

required

Raises:

Type Description
ValueError

If old_name doesn't exist or new_name already exists.

Source code in src/pyramids/netcdf/netcdf.py
def rename_variable(self, old_name: str, new_name: str):
    """Rename a variable in this container.

    Internally extracts the variable data and metadata, creates
    a new variable with the new name, and removes the old one.

    Args:
        old_name: Current name of the variable.
        new_name: Desired new name.

    Raises:
        ValueError: If ``old_name`` doesn't exist or ``new_name``
            already exists.
    """
    if old_name not in self.variable_names:
        raise ValueError(
            f"Variable '{old_name}' not found. "
            f"Available: {self.variable_names}"
        )
    if new_name in self.variable_names:
        raise ValueError(
            f"Variable '{new_name}' already exists."
        )

    rg = self._raster.GetRootGroup()
    if rg is None:
        raise ValueError(
            "rename_variable requires a multidimensional container."
        )

    md_arr = rg.OpenMDArray(old_name)
    self._add_md_array_to_group(rg, new_name, md_arr)
    rg.DeleteMDArray(old_name)
    self._invalidate_caches()

to_xarray() #

Convert this NetCDF container to an xarray.Dataset.

Builds an in-memory xarray.Dataset that mirrors the variables, coordinates, dimensions, and global attributes of this pyramids NetCDF container.

For file-backed containers the conversion delegates to xr.open_dataset(self.file_name) which lets xarray use its own optimised NetCDF reader.

For in-memory containers (MEM driver, no file on disk) the method reads each variable via the MDIM API, constructs coordinate arrays from the dimension indexing variables, and assembles them into an xr.Dataset manually.

Requires the optional xarray package. Install it with::

pip install xarray

Returns:

Type Description
Any

xarray.Dataset: An xarray Dataset with the same variables, coordinates, and global attributes.

Raises:

Type Description
OptionalPackageDoesNotExist

If xarray is not installed.

Examples:

Convert a pyramids NetCDF to xarray::

nc = NetCDF.read_file("temperature.nc")
ds = nc.to_xarray()
print(ds)
Source code in src/pyramids/netcdf/netcdf.py
def to_xarray(self) -> Any:
    """Convert this NetCDF container to an ``xarray.Dataset``.

    Builds an in-memory ``xarray.Dataset`` that mirrors the
    variables, coordinates, dimensions, and global attributes
    of this pyramids NetCDF container.

    For **file-backed** containers the conversion delegates to
    ``xr.open_dataset(self.file_name)`` which lets xarray use
    its own optimised NetCDF reader.

    For **in-memory** containers (MEM driver, no file on disk)
    the method reads each variable via the MDIM API, constructs
    coordinate arrays from the dimension indexing variables, and
    assembles them into an ``xr.Dataset`` manually.

    Requires the optional ``xarray`` package.  Install it with::

        pip install xarray

    Returns:
        xarray.Dataset: An xarray Dataset with the same
            variables, coordinates, and global attributes.

    Raises:
        pyramids.base._errors.OptionalPackageDoesNotExist:
            If ``xarray`` is not installed.

    Examples:
        Convert a pyramids NetCDF to xarray::

            nc = NetCDF.read_file("temperature.nc")
            ds = nc.to_xarray()
            print(ds)
    """
    try:
        import xarray as xr
    except ImportError:
        raise OptionalPackageDoesNotExist(
            "xarray is required for to_xarray(). "
            "Install it with: pip install xarray"
        )

    file_path = self.file_name
    is_file_backed = (
        file_path
        and not file_path.startswith("/vsimem/")
        and Path(file_path).exists()
    )

    if is_file_backed:
        result = xr.open_dataset(file_path)
    else:
        rg = self._raster.GetRootGroup()
        if rg is None:
            raise ValueError(
                "to_xarray requires a multidimensional container. "
                "Open the file with open_as_multi_dimensional=True."
            )

        coords: dict[str, Any] = {}
        dims = rg.GetDimensions() or []
        for d in dims:
            dim_name = d.GetName()
            iv = d.GetIndexingVariable()
            if iv is not None:
                coords[dim_name] = ([dim_name], iv.ReadAsArray())

        data_vars: dict[str, Any] = {}
        for var_name in self.variable_names:
            md_arr = rg.OpenMDArray(var_name)
            if md_arr is None:
                continue
            arr_dims = md_arr.GetDimensions() or []
            arr_dim_names = [ad.GetName() for ad in arr_dims]
            arr_data = md_arr.ReadAsArray()
            var_attrs: dict[str, Any] = {}
            try:
                for attr in md_arr.GetAttributes():
                    var_attrs[attr.GetName()] = attr.Read()
            except Exception:
                pass
            data_vars[var_name] = (arr_dim_names, arr_data, var_attrs)

        global_attrs = self.global_attributes
        result = xr.Dataset(
            data_vars=data_vars,
            coords=coords,
            attrs=global_attrs,
        )

    return result

from_xarray(dataset, path=None) classmethod #

Create a pyramids NetCDF from an xarray.Dataset.

Serialises the xarray Dataset to a NetCDF file (on disk or in a GDAL /vsimem/ memory file) and reads it back as a pyramids NetCDF container.

This is the inverse of to_xarray() and enables workflows that mix xarray analysis with pyramids spatial operations::

ds = xr.open_dataset("input.nc")
# ... xarray processing ...
nc = NetCDF.from_xarray(ds)
var = nc.get_variable("temperature")
cropped = var.crop(mask)

Requires the optional xarray package.

Parameters:

Name Type Description Default
dataset Any

An xarray.Dataset instance.

required
path str | Path | None

File path where the intermediate NetCDF will be written. If None, a GDAL in-memory file (/vsimem/) is used and cleaned up automatically when the returned object is garbage-collected.

None

Returns:

Name Type Description
NetCDF NetCDF

A pyramids NetCDF container backed by the data from the xarray Dataset.

Raises:

Type Description
OptionalPackageDoesNotExist

If xarray is not installed.

TypeError

If dataset is not an xarray.Dataset.

Source code in src/pyramids/netcdf/netcdf.py
@classmethod
def from_xarray(
    cls,
    dataset: Any,
    path: str | Path | None = None,
) -> NetCDF:
    """Create a pyramids NetCDF from an ``xarray.Dataset``.

    Serialises the xarray Dataset to a NetCDF file (on disk or
    in a GDAL ``/vsimem/`` memory file) and reads it back as a
    pyramids ``NetCDF`` container.

    This is the inverse of ``to_xarray()`` and enables workflows
    that mix xarray analysis with pyramids spatial operations::

        ds = xr.open_dataset("input.nc")
        # ... xarray processing ...
        nc = NetCDF.from_xarray(ds)
        var = nc.get_variable("temperature")
        cropped = var.crop(mask)

    Requires the optional ``xarray`` package.

    Args:
        dataset: An ``xarray.Dataset`` instance.
        path: File path where the intermediate NetCDF will be
            written.  If ``None``, a GDAL in-memory file
            (``/vsimem/``) is used and cleaned up automatically
            when the returned object is garbage-collected.

    Returns:
        NetCDF: A pyramids NetCDF container backed by the data
            from the xarray Dataset.

    Raises:
        pyramids.base._errors.OptionalPackageDoesNotExist:
            If ``xarray`` is not installed.
        TypeError: If *dataset* is not an ``xarray.Dataset``.
    """
    try:
        import xarray as xr
    except ImportError:
        raise OptionalPackageDoesNotExist(
            "xarray is required for from_xarray(). "
            "Install it with: pip install xarray"
        )

    if not isinstance(dataset, xr.Dataset):
        raise TypeError(
            f"Expected xarray.Dataset, got {type(dataset).__name__}"
        )

    cleanup_temp = False
    if path is not None:
        path = str(path)
    else:
        tmp = tempfile.NamedTemporaryFile(
            suffix=".nc", delete=False,
        )
        path = tmp.name
        tmp.close()
        cleanup_temp = True

    dataset.to_netcdf(path)
    result = cls.read_file(path, read_only=True)

    if cleanup_temp:
        result._xarray_temp_path = path
        weakref.finalize(result, os.unlink, path)

    return result