Skip to content

Zalmoxis.eos functions

eos_functions

EOS-related functions for ZALMOXIS, including loading tabulated EOS data, performing interpolation, and calculating density based on pressure and temperature.

Imports

eos_analytic: provides get_analytic_density

CONDENSED_RHO_MIN_DEFAULT = 322.0 module-attribute

CONDENSED_RHO_SCALE_DEFAULT = 50.0 module-attribute

ZALMOXIS_ROOT = os.getenv('ZALMOXIS_ROOT') module-attribute

_DT_PHASE_GUARD = 1.0 module-attribute

_paleos_clamp_warned = set() module-attribute

_paleos_phase_guard_warned = set() module-attribute

logger = logging.getLogger(__name__) module-attribute

_compute_paleos_dtdp(pressure, temperature, mat_PALEOS, solidus_func, liquidus_func, interpolation_functions)

Compute dT/dP from PALEOS nabla_ad with phase-aware weighting.

Uses solid nabla_ad below solidus, liquid nabla_ad above liquidus, and melt-fraction-weighted average in the mushy zone.

Parameters:

Name Type Description Default
pressure float

Pressure in Pa.

required
temperature float

Temperature in K.

required
mat_PALEOS dict

PALEOS material properties dict.

required
solidus_func callable or None

Solidus melting curve interpolation function.

required
liquidus_func callable or None

Liquidus melting curve interpolation function.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
float or None

dT/dP in K/Pa, or None if lookup fails.

Source code in src/zalmoxis/eos_functions.py
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
def _compute_paleos_dtdp(
    pressure, temperature, mat_PALEOS, solidus_func, liquidus_func, interpolation_functions
):
    """Compute dT/dP from PALEOS nabla_ad with phase-aware weighting.

    Uses solid nabla_ad below solidus, liquid nabla_ad above liquidus,
    and melt-fraction-weighted average in the mushy zone.

    Parameters
    ----------
    pressure : float
        Pressure in Pa.
    temperature : float
        Temperature in K.
    mat_PALEOS : dict
        PALEOS material properties dict.
    solidus_func : callable or None
        Solidus melting curve interpolation function.
    liquidus_func : callable or None
        Liquidus melting curve interpolation function.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    float or None
        dT/dP in K/Pa, or None if lookup fails.
    """
    if pressure <= 0 or temperature <= 0:
        return None

    # Determine phase
    T_sol = solidus_func(pressure) if solidus_func is not None else np.nan
    T_liq = liquidus_func(pressure) if liquidus_func is not None else np.nan

    if np.isnan(T_sol) or np.isnan(T_liq) or T_liq <= T_sol:
        # Outside melting curve range or degenerate: use solid table
        nabla = _get_paleos_nabla_ad(
            pressure, temperature, mat_PALEOS, 'solid_mantle', interpolation_functions
        )
    elif temperature <= T_sol:
        # Solid phase
        nabla = _get_paleos_nabla_ad(
            pressure, temperature, mat_PALEOS, 'solid_mantle', interpolation_functions
        )
    elif temperature >= T_liq:
        # Liquid phase
        nabla = _get_paleos_nabla_ad(
            pressure, temperature, mat_PALEOS, 'melted_mantle', interpolation_functions
        )
    else:
        # Mixed phase: melt-fraction-weighted nabla_ad
        phi = (temperature - T_sol) / (T_liq - T_sol)
        nabla_solid = _get_paleos_nabla_ad(
            pressure, temperature, mat_PALEOS, 'solid_mantle', interpolation_functions
        )
        nabla_liquid = _get_paleos_nabla_ad(
            pressure, temperature, mat_PALEOS, 'melted_mantle', interpolation_functions
        )
        if nabla_solid is None and nabla_liquid is None:
            return None
        # Fall back to whichever is available if one is None
        if nabla_solid is None:
            nabla = nabla_liquid
        elif nabla_liquid is None:
            nabla = nabla_solid
        else:
            nabla = (1.0 - phi) * nabla_solid + phi * nabla_liquid

    if nabla is None or nabla <= 0:
        return None

    # Convert: dT/dP = nabla_ad * T / P
    return nabla * temperature / pressure

_ensure_unified_cache(eos_file, interpolation_functions)

Ensure a unified PALEOS table is loaded into the interpolation cache.

Parameters:

Name Type Description Default
eos_file str

Path to the unified PALEOS table file.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
dict

The cache entry for this file.

Source code in src/zalmoxis/eos_functions.py
948
949
950
951
952
953
954
955
956
957
958
959
960
961
962
963
964
965
def _ensure_unified_cache(eos_file, interpolation_functions):
    """Ensure a unified PALEOS table is loaded into the interpolation cache.

    Parameters
    ----------
    eos_file : str
        Path to the unified PALEOS table file.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    dict
        The cache entry for this file.
    """
    if eos_file not in interpolation_functions:
        interpolation_functions[eos_file] = load_paleos_unified_table(eos_file)
    return interpolation_functions[eos_file]

_fast_bilinear(log_p, log_t, grid, cached)

O(1) bilinear interpolation on a nominally log-uniform grid.

Replaces scipy's RegularGridInterpolator for scalar lookups. The index computation uses O(1) arithmetic with a rounding correction to handle floating-point spacing jitter in the grid axes, then computes the fractional position from the actual stored grid coordinates for exact interpolation.

Parameters:

Name Type Description Default
log_p float

log10 of pressure, already clamped to grid bounds.

required
log_t float

log10 of temperature, already clamped to valid range.

required
grid ndarray

2D array of values (density or nabla_ad), shape (n_p, n_t).

required
cached dict

Cache entry with grid metadata (logp_min, dlog_p, unique_log_p, unique_log_t, etc.).

required

Returns:

Type Description
float

Interpolated value. NaN if any corner is NaN.

Source code in src/zalmoxis/eos_functions.py
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
def _fast_bilinear(log_p, log_t, grid, cached):
    """O(1) bilinear interpolation on a nominally log-uniform grid.

    Replaces scipy's RegularGridInterpolator for scalar lookups. The
    index computation uses O(1) arithmetic with a rounding correction
    to handle floating-point spacing jitter in the grid axes, then
    computes the fractional position from the actual stored grid
    coordinates for exact interpolation.

    Parameters
    ----------
    log_p : float
        log10 of pressure, already clamped to grid bounds.
    log_t : float
        log10 of temperature, already clamped to valid range.
    grid : numpy.ndarray
        2D array of values (density or nabla_ad), shape (n_p, n_t).
    cached : dict
        Cache entry with grid metadata (logp_min, dlog_p, unique_log_p,
        unique_log_t, etc.).

    Returns
    -------
    float
        Interpolated value. NaN if any corner is NaN.
    """
    # Guard: grids with fewer than 2 points cannot be interpolated
    if cached['n_p'] < 2 or cached['n_t'] < 2:
        return grid[0, 0]

    ulp = cached['unique_log_p']
    ult = cached['unique_log_t']
    n_p = cached['n_p']
    n_t = cached['n_t']

    # O(1) index estimation for nominally log-uniform grid.
    # Use round() to get the nearest node, then determine the lower
    # bounding index. This handles floating-point spacing jitter that
    # causes int() to land on the wrong cell.
    fp = (log_p - cached['logp_min']) / cached['dlog_p']
    ft = (log_t - cached['logt_min']) / cached['dlog_t']

    # Nearest node via rounding, then find lower bounding index
    ip_near = min(max(int(fp + 0.5), 0), n_p - 1)
    it_near = min(max(int(ft + 0.5), 0), n_t - 1)

    # Determine lower bounding index: if the query is below the
    # nearest node, step back by one
    if ip_near > 0 and log_p < ulp[ip_near]:
        ip = ip_near - 1
    else:
        ip = ip_near
    ip = max(0, min(ip, n_p - 2))

    if it_near > 0 and log_t < ult[it_near]:
        it = it_near - 1
    else:
        it = it_near
    it = max(0, min(it, n_t - 2))

    # Fractional parts computed from actual grid coordinates
    span_p = ulp[ip + 1] - ulp[ip]
    span_t = ult[it + 1] - ult[it]

    dp = (log_p - ulp[ip]) / span_p if span_p > 0 else 0.0
    dt = (log_t - ult[it]) / span_t if span_t > 0 else 0.0

    # Clamp to [0, 1] for boundary safety
    dp = max(0.0, min(dp, 1.0))
    dt = max(0.0, min(dt, 1.0))

    # Four corner values
    v00 = grid[ip, it]
    v01 = grid[ip, it + 1]
    v10 = grid[ip + 1, it]
    v11 = grid[ip + 1, it + 1]

    # Bilinear interpolation
    return v00 * (1 - dp) * (1 - dt) + v01 * (1 - dp) * dt + v10 * dp * (1 - dt) + v11 * dp * dt

_get_paleos_nabla_ad(pressure, temperature, material_dict, phase, interpolation_functions)

Look up nabla_ad from a PALEOS cache entry.

Parameters:

Name Type Description Default
pressure float

Pressure in Pa.

required
temperature float

Temperature in K.

required
material_dict dict

Material properties dict (e.g. material_properties_iron_PALEOS_silicate_planets).

required
phase str

'solid_mantle' or 'melted_mantle'.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
float or None

Dimensionless adiabatic gradient nabla_ad, or None if lookup fails.

Source code in src/zalmoxis/eos_functions.py
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
def _get_paleos_nabla_ad(pressure, temperature, material_dict, phase, interpolation_functions):
    """Look up nabla_ad from a PALEOS cache entry.

    Parameters
    ----------
    pressure : float
        Pressure in Pa.
    temperature : float
        Temperature in K.
    material_dict : dict
        Material properties dict (e.g. ``material_properties_iron_PALEOS_silicate_planets``).
    phase : str
        ``'solid_mantle'`` or ``'melted_mantle'``.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    float or None
        Dimensionless adiabatic gradient nabla_ad, or None if lookup fails.
    """
    props = material_dict[phase]
    eos_file = props['eos_file']

    # Ensure the PALEOS table is loaded into the cache
    if eos_file not in interpolation_functions:
        interpolation_functions[eos_file] = load_paleos_table(eos_file)

    cached = interpolation_functions[eos_file]
    p_min, p_max = cached['p_min'], cached['p_max']

    # Clamp pressure to global bounds
    p_clamped = np.clip(pressure, p_min, p_max)
    log_p = np.log10(p_clamped)
    log_t = np.log10(max(temperature, 1.0))

    # Per-cell clamping: restrict T to the valid data range at this P
    log_t_clamped, was_clamped = _paleos_clamp_temperature(log_p, log_t, cached)
    if was_clamped and eos_file not in _paleos_clamp_warned:
        _paleos_clamp_warned.add(eos_file)
        logger.warning(
            f'PALEOS per-cell clamping active for nabla_ad in '
            f'{os.path.basename(eos_file)}: '
            f'T={temperature:.0f} K clamped to {10.0**log_t_clamped:.0f} K '
            f'at P={pressure:.2e} Pa.'
        )

    val = float(cached['nabla_ad_interp']((log_p, log_t_clamped)))

    # Nearest-neighbor fallback for ragged boundary
    if not np.isfinite(val):
        val = float(cached['nabla_ad_nn']((log_p, log_t_clamped)))

    if np.isfinite(val):
        return val
    return None

_get_paleos_unified_nabla_ad(pressure, temperature, material_dict, interpolation_functions)

Look up nabla_ad from a unified PALEOS cache entry.

Parameters:

Name Type Description Default
pressure float

Pressure in Pa.

required
temperature float

Temperature in K.

required
material_dict dict

Material properties dict with 'eos_file' key.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
float or None

Dimensionless adiabatic gradient, or None if lookup fails.

Source code in src/zalmoxis/eos_functions.py
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
def _get_paleos_unified_nabla_ad(pressure, temperature, material_dict, interpolation_functions):
    """Look up nabla_ad from a unified PALEOS cache entry.

    Parameters
    ----------
    pressure : float
        Pressure in Pa.
    temperature : float
        Temperature in K.
    material_dict : dict
        Material properties dict with 'eos_file' key.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    float or None
        Dimensionless adiabatic gradient, or None if lookup fails.
    """
    eos_file = material_dict['eos_file']
    cached = _ensure_unified_cache(eos_file, interpolation_functions)

    p_clamped = np.clip(pressure, cached['p_min'], cached['p_max'])
    log_p = np.log10(p_clamped)
    log_t = np.log10(max(temperature, 1.0))

    log_t_clamped, was_clamped = _paleos_clamp_temperature(log_p, log_t, cached)
    if was_clamped and eos_file not in _paleos_clamp_warned:
        _paleos_clamp_warned.add(eos_file)
        logger.warning(
            f'PALEOS unified per-cell clamping active for nabla_ad in '
            f'{os.path.basename(eos_file)}: '
            f'T={temperature:.0f} K clamped to {10.0**log_t_clamped:.0f} K '
            f'at P={pressure:.2e} Pa.'
        )

    val = _fast_bilinear(log_p, log_t_clamped, cached['nabla_ad_grid'], cached)
    if not np.isfinite(val):
        val = float(cached['nabla_ad_nn']((log_p, log_t_clamped)))

    return val if np.isfinite(val) else None

_paleos_clamp_temperature(log_p, log_t, cached)

Clamp log10(T) to the per-pressure valid range of a PALEOS table.

Parameters:

Name Type Description Default
log_p float

log10 of pressure in Pa (already clamped to table bounds).

required
log_t float

log10 of temperature in K.

required
cached dict

PALEOS cache entry from load_paleos_table().

required

Returns:

Type Description
float

Clamped log10(T), guaranteed to fall within the valid data region at the given pressure.

bool

True if clamping was applied, False if the original value was valid.

Source code in src/zalmoxis/eos_functions.py
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
def _paleos_clamp_temperature(log_p, log_t, cached):
    """Clamp log10(T) to the per-pressure valid range of a PALEOS table.

    Parameters
    ----------
    log_p : float
        log10 of pressure in Pa (already clamped to table bounds).
    log_t : float
        log10 of temperature in K.
    cached : dict
        PALEOS cache entry from ``load_paleos_table()``.

    Returns
    -------
    float
        Clamped log10(T), guaranteed to fall within the valid data region
        at the given pressure.
    bool
        True if clamping was applied, False if the original value was valid.
    """
    ulp = cached['unique_log_p']
    lt_min = cached['logt_valid_min']
    lt_max = cached['logt_valid_max']

    # Interpolate per-pressure T bounds at the query pressure
    local_tmin = float(np.interp(log_p, ulp, lt_min))
    local_tmax = float(np.interp(log_p, ulp, lt_max))

    # Guard: if the pressure is near an all-NaN row, the interpolated
    # bounds are NaN. Return unclamped and let the NN fallback handle it.
    if not (np.isfinite(local_tmin) and np.isfinite(local_tmax)):
        return log_t, False

    if log_t < local_tmin:
        return local_tmin, True
    elif log_t > local_tmax:
        return local_tmax, True
    return log_t, False

calculate_density(pressure, material_dictionaries, layer_eos, temperature, solidus_func, liquidus_func, interpolation_functions=None, mushy_zone_factor=1.0)

Calculate density for a single layer given its EOS identifier.

Parameters:

Name Type Description Default
pressure float

Pressure at which to evaluate the EOS, in Pa.

required
material_dictionaries dict

EOS registry dict keyed by EOS identifier string (from eos_properties.EOS_REGISTRY).

required
layer_eos str

Per-layer EOS identifier, for example "Seager2007:iron", "WolfBower2018:MgSiO3", "PALEOS:iron", or "Analytic:iron".

required
temperature float

Temperature at which to evaluate the EOS, in K.

required
solidus_func callable or None

Interpolation function for the solidus melting curve.

required
liquidus_func callable or None

Interpolation function for the liquidus melting curve.

required
interpolation_functions dict

Cache of interpolation functions used to avoid redundant loading.

None
mushy_zone_factor float

Cryoscopic depression factor for unified PALEOS tables. 1.0 = no mushy zone (sharp boundary from table). Default 1.0.

1.0

Returns:

Type Description
float or None

Density in kg/m^3, or None on failure.

Raises:

Type Description
ValueError

If layer_eos is not recognized.

Source code in src/zalmoxis/eos_functions.py
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
def calculate_density(
    pressure,
    material_dictionaries,
    layer_eos,
    temperature,
    solidus_func,
    liquidus_func,
    interpolation_functions=None,
    mushy_zone_factor=1.0,
):
    """
    Calculate density for a single layer given its EOS identifier.

    Parameters
    ----------
    pressure : float
        Pressure at which to evaluate the EOS, in Pa.
    material_dictionaries : dict
        EOS registry dict keyed by EOS identifier string
        (from ``eos_properties.EOS_REGISTRY``).
    layer_eos : str
        Per-layer EOS identifier, for example ``"Seager2007:iron"``,
        ``"WolfBower2018:MgSiO3"``, ``"PALEOS:iron"``, or ``"Analytic:iron"``.
    temperature : float
        Temperature at which to evaluate the EOS, in K.
    solidus_func : callable or None
        Interpolation function for the solidus melting curve.
    liquidus_func : callable or None
        Interpolation function for the liquidus melting curve.
    interpolation_functions : dict, optional
        Cache of interpolation functions used to avoid redundant loading.
    mushy_zone_factor : float, optional
        Cryoscopic depression factor for unified PALEOS tables. 1.0 = no
        mushy zone (sharp boundary from table). Default 1.0.

    Returns
    -------
    float or None
        Density in kg/m^3, or ``None`` on failure.

    Raises
    ------
    ValueError
        If ``layer_eos`` is not recognized.
    """
    if interpolation_functions is None:
        interpolation_functions = {}

    # Analytic EOS: no material dict needed
    if layer_eos.startswith('Analytic:'):
        material_key = layer_eos.split(':', 1)[1]
        return get_analytic_density(pressure, material_key)

    # Look up material properties from the registry
    mat = material_dictionaries.get(layer_eos)
    if mat is None:
        raise ValueError(f"Unknown layer EOS '{layer_eos}'.")

    # Unified PALEOS tables (single file per material, all phases included)
    if mat.get('format') == 'paleos_unified':
        return get_paleos_unified_density(
            pressure, temperature, mat, mushy_zone_factor, interpolation_functions
        )

    # T-dependent EOS with separate solid/liquid tables (WB2018, RTPress, PALEOS-2phase)
    if 'melted_mantle' in mat:
        return get_Tdep_density(
            pressure, temperature, mat, solidus_func, liquidus_func, interpolation_functions
        )

    # Seager2007 static EOS (1D P-rho tables)
    # Determine the layer key from the material dict
    for layer_key in ('core', 'mantle', 'ice_layer'):
        if layer_key in mat:
            return get_tabulated_eos(
                pressure, mat, layer_key, interpolation_functions=interpolation_functions
            )

    raise ValueError(f"Cannot determine layer key for EOS '{layer_eos}'.")

calculate_density_batch(pressures, temperatures, material_dictionaries, layer_eos, solidus_func, liquidus_func, interpolation_functions, mushy_zone_factor=1.0)

Vectorized density lookup for a batch of (P, T) points sharing one EOS.

For unified PALEOS tables, uses the vectorized interpolator path. For other EOS types, falls back to scalar calculate_density per point.

Parameters:

Name Type Description Default
pressures ndarray

1D array of pressures in Pa.

required
temperatures ndarray

1D array of temperatures in K.

required
material_dictionaries dict

EOS registry.

required
layer_eos str

EOS identifier string.

required
solidus_func callable or None

Solidus melting curve function.

required
liquidus_func callable or None

Liquidus melting curve function.

required
interpolation_functions dict

Interpolation cache.

required
mushy_zone_factor float

Cryoscopic depression factor.

1.0

Returns:

Type Description
ndarray

1D array of densities in kg/m^3. NaN where lookup fails.

Source code in src/zalmoxis/eos_functions.py
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
def calculate_density_batch(
    pressures,
    temperatures,
    material_dictionaries,
    layer_eos,
    solidus_func,
    liquidus_func,
    interpolation_functions,
    mushy_zone_factor=1.0,
):
    """Vectorized density lookup for a batch of (P, T) points sharing one EOS.

    For unified PALEOS tables, uses the vectorized interpolator path.
    For other EOS types, falls back to scalar calculate_density per point.

    Parameters
    ----------
    pressures : numpy.ndarray
        1D array of pressures in Pa.
    temperatures : numpy.ndarray
        1D array of temperatures in K.
    material_dictionaries : dict
        EOS registry.
    layer_eos : str
        EOS identifier string.
    solidus_func : callable or None
        Solidus melting curve function.
    liquidus_func : callable or None
        Liquidus melting curve function.
    interpolation_functions : dict
        Interpolation cache.
    mushy_zone_factor : float
        Cryoscopic depression factor.

    Returns
    -------
    numpy.ndarray
        1D array of densities in kg/m^3. NaN where lookup fails.
    """
    if interpolation_functions is None:
        interpolation_functions = {}

    mat = material_dictionaries.get(layer_eos)
    if mat is not None and mat.get('format') == 'paleos_unified':
        return get_paleos_unified_density_batch(
            pressures, temperatures, mat, mushy_zone_factor, interpolation_functions
        )

    # Fallback: scalar loop for non-unified EOS types
    n = len(pressures)
    result = np.full(n, np.nan)
    for i in range(n):
        val = calculate_density(
            pressures[i],
            material_dictionaries,
            layer_eos,
            temperatures[i],
            solidus_func,
            liquidus_func,
            interpolation_functions,
            mushy_zone_factor,
        )
        result[i] = val if val is not None else np.nan
    return result

calculate_temperature_profile(radii, temperature_mode, surface_temperature, center_temperature, input_dir, temp_profile_file)

Return a callable temperature profile for a planetary interior model.

Parameters:

Name Type Description Default
radii array_like

Radial grid of the planet, in m.

required
temperature_mode ('isothermal', 'linear', 'prescribed', 'adiabatic')

Temperature profile mode.

  • "isothermal": constant temperature equal to surface_temperature.
  • "linear": linear profile from center_temperature at r = 0 to surface_temperature at the surface.
  • "prescribed": read the temperature profile from a text file.
  • "adiabatic": return a linear profile as an initial guess; the actual adiabat is computed elsewhere in the main iteration loop.
"isothermal"
surface_temperature float

Temperature at the surface, in K.

required
center_temperature float

Temperature at the center, in K. Used for "linear" and "adiabatic" modes.

required
input_dir str or path - like

Directory containing the prescribed temperature profile file.

required
temp_profile_file str

Name of the file containing the prescribed temperature profile from center to surface. Required when temperature_mode="prescribed".

required

Returns:

Type Description
callable

Function of radius returning temperature in K. The callable accepts a scalar or array-like radius and returns a float or NumPy array.

Raises:

Type Description
ValueError

If temperature_mode="prescribed" and the file does not exist.

ValueError

If the prescribed temperature profile length does not match radii.

ValueError

If temperature_mode is not recognized.

Source code in src/zalmoxis/eos_functions.py
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
def calculate_temperature_profile(
    radii,
    temperature_mode,
    surface_temperature,
    center_temperature,
    input_dir,
    temp_profile_file,
):
    """
    Return a callable temperature profile for a planetary interior model.

    Parameters
    ----------
    radii : array_like
        Radial grid of the planet, in m.
    temperature_mode : {"isothermal", "linear", "prescribed", "adiabatic"}
        Temperature profile mode.

        - ``"isothermal"``: constant temperature equal to
          ``surface_temperature``.
        - ``"linear"``: linear profile from ``center_temperature`` at
          ``r = 0`` to ``surface_temperature`` at the surface.
        - ``"prescribed"``: read the temperature profile from a text file.
        - ``"adiabatic"``: return a linear profile as an initial guess; the
          actual adiabat is computed elsewhere in the main iteration loop.
    surface_temperature : float
        Temperature at the surface, in K.
    center_temperature : float
        Temperature at the center, in K. Used for ``"linear"`` and
        ``"adiabatic"`` modes.
    input_dir : str or path-like
        Directory containing the prescribed temperature profile file.
    temp_profile_file : str
        Name of the file containing the prescribed temperature profile from
        center to surface. Required when ``temperature_mode="prescribed"``.

    Returns
    -------
    callable
        Function of radius returning temperature in K. The callable accepts a
        scalar or array-like radius and returns a float or NumPy array.

    Raises
    ------
    ValueError
        If ``temperature_mode="prescribed"`` and the file does not exist.
    ValueError
        If the prescribed temperature profile length does not match
        ``radii``.
    ValueError
        If ``temperature_mode`` is not recognized.
    """
    radii = np.array(radii)

    if temperature_mode == 'isothermal':
        return lambda r: np.full_like(r, surface_temperature, dtype=float)

    elif temperature_mode == 'linear':
        return lambda r: (
            surface_temperature
            + (center_temperature - surface_temperature) * (1 - np.array(r) / radii[-1])
        )

    elif temperature_mode == 'prescribed':
        temp_profile_path = os.path.join(input_dir, temp_profile_file)
        if not os.path.exists(temp_profile_path):
            raise ValueError(
                "Temperature profile file must be provided and exist for 'prescribed' temperature mode."
            )
        temp_profile = np.loadtxt(temp_profile_path)
        if len(temp_profile) != len(radii):
            raise ValueError('Temperature profile length does not match radii length.')
        # Vectorized interpolation for arbitrary radius points
        return lambda r: np.interp(np.array(r), radii, temp_profile)

    elif temperature_mode == 'adiabatic':
        # Return linear profile as initial guess for the first outer iteration.
        # The actual adiabat is computed in main() using P(r), g(r) from the solver.
        return lambda r: (
            surface_temperature
            + (center_temperature - surface_temperature) * (1 - np.array(r) / radii[-1])
        )

    else:
        raise ValueError(
            f"Unknown temperature mode '{temperature_mode}'. "
            f"Valid options: 'isothermal', 'linear', 'prescribed', 'adiabatic'."
        )

compute_adiabatic_temperature(radii, pressure, mass_enclosed, surface_temperature, cmb_mass, core_mantle_mass, layer_mixtures, material_dictionaries, interpolation_functions=None, solidus_func=None, liquidus_func=None, mushy_zone_factors=None, condensed_rho_min=CONDENSED_RHO_MIN_DEFAULT, condensed_rho_scale=CONDENSED_RHO_SCALE_DEFAULT, binodal_T_scale=50.0)

Compute an adiabatic temperature profile using native EOS gradient tables.

Supports single-material and multi-material (volume-additive) layers. For multi-material layers, nabla_ad is mass-fraction-weighted across components.

Parameters:

Name Type Description Default
radii ndarray

Radial grid in ascending order from center to surface, in m.

required
pressure ndarray

Pressure at each radius, in Pa.

required
mass_enclosed ndarray

Enclosed mass at each radius, in kg.

required
surface_temperature float

Temperature at the surface, in K.

required
cmb_mass float

Core-mantle boundary mass, in kg.

required
core_mantle_mass float

Total core-plus-mantle mass, in kg.

required
layer_mixtures dict

Per-layer LayerMixture objects.

required
material_dictionaries dict

EOS registry dict keyed by EOS identifier string.

required
interpolation_functions dict

Cache of interpolation functions used to avoid redundant loading.

None
solidus_func callable

Interpolation function for the solidus melting curve.

None
liquidus_func callable

Interpolation function for the liquidus melting curve.

None
mushy_zone_factors dict or float or None

Per-EOS mushy zone factors. Dict keyed by EOS name, a single float (applied to all), or None (default 1.0 for all).

None
condensed_rho_min float

Sigmoid center for phase-aware suppression (kg/m^3). Default 322.

CONDENSED_RHO_MIN_DEFAULT
condensed_rho_scale float

Sigmoid width for phase-aware suppression (kg/m^3). Default 50.

CONDENSED_RHO_SCALE_DEFAULT
binodal_T_scale float

Binodal sigmoid width in K for H2 miscibility suppression. Default 50.

50.0

Returns:

Type Description
ndarray

Temperature at each radial point, in K.

Source code in src/zalmoxis/eos_functions.py
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
def compute_adiabatic_temperature(
    radii,
    pressure,
    mass_enclosed,
    surface_temperature,
    cmb_mass,
    core_mantle_mass,
    layer_mixtures,
    material_dictionaries,
    interpolation_functions=None,
    solidus_func=None,
    liquidus_func=None,
    mushy_zone_factors=None,
    condensed_rho_min=CONDENSED_RHO_MIN_DEFAULT,
    condensed_rho_scale=CONDENSED_RHO_SCALE_DEFAULT,
    binodal_T_scale=50.0,
):
    """
    Compute an adiabatic temperature profile using native EOS gradient tables.

    Supports single-material and multi-material (volume-additive) layers.
    For multi-material layers, nabla_ad is mass-fraction-weighted across
    components.

    Parameters
    ----------
    radii : numpy.ndarray
        Radial grid in ascending order from center to surface, in m.
    pressure : numpy.ndarray
        Pressure at each radius, in Pa.
    mass_enclosed : numpy.ndarray
        Enclosed mass at each radius, in kg.
    surface_temperature : float
        Temperature at the surface, in K.
    cmb_mass : float
        Core-mantle boundary mass, in kg.
    core_mantle_mass : float
        Total core-plus-mantle mass, in kg.
    layer_mixtures : dict
        Per-layer LayerMixture objects.
    material_dictionaries : dict
        EOS registry dict keyed by EOS identifier string.
    interpolation_functions : dict, optional
        Cache of interpolation functions used to avoid redundant loading.
    solidus_func : callable, optional
        Interpolation function for the solidus melting curve.
    liquidus_func : callable, optional
        Interpolation function for the liquidus melting curve.
    mushy_zone_factors : dict or float or None, optional
        Per-EOS mushy zone factors. Dict keyed by EOS name, a single
        float (applied to all), or None (default 1.0 for all).
    condensed_rho_min : float, optional
        Sigmoid center for phase-aware suppression (kg/m^3). Default 322.
    condensed_rho_scale : float, optional
        Sigmoid width for phase-aware suppression (kg/m^3). Default 50.
    binodal_T_scale : float, optional
        Binodal sigmoid width in K for H2 miscibility suppression.
        Default 50.

    Returns
    -------
    numpy.ndarray
        Temperature at each radial point, in K.
    """
    from .mixing import get_mixed_nabla_ad
    from .structure_model import get_layer_mixture

    if interpolation_functions is None:
        interpolation_functions = {}

    from .mixing import any_component_is_tdep

    if not any_component_is_tdep(layer_mixtures):
        raise ValueError(
            'Adiabatic temperature mode requires at least one T-dependent EOS '
            'layer, but none found. '
            "Use 'linear' or 'isothermal' instead."
        )

    n = len(radii)
    T = np.zeros(n)
    T[n - 1] = surface_temperature

    for i in range(n - 2, -1, -1):
        mixture = get_layer_mixture(
            mass_enclosed[i],
            cmb_mass,
            core_mantle_mass,
            layer_mixtures,
        )

        if not mixture.has_tdep():
            T[i] = T[i + 1]
            continue

        P_eval = pressure[i + 1]
        T_eval = T[i + 1]
        dP = pressure[i] - pressure[i + 1]

        # Skip at very low P to prevent T/P divergence
        if P_eval < 1e5 or pressure[i] < 1e5:
            T[i] = T[i + 1]
            continue

        # Get nabla_ad (handles single and multi-component mixtures)
        nabla = get_mixed_nabla_ad(
            P_eval,
            T_eval,
            mixture,
            material_dictionaries,
            interpolation_functions,
            solidus_func,
            liquidus_func,
            mushy_zone_factors,
            condensed_rho_min,
            condensed_rho_scale,
            binodal_T_scale,
        )

        if nabla is not None and nabla > 0 and P_eval > 0 and T_eval > 0 and dP > 0:
            dtdp = nabla * T_eval / P_eval
            T_new = T_eval + dtdp * dP
            # Cap temperature to the PALEOS table maximum (100,000 K).
            # Without this cap, numerical noise at low P or in mixed
            # compositions can cause runaway T during the adiabat
            # integration, which then pollutes the T(P) interpolator
            # and prevents the Brent solver from bracketing.
            T[i] = min(T_new, 100000.0)
        else:
            T[i] = T_eval

    return T

create_pressure_density_files(outer_iter, inner_iter, pressure_iter, radii, pressure, density)

Append pressure and density profiles to output files for a given iteration.

Parameters:

Name Type Description Default
outer_iter int

Current outer iteration index.

required
inner_iter int

Current inner iteration index.

required
pressure_iter int

Current pressure iteration index.

required
radii ndarray

Radial positions, in m.

required
pressure ndarray

Pressure values corresponding to radii, in Pa.

required
density ndarray

Density values corresponding to radii, in kg/m^3.

required

Returns:

Type Description
None
Source code in src/zalmoxis/eos_functions.py
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
def create_pressure_density_files(
    outer_iter, inner_iter, pressure_iter, radii, pressure, density
):
    """
    Append pressure and density profiles to output files for a given iteration.

    Parameters
    ----------
    outer_iter : int
        Current outer iteration index.
    inner_iter : int
        Current inner iteration index.
    pressure_iter : int
        Current pressure iteration index.
    radii : numpy.ndarray
        Radial positions, in m.
    pressure : numpy.ndarray
        Pressure values corresponding to ``radii``, in Pa.
    density : numpy.ndarray
        Density values corresponding to ``radii``, in kg/m^3.

    Returns
    -------
    None
    """

    pressure_file = os.path.join(ZALMOXIS_ROOT, 'output_files', 'pressure_profiles.txt')
    density_file = os.path.join(ZALMOXIS_ROOT, 'output_files', 'density_profiles.txt')

    # Only delete the files once at the beginning of the run
    if outer_iter == 0 and inner_iter == 0 and pressure_iter == 0:
        for file_path in [pressure_file, density_file]:
            if os.path.exists(file_path):
                os.remove(file_path)

    # Append current iteration's pressure profile to file
    with open(pressure_file, 'a') as f:
        f.write(f'# Pressure iteration {pressure_iter}\n')
        np.savetxt(f, np.column_stack((radii, pressure)), header='radius pressure', comments='')
        f.write('\n')

    # Append current iteration's density profile to file
    with open(density_file, 'a') as f:
        f.write(f'# Pressure iteration {pressure_iter}\n')
        np.savetxt(f, np.column_stack((radii, density)), header='radius density', comments='')
        f.write('\n')

get_Tdep_density(pressure, temperature, material_properties_iron_Tdep_silicate_planets, solidus_func, liquidus_func, interpolation_functions=None)

Compute mantle density for a temperature-dependent EOS with phase changes.

Parameters:

Name Type Description Default
pressure float

Pressure at which to evaluate the EOS, in Pa.

required
temperature float

Temperature at which to evaluate the EOS, in K.

required
material_properties_iron_Tdep_silicate_planets dict

Dictionary containing temperature-dependent material properties for the MgSiO3 EOS.

required
solidus_func callable

Interpolation function for the solidus melting curve.

required
liquidus_func callable

Interpolation function for the liquidus melting curve.

required
interpolation_functions dict

Cache of interpolation functions used to avoid redundant loading of EOS tables.

None

Returns:

Type Description
float or None

Density in kg/m^3. Returns None if the density cannot be evaluated.

Raises:

Type Description
ValueError

If solidus_func or liquidus_func is not provided.

Notes

The mantle phase is determined by comparing the input temperature to the solidus and liquidus temperatures at the given pressure.

In the mixed-phase region, the density is computed using linear melt fraction and volume additivity.

Source code in src/zalmoxis/eos_functions.py
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
def get_Tdep_density(
    pressure,
    temperature,
    material_properties_iron_Tdep_silicate_planets,
    solidus_func,
    liquidus_func,
    interpolation_functions=None,
):
    """
    Compute mantle density for a temperature-dependent EOS with phase changes.

    Parameters
    ----------
    pressure : float
        Pressure at which to evaluate the EOS, in Pa.
    temperature : float
        Temperature at which to evaluate the EOS, in K.
    material_properties_iron_Tdep_silicate_planets : dict
        Dictionary containing temperature-dependent material properties for
        the MgSiO3 EOS.
    solidus_func : callable
        Interpolation function for the solidus melting curve.
    liquidus_func : callable
        Interpolation function for the liquidus melting curve.
    interpolation_functions : dict, optional
        Cache of interpolation functions used to avoid redundant loading of
        EOS tables.

    Returns
    -------
    float or None
        Density in kg/m^3. Returns ``None`` if the density cannot be evaluated.

    Raises
    ------
    ValueError
        If ``solidus_func`` or ``liquidus_func`` is not provided.

    Notes
    -----
    The mantle phase is determined by comparing the input temperature to the
    solidus and liquidus temperatures at the given pressure.

    In the mixed-phase region, the density is computed using linear melt
    fraction and volume additivity.
    """

    if interpolation_functions is None:
        interpolation_functions = {}

    if solidus_func is None or liquidus_func is None:
        raise ValueError(
            'solidus_func and liquidus_func must be provided for WolfBower2018:MgSiO3 EOS.'
        )

    T_sol = solidus_func(pressure)
    T_liq = liquidus_func(pressure)

    # Pressure outside melting curve range — default to solid phase
    if np.isnan(T_sol) or np.isnan(T_liq):
        logger.debug(
            f'Melting curve undefined at P={pressure:.2e} Pa. Defaulting to solid phase.'
        )
        return get_tabulated_eos(
            pressure,
            material_properties_iron_Tdep_silicate_planets,
            'solid_mantle',
            temperature,
            interpolation_functions,
        )

    if temperature <= T_sol:
        # Solid phase
        rho = get_tabulated_eos(
            pressure,
            material_properties_iron_Tdep_silicate_planets,
            'solid_mantle',
            temperature,
            interpolation_functions,
        )
        return rho

    elif temperature >= T_liq:
        # Liquid phase
        rho = get_tabulated_eos(
            pressure,
            material_properties_iron_Tdep_silicate_planets,
            'melted_mantle',
            temperature,
            interpolation_functions,
        )
        return rho

    else:
        # Mixed phase: linear melt fraction between solidus and liquidus.
        # Guard against degenerate melting curves where T_liq == T_sol.
        if T_liq <= T_sol:
            return get_tabulated_eos(
                pressure,
                material_properties_iron_Tdep_silicate_planets,
                'melted_mantle',
                temperature,
                interpolation_functions,
            )
        frac_melt = (temperature - T_sol) / (T_liq - T_sol)
        rho_solid = get_tabulated_eos(
            pressure,
            material_properties_iron_Tdep_silicate_planets,
            'solid_mantle',
            temperature,
            interpolation_functions,
        )
        rho_liquid = get_tabulated_eos(
            pressure,
            material_properties_iron_Tdep_silicate_planets,
            'melted_mantle',
            temperature,
            interpolation_functions,
        )
        # Guard against out-of-bounds pressure returning None
        if rho_solid is None or rho_liquid is None:
            return None
        # Calculate mixed density by volume additivity
        specific_volume_mixed = frac_melt * (1 / rho_liquid) + (1 - frac_melt) * (1 / rho_solid)
        rho_mixed = 1 / specific_volume_mixed
        return rho_mixed

get_Tdep_material(pressure, temperature, solidus_func, liquidus_func)

Determine the mantle phase for a temperature-dependent EOS.

Parameters:

Name Type Description Default
pressure float or array_like

Pressure in Pa. May be a scalar or an array.

required
temperature float or array_like

Temperature in K. May be a scalar or an array.

required
solidus_func callable

Interpolation function for the solidus melting curve.

required
liquidus_func callable

Interpolation function for the liquidus melting curve.

required

Returns:

Type Description
str or ndarray

Material phase label(s). Possible values are "solid_mantle", "mixed_mantle", and "melted_mantle". Returns a string for scalar inputs and a NumPy array of strings for array inputs.

Source code in src/zalmoxis/eos_functions.py
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
def get_Tdep_material(pressure, temperature, solidus_func, liquidus_func):
    """
    Determine the mantle phase for a temperature-dependent EOS.

    Parameters
    ----------
    pressure : float or array_like
        Pressure in Pa. May be a scalar or an array.
    temperature : float or array_like
        Temperature in K. May be a scalar or an array.
    solidus_func : callable
        Interpolation function for the solidus melting curve.
    liquidus_func : callable
        Interpolation function for the liquidus melting curve.

    Returns
    -------
    str or numpy.ndarray
        Material phase label(s). Possible values are ``"solid_mantle"``,
        ``"mixed_mantle"``, and ``"melted_mantle"``. Returns a string for
        scalar inputs and a NumPy array of strings for array inputs.
    """

    # Define per-point evaluation
    def evaluate_phase(P, T):
        T_sol = solidus_func(P)
        T_liq = liquidus_func(P)
        # Guard against degenerate melting curves where T_liq == T_sol
        if T_liq <= T_sol:
            return 'melted_mantle' if T >= T_sol else 'solid_mantle'
        frac_melt = (T - T_sol) / (T_liq - T_sol)
        if frac_melt < 0:
            return 'solid_mantle'
        elif frac_melt <= 1.0:
            return 'mixed_mantle'
        else:
            return 'melted_mantle'

    # Vectorize function for array support
    vectorized_eval = np.vectorize(evaluate_phase, otypes=[str])

    # Apply depending on input type
    if np.isscalar(pressure) and np.isscalar(temperature):
        return evaluate_phase(pressure, temperature)
    else:
        return vectorized_eval(pressure, temperature)

get_analytic_density(pressure, material_key)

Compute density from the Seager et al. (2007) analytic modified polytrope.

Parameters:

Name Type Description Default
pressure float

Pressure in Pa.

required
material_key str

One of the keys in SEAGER2007_MATERIALS (e.g., "iron", "MgSiO3", "H2O", "graphite", "SiC", "MgFeSiO3").

required

Returns:

Type Description
float

Density in kg/m^3. Returns rho_0 for non-positive pressure (allows the ODE solver to remain stable during pressure adjustment iterations). Returns None only for NaN pressure.

Raises:

Type Description
ValueError

If material_key is not recognized.

Source code in src/zalmoxis/eos_analytic.py
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
def get_analytic_density(pressure: float, material_key: str) -> float | None:
    """
    Compute density from the Seager et al. (2007) analytic modified polytrope.

    Parameters
    ----------
    pressure : float
        Pressure in Pa.
    material_key : str
        One of the keys in SEAGER2007_MATERIALS
        (e.g., "iron", "MgSiO3", "H2O", "graphite", "SiC", "MgFeSiO3").

    Returns
    -------
    float
        Density in kg/m^3. Returns rho_0 for non-positive pressure (allows
        the ODE solver to remain stable during pressure adjustment iterations).
        Returns None only for NaN pressure.

    Raises
    ------
    ValueError
        If material_key is not recognized.
    """
    if material_key not in SEAGER2007_MATERIALS:
        raise ValueError(
            f"Unknown material key '{material_key}'. Valid keys: {sorted(VALID_MATERIAL_KEYS)}"
        )

    rho_0, c, n = SEAGER2007_MATERIALS[material_key]

    # Guard against nonphysical pressure
    if np.isnan(pressure):
        return None
    if pressure <= 0:
        return float(rho_0)

    if pressure > P_MAX:
        logger.warning(
            f'Pressure {pressure:.2e} Pa exceeds validity limit of {P_MAX:.0e} Pa '
            f'for Seager+2007 analytic EOS. Results may be inaccurate.'
        )

    density = rho_0 + c * pressure**n

    return float(density)

get_paleos_unified_density(pressure, temperature, material_dict, mushy_zone_factor, interpolation_functions)

Look up density from a unified PALEOS table.

When mushy_zone_factor == 1.0 (no mushy zone), the density is read directly from the table (the stable phase at each (P, T) is already encoded). When mushy_zone_factor < 1.0, a synthetic solidus is derived as T_sol = T_liq * mushy_zone_factor and the density in the mushy zone is volume-averaged between the solid-side and liquid-side table values.

Parameters:

Name Type Description Default
pressure float

Pressure in Pa.

required
temperature float

Temperature in K.

required
material_dict dict

Material properties dict with 'eos_file' and 'format' keys.

required
mushy_zone_factor float

Cryoscopic depression factor. 1.0 = no mushy zone (sharp boundary). < 1.0 = solidus at this fraction of the extracted liquidus.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
float or None

Density in kg/m^3, or None on failure.

Source code in src/zalmoxis/eos_functions.py
 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
def get_paleos_unified_density(
    pressure, temperature, material_dict, mushy_zone_factor, interpolation_functions
):
    """Look up density from a unified PALEOS table.

    When ``mushy_zone_factor == 1.0`` (no mushy zone), the density is read
    directly from the table (the stable phase at each (P, T) is already
    encoded). When ``mushy_zone_factor < 1.0``, a synthetic solidus is
    derived as ``T_sol = T_liq * mushy_zone_factor`` and the density in the
    mushy zone is volume-averaged between the solid-side and liquid-side
    table values.

    Parameters
    ----------
    pressure : float
        Pressure in Pa.
    temperature : float
        Temperature in K.
    material_dict : dict
        Material properties dict with 'eos_file' and 'format' keys.
    mushy_zone_factor : float
        Cryoscopic depression factor. 1.0 = no mushy zone (sharp boundary).
        < 1.0 = solidus at this fraction of the extracted liquidus.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    float or None
        Density in kg/m^3, or None on failure.
    """
    eos_file = material_dict['eos_file']
    try:
        cached = _ensure_unified_cache(eos_file, interpolation_functions)

        p_min, p_max = cached['p_min'], cached['p_max']
        if pressure < p_min or pressure > p_max:
            logger.debug(
                f'PALEOS unified: P={pressure:.2e} Pa out of bounds '
                f'[{p_min:.2e}, {p_max:.2e}]. Clamping.'
            )
            pressure = np.clip(pressure, p_min, p_max)

        log_p = np.log10(pressure)
        log_t = np.log10(max(temperature, 1.0))

        # Per-cell clamping
        log_t_clamped, was_clamped = _paleos_clamp_temperature(log_p, log_t, cached)
        if was_clamped and eos_file not in _paleos_clamp_warned:
            _paleos_clamp_warned.add(eos_file)
            logger.warning(
                f'PALEOS unified per-cell clamping active for '
                f'{os.path.basename(eos_file)}: '
                f'T={temperature:.0f} K clamped to {10.0**log_t_clamped:.0f} K '
                f'at P={pressure:.2e} Pa.'
            )

        if mushy_zone_factor >= 1.0 or len(cached['liquidus_log_p']) == 0:
            # Direct lookup: no mushy zone (fast bilinear path)
            density = _fast_bilinear(log_p, log_t_clamped, cached['density_grid'], cached)
            if not np.isfinite(density):
                density = float(cached['density_nn']((log_p, log_t_clamped)))
            return density if np.isfinite(density) else None

        # Mushy zone: interpolate liquidus T at this P.
        # If query pressure is outside the liquidus coverage (e.g. at
        # pressures where no liquid phase exists), fall back to direct lookup.
        liq_lp = cached['liquidus_log_p']
        if log_p < liq_lp[0] or log_p > liq_lp[-1]:
            density = _fast_bilinear(log_p, log_t_clamped, cached['density_grid'], cached)
            if not np.isfinite(density):
                density = float(cached['density_nn']((log_p, log_t_clamped)))
            return density if np.isfinite(density) else None

        # PALEOS's own melting curve at this pressure
        log_t_melt = float(np.interp(log_p, liq_lp, cached['liquidus_log_t']))
        T_melt = 10.0**log_t_melt

        # Derive mushy zone boundaries (currently from PALEOS liquidus,
        # but may come from external melting curves in future).
        T_liq = T_melt
        T_sol = T_liq * mushy_zone_factor

        # Clamp endpoints against PALEOS's internal phase boundary so that
        # solid-side queries never land on the liquid side and vice versa.
        # The guard offset (_DT_PHASE_GUARD) always shifts T_liq up and may
        # shift T_sol down; only warn when the clamp corrects a genuine
        # cross-boundary incursion (T_sol above T_melt or T_liq below it).
        sol_crossed = T_sol > T_melt
        liq_crossed = T_liq < T_melt
        T_sol = min(T_sol, T_melt - _DT_PHASE_GUARD)
        T_liq = max(T_liq, T_melt + _DT_PHASE_GUARD)

        if (sol_crossed or liq_crossed):
            if eos_file not in _paleos_phase_guard_warned:
                _paleos_phase_guard_warned.add(eos_file)
                logger.warning(
                    'Mushy zone endpoints crossed PALEOS melting curve '
                    'for %s at P=%.2e Pa (T_melt=%.1f K): '
                    'T_sol=%.1f K %s, T_liq=%.1f K %s. '
                    'Clamped to safe side.',
                    os.path.basename(eos_file),
                    pressure,
                    T_melt,
                    T_sol,
                    '(was above T_melt)' if sol_crossed else '(ok)',
                    T_liq,
                    '(was below T_melt)' if liq_crossed else '(ok)',
                )
        log_t_sol = np.log10(max(T_sol, 1.0))
        log_t_liq = np.log10(T_liq)

        if temperature >= T_liq:
            # Above liquidus: direct lookup
            density = _fast_bilinear(log_p, log_t_clamped, cached['density_grid'], cached)
            if not np.isfinite(density):
                density = float(cached['density_nn']((log_p, log_t_clamped)))
            return density if np.isfinite(density) else None

        if temperature <= T_sol:
            # Below solidus: direct lookup
            density = _fast_bilinear(log_p, log_t_clamped, cached['density_grid'], cached)
            if not np.isfinite(density):
                density = float(cached['density_nn']((log_p, log_t_clamped)))
            return density if np.isfinite(density) else None

        # In mushy zone: volume-average between solid-side and liquid-side
        phi = (temperature - T_sol) / (T_liq - T_sol)

        # Solid-side: density at T_sol
        log_t_sol_c, _ = _paleos_clamp_temperature(log_p, log_t_sol, cached)
        rho_sol = _fast_bilinear(log_p, log_t_sol_c, cached['density_grid'], cached)
        if not np.isfinite(rho_sol):
            rho_sol = float(cached['density_nn']((log_p, log_t_sol_c)))

        # Liquid-side: density at T_liq
        log_t_liq_c, _ = _paleos_clamp_temperature(log_p, log_t_liq, cached)
        rho_liq = _fast_bilinear(log_p, log_t_liq_c, cached['density_grid'], cached)
        if not np.isfinite(rho_liq):
            rho_liq = float(cached['density_nn']((log_p, log_t_liq_c)))

        if not (np.isfinite(rho_sol) and np.isfinite(rho_liq)):
            return None

        # Volume additivity
        specific_volume = phi * (1.0 / rho_liq) + (1.0 - phi) * (1.0 / rho_sol)
        return 1.0 / specific_volume

    except Exception as e:
        logger.error(
            f'Error in PALEOS unified density at P={pressure:.2e} Pa, '
            f'T={temperature:.1f} K: {e}'
        )
        return None

get_paleos_unified_density_batch(pressures, temperatures, material_dict, mushy_zone_factor, interpolation_functions)

Vectorized density lookup from a unified PALEOS table.

Parameters:

Name Type Description Default
pressures ndarray

1D array of pressures in Pa.

required
temperatures ndarray

1D array of temperatures in K.

required
material_dict dict

Material properties dict with 'eos_file' and 'format' keys.

required
mushy_zone_factor float

Cryoscopic depression factor. 1.0 = no mushy zone.

required
interpolation_functions dict

Shared interpolation cache.

required

Returns:

Type Description
ndarray

1D array of densities in kg/m^3. NaN where lookup fails.

Source code in src/zalmoxis/eos_functions.py
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
def get_paleos_unified_density_batch(
    pressures, temperatures, material_dict, mushy_zone_factor, interpolation_functions
):
    """Vectorized density lookup from a unified PALEOS table.

    Parameters
    ----------
    pressures : numpy.ndarray
        1D array of pressures in Pa.
    temperatures : numpy.ndarray
        1D array of temperatures in K.
    material_dict : dict
        Material properties dict with 'eos_file' and 'format' keys.
    mushy_zone_factor : float
        Cryoscopic depression factor. 1.0 = no mushy zone.
    interpolation_functions : dict
        Shared interpolation cache.

    Returns
    -------
    numpy.ndarray
        1D array of densities in kg/m^3. NaN where lookup fails.
    """
    eos_file = material_dict['eos_file']
    cached = _ensure_unified_cache(eos_file, interpolation_functions)

    p_clamped = np.clip(pressures, cached['p_min'], cached['p_max'])
    log_p = np.log10(p_clamped)
    log_t = np.log10(np.maximum(temperatures, 1.0))

    # Per-cell clamping (vectorized)
    ulp = cached['unique_log_p']
    lt_min = cached['logt_valid_min']
    lt_max = cached['logt_valid_max']
    local_tmin = np.interp(log_p, ulp, lt_min)
    local_tmax = np.interp(log_p, ulp, lt_max)

    valid_bounds = np.isfinite(local_tmin) & np.isfinite(local_tmax)
    log_t_clamped = log_t.copy()
    log_t_clamped = np.where(valid_bounds & (log_t < local_tmin), local_tmin, log_t_clamped)
    log_t_clamped = np.where(valid_bounds & (log_t > local_tmax), local_tmax, log_t_clamped)

    if mushy_zone_factor >= 1.0 or len(cached['liquidus_log_p']) == 0:
        # Direct lookup: batch interpolation
        pts = np.column_stack([log_p, log_t_clamped])
        result = cached['density_interp'](pts)
        # NN fallback for NaN entries
        nan_mask = ~np.isfinite(result)
        if np.any(nan_mask):
            result[nan_mask] = cached['density_nn'](pts[nan_mask])
        return result

    # Mushy zone path (vectorized).
    # Compute T_melt from the PALEOS analytic melting curve rather than
    # interpolating the extracted liquidus grid. This is faster and avoids
    # branching per-element for the "outside liquidus coverage" case.
    from .melting_curves import paleos_liquidus

    T_melt = paleos_liquidus(pressures)

    # Derive mushy zone boundaries (currently from PALEOS liquidus,
    # but may come from external melting curves in future).
    T_liq = T_melt.copy()
    T_sol = T_liq * mushy_zone_factor

    # Clamp endpoints against PALEOS's own melting curve
    T_sol = np.minimum(T_sol, T_melt - _DT_PHASE_GUARD)
    T_liq = np.maximum(T_liq, T_melt + _DT_PHASE_GUARD)

    log_t_sol = np.log10(np.maximum(T_sol, 1.0))
    log_t_liq = np.log10(np.maximum(T_liq, 1.0))

    # Classify shells: above liquidus, below solidus, or in mushy zone
    above = temperatures >= T_liq
    below = temperatures <= T_sol
    mushy = ~above & ~below

    # Direct lookup for above-liquidus and below-solidus shells
    pts = np.column_stack([log_p, log_t_clamped])
    result = cached['density_interp'](pts)
    nan_mask = ~np.isfinite(result)
    if np.any(nan_mask):
        result[nan_mask] = cached['density_nn'](pts[nan_mask])

    # Mushy zone shells: volume-average between solid-side and liquid-side
    if np.any(mushy):
        m_idx = np.where(mushy)[0]
        phi = (temperatures[m_idx] - T_sol[m_idx]) / (T_liq[m_idx] - T_sol[m_idx])

        # Solid-side density at T_sol
        log_t_sol_c = log_t_sol[m_idx].copy()
        sol_tmin = np.interp(log_p[m_idx], ulp, lt_min)
        sol_tmax = np.interp(log_p[m_idx], ulp, lt_max)
        sol_valid = np.isfinite(sol_tmin) & np.isfinite(sol_tmax)
        log_t_sol_c = np.where(sol_valid & (log_t_sol_c < sol_tmin), sol_tmin, log_t_sol_c)
        log_t_sol_c = np.where(sol_valid & (log_t_sol_c > sol_tmax), sol_tmax, log_t_sol_c)
        pts_sol = np.column_stack([log_p[m_idx], log_t_sol_c])
        rho_sol = cached['density_interp'](pts_sol)
        nn_sol = ~np.isfinite(rho_sol)
        if np.any(nn_sol):
            rho_sol[nn_sol] = cached['density_nn'](pts_sol[nn_sol])

        # Liquid-side density at T_liq
        log_t_liq_c = log_t_liq[m_idx].copy()
        liq_tmin = np.interp(log_p[m_idx], ulp, lt_min)
        liq_tmax = np.interp(log_p[m_idx], ulp, lt_max)
        liq_valid = np.isfinite(liq_tmin) & np.isfinite(liq_tmax)
        log_t_liq_c = np.where(liq_valid & (log_t_liq_c < liq_tmin), liq_tmin, log_t_liq_c)
        log_t_liq_c = np.where(liq_valid & (log_t_liq_c > liq_tmax), liq_tmax, log_t_liq_c)
        pts_liq = np.column_stack([log_p[m_idx], log_t_liq_c])
        rho_liq = cached['density_interp'](pts_liq)
        nn_liq = ~np.isfinite(rho_liq)
        if np.any(nn_liq):
            rho_liq[nn_liq] = cached['density_nn'](pts_liq[nn_liq])

        # Volume additivity
        both_ok = np.isfinite(rho_sol) & np.isfinite(rho_liq) & (rho_sol > 0) & (rho_liq > 0)
        spec_vol = phi * (1.0 / np.where(both_ok, rho_liq, 1.0)) + (1.0 - phi) * (
            1.0 / np.where(both_ok, rho_sol, 1.0)
        )
        result[m_idx] = np.where(both_ok, 1.0 / spec_vol, np.nan)

    return result

get_solidus_liquidus_functions(solidus_id='Stixrude14-solidus', liquidus_id='Stixrude14-liquidus')

Load solidus and liquidus melting curves by config identifier.

Delegates to :func:zalmoxis.melting_curves.get_solidus_liquidus_functions.

Parameters:

Name Type Description Default
solidus_id str

Solidus curve identifier.

'Stixrude14-solidus'
liquidus_id str

Liquidus curve identifier.

'Stixrude14-liquidus'

Returns:

Type Description
tuple of callable

(solidus_func, liquidus_func)

Source code in src/zalmoxis/eos_functions.py
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
def get_solidus_liquidus_functions(
    solidus_id='Stixrude14-solidus', liquidus_id='Stixrude14-liquidus'
):
    """Load solidus and liquidus melting curves by config identifier.

    Delegates to :func:`zalmoxis.melting_curves.get_solidus_liquidus_functions`.

    Parameters
    ----------
    solidus_id : str
        Solidus curve identifier.
    liquidus_id : str
        Liquidus curve identifier.

    Returns
    -------
    tuple of callable
        ``(solidus_func, liquidus_func)``
    """
    from .melting_curves import get_solidus_liquidus_functions as _get

    return _get(solidus_id, liquidus_id)

get_tabulated_eos(pressure, material_dictionary, material, temperature=None, interpolation_functions=None)

Retrieve density from tabulated EOS data for a given material.

Parameters:

Name Type Description Default
pressure float

Pressure at which to evaluate the EOS, in Pa.

required
material_dictionary dict

Dictionary containing material properties and EOS file paths.

required
material str

Material type, for example "core", "mantle", "ice_layer", "melted_mantle", or "solid_mantle".

required
temperature float

Temperature at which to evaluate the EOS, in K. Required for temperature-dependent materials such as "melted_mantle" and "solid_mantle".

None
interpolation_functions dict

Cache of interpolation functions used to avoid reloading and rebuilding interpolators for EOS tables.

None

Returns:

Type Description
float or None

Density in kg/m^3 if the interpolation succeeds, otherwise None.

Source code in src/zalmoxis/eos_functions.py
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
def get_tabulated_eos(
    pressure, material_dictionary, material, temperature=None, interpolation_functions=None
):
    """
    Retrieve density from tabulated EOS data for a given material.

    Parameters
    ----------
    pressure : float
        Pressure at which to evaluate the EOS, in Pa.
    material_dictionary : dict
        Dictionary containing material properties and EOS file paths.
    material : str
        Material type, for example ``"core"``, ``"mantle"``,
        ``"ice_layer"``, ``"melted_mantle"``, or ``"solid_mantle"``.
    temperature : float, optional
        Temperature at which to evaluate the EOS, in K. Required for
        temperature-dependent materials such as ``"melted_mantle"`` and
        ``"solid_mantle"``.
    interpolation_functions : dict, optional
        Cache of interpolation functions used to avoid reloading and
        rebuilding interpolators for EOS tables.

    Returns
    -------
    float or None
        Density in kg/m^3 if the interpolation succeeds, otherwise ``None``.

    """
    if interpolation_functions is None:
        interpolation_functions = {}
    props = material_dictionary[material]
    eos_file = props['eos_file']
    is_paleos = props.get('format') == 'paleos'
    try:
        if eos_file not in interpolation_functions:
            if is_paleos:
                # PALEOS 10-column format with log-log grid
                interpolation_functions[eos_file] = load_paleos_table(eos_file)
            elif material == 'melted_mantle' or material == 'solid_mantle':
                # Load P-T–ρ file
                data = np.loadtxt(eos_file, delimiter='\t', skiprows=1)
                pressures = data[:, 0]  # in Pa
                temps = data[:, 1]  # in K
                densities = data[:, 2]  # in kg/m^3
                unique_pressures = np.unique(pressures)
                unique_temps = np.unique(temps)

                is_regular = len(data) == len(unique_pressures) * len(unique_temps)

                if is_regular:
                    # Check if pressures and temps are sorted as expected
                    if not (
                        np.all(np.diff(unique_pressures) > 0)
                        and np.all(np.diff(unique_temps) > 0)
                    ):
                        raise ValueError(
                            'Pressures or temperatures are not sorted as expected in EOS file.'
                        )

                    # Reshape densities to a 2D grid for interpolation
                    density_grid = densities.reshape(len(unique_pressures), len(unique_temps))

                    # Create a RegularGridInterpolator for ρ(P,T)
                    interpolator = RegularGridInterpolator(
                        (unique_pressures, unique_temps),
                        density_grid,
                        bounds_error=False,
                        fill_value=None,
                    )
                    interpolation_functions[eos_file] = {
                        'type': 'regular',
                        'interp': interpolator,
                        'p_min': unique_pressures[0],
                        'p_max': unique_pressures[-1],
                        't_min': unique_temps[0],
                        't_max': unique_temps[-1],
                    }
                else:
                    # Irregular grid (e.g. RTPress100TPa melt table where the
                    # valid T range varies with P). Use scattered-data
                    # interpolation via Delaunay triangulation.
                    logger.info(
                        f'EOS file {eos_file} has irregular grid '
                        f'({len(data)} rows vs {len(unique_pressures)}×{len(unique_temps)} '
                        f'= {len(unique_pressures) * len(unique_temps)} expected). '
                        f'Using LinearNDInterpolator.'
                    )
                    # Work in log-P space for better triangulation of the
                    # logarithmically spaced pressure axis
                    log_pressures = np.log10(pressures)
                    interpolator = LinearNDInterpolator(
                        np.column_stack([log_pressures, temps]),
                        densities,
                    )
                    interpolation_functions[eos_file] = {
                        'type': 'irregular',
                        'interp': interpolator,
                        'p_min': unique_pressures[0],
                        'p_max': unique_pressures[-1],
                        't_min': unique_temps[0],
                        't_max': unique_temps[-1],
                        # Per-pressure T bounds for out-of-domain detection
                        'p_tmax': {p: temps[pressures == p].max() for p in unique_pressures},
                        'unique_pressures': unique_pressures,
                    }
            else:
                # Load ρ-P file
                data = np.loadtxt(eos_file, delimiter=',', skiprows=1)
                pressure_data = data[:, 1] * 1e9  # Convert from GPa to Pa
                density_data = data[:, 0] * 1e3  # Convert from g/cm^3 to kg/m^3
                interpolation_functions[eos_file] = {
                    'type': '1d',
                    'interp': interp1d(
                        pressure_data,
                        density_data,
                        bounds_error=False,
                        fill_value='extrapolate',
                    ),
                }

        cached = interpolation_functions[eos_file]  # Retrieve from cache

        # Perform interpolation
        if cached['type'] == 'paleos':
            # PALEOS: interpolate in log10(P)-log10(T) space
            if temperature is None:
                raise ValueError('Temperature must be provided.')
            p_min, p_max = cached['p_min'], cached['p_max']

            # Clamp pressure to global bounds
            if pressure < p_min or pressure > p_max:
                logger.debug(
                    f'PALEOS: Pressure {pressure:.2e} Pa out of bounds '
                    f'[{p_min:.2e}, {p_max:.2e}]. Clamping.'
                )
                pressure = np.clip(pressure, p_min, p_max)

            log_p = np.log10(pressure)
            log_t = np.log10(max(temperature, 1.0))  # guard log10(0)

            # Per-cell clamping: restrict T to the valid data range at this P
            log_t_clamped, was_clamped = _paleos_clamp_temperature(log_p, log_t, cached)
            if was_clamped and eos_file not in _paleos_clamp_warned:
                _paleos_clamp_warned.add(eos_file)
                t_orig = temperature
                t_new = 10.0**log_t_clamped
                logger.warning(
                    f'PALEOS per-cell clamping active for {os.path.basename(eos_file)}: '
                    f'T={t_orig:.0f} K clamped to {t_new:.0f} K at P={pressure:.2e} Pa. '
                    f'The table has no valid data at this (P,T). '
                    f'Density values near the table boundary may be inaccurate.'
                )

            density = _fast_bilinear(log_p, log_t_clamped, cached['density_grid'], cached)

            # Nearest-neighbor fallback: bilinear interpolation returns NaN
            # when a valid cell neighbors a NaN cell near the ragged domain
            # boundary. Fall back to the nearest valid grid cell.
            if not np.isfinite(density):
                density = float(cached['density_nn']((log_p, log_t_clamped)))
        elif material == 'melted_mantle' or material == 'solid_mantle':
            if temperature is None:
                raise ValueError('Temperature must be provided.')

            grid_type = cached['type']
            p_min, p_max = cached['p_min'], cached['p_max']
            t_min, t_max = cached['t_min'], cached['t_max']

            # Global temperature bounds check
            if temperature < t_min or temperature > t_max:
                raise ValueError(
                    f'Temperature {temperature:.2f} K is out of bounds '
                    f'for EOS data [{t_min:.1f}, {t_max:.1f}].'
                )

            # Pressure clamping (both grid types)
            if pressure < p_min or pressure > p_max:
                logger.debug(
                    f'Pressure {pressure:.2e} Pa out of bounds for EOS table '
                    f'[{p_min:.2e}, {p_max:.2e}]. Clamping to boundary.'
                )
                pressure = np.clip(pressure, p_min, p_max)

            if grid_type == 'regular':
                density = cached['interp']((pressure, temperature))
            else:
                # Irregular grid: check per-pressure T upper bound.
                # Find the nearest pressure in the table to get the local T_max.
                up = cached['unique_pressures']
                idx = np.searchsorted(up, pressure, side='right')
                idx = min(idx, len(up) - 1)
                # Interpolate between the two nearest pressures' T_max
                idx_lo = max(0, idx - 1)
                local_tmax_lo = cached['p_tmax'][up[idx_lo]]
                local_tmax_hi = cached['p_tmax'][up[idx]]
                if up[idx] != up[idx_lo]:
                    frac = (pressure - up[idx_lo]) / (up[idx] - up[idx_lo])
                    local_tmax = local_tmax_lo + frac * (local_tmax_hi - local_tmax_lo)
                else:
                    local_tmax = local_tmax_lo

                if temperature > local_tmax:
                    # Clamp temperature to the local domain boundary
                    logger.debug(
                        f'Temperature {temperature:.1f} K exceeds local T_max '
                        f'{local_tmax:.1f} K at P={pressure:.2e} Pa. '
                        f'Clamping to boundary.'
                    )
                    temperature = local_tmax

                density = float(cached['interp']([[np.log10(pressure), temperature]])[0])
        else:
            density = cached['interp'](pressure)

        if density is None or not np.isfinite(density):
            raise ValueError(
                f'Density calculation failed for {material} at P={pressure:.2e} Pa, T={temperature}.'
            )

        return density

    except (ValueError, OSError) as e:
        logger.error(
            f'Error with tabulated EOS for {material} at P={pressure:.2e} Pa, T={temperature}: {e}'
        )
        return None
    except Exception as e:
        logger.error(
            f'Unexpected error with tabulated EOS for {material} at P={pressure:.2e} Pa, T={temperature}: {e}'
        )
        return None

load_melting_curve(melt_file)

Load a melting curve for MgSiO3 from a text file.

Parameters:

Name Type Description Default
melt_file str or path - like

Path to the melting curve data file. The file is expected to contain two columns: pressure in Pa and temperature in K.

required

Returns:

Type Description
interp1d or None

One-dimensional interpolation function returning temperature as a function of pressure. Returns None if the file cannot be loaded.

Source code in src/zalmoxis/eos_functions.py
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
def load_melting_curve(melt_file):
    """
    Load a melting curve for MgSiO3 from a text file.

    Parameters
    ----------
    melt_file : str or path-like
        Path to the melting curve data file. The file is expected to contain
        two columns: pressure in Pa and temperature in K.

    Returns
    -------
    scipy.interpolate.interp1d or None
        One-dimensional interpolation function returning temperature as a
        function of pressure. Returns ``None`` if the file cannot be loaded.
    """
    try:
        data = np.loadtxt(melt_file, comments='#')
        pressures = data[:, 0]  # in Pa
        temperatures = data[:, 1]  # in K
        interp_func = interp1d(
            pressures, temperatures, kind='linear', bounds_error=False, fill_value=np.nan
        )
        return interp_func
    except Exception as e:
        print(f'Error loading melting curve data: {e}')
        return None

load_paleos_table(eos_file)

Load a PALEOS MgSiO3 table and build RegularGridInterpolator objects.

The PALEOS tables have 10 columns (SI units): P, T, rho, u, s, cp, cv, alpha, nabla_ad, phase_id(string). The grid is log-uniform in both P and T with 150 points per decade. Some grid cells are missing (unconverged corners), filled with NaN. A P=0 row may exist and is excluded for log interpolation.

Parameters:

Name Type Description Default
eos_file str

Path to the PALEOS table file.

required

Returns:

Type Description
dict

Cache entry with keys: - 'type': 'paleos' - 'density_interp': RegularGridInterpolator for rho(log10P, log10T) - 'nabla_ad_interp': RegularGridInterpolator for nabla_ad(log10P, log10T) - 'p_min', 'p_max': pressure bounds in Pa - 't_min', 't_max': temperature bounds in K

Source code in src/zalmoxis/eos_functions.py
 44
 45
 46
 47
 48
 49
 50
 51
 52
 53
 54
 55
 56
 57
 58
 59
 60
 61
 62
 63
 64
 65
 66
 67
 68
 69
 70
 71
 72
 73
 74
 75
 76
 77
 78
 79
 80
 81
 82
 83
 84
 85
 86
 87
 88
 89
 90
 91
 92
 93
 94
 95
 96
 97
 98
 99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
def load_paleos_table(eos_file):
    """Load a PALEOS MgSiO3 table and build RegularGridInterpolator objects.

    The PALEOS tables have 10 columns (SI units):
    P, T, rho, u, s, cp, cv, alpha, nabla_ad, phase_id(string).
    The grid is log-uniform in both P and T with 150 points per decade.
    Some grid cells are missing (unconverged corners), filled with NaN.
    A P=0 row may exist and is excluded for log interpolation.

    Parameters
    ----------
    eos_file : str
        Path to the PALEOS table file.

    Returns
    -------
    dict
        Cache entry with keys:
        - ``'type'``: ``'paleos'``
        - ``'density_interp'``: RegularGridInterpolator for rho(log10P, log10T)
        - ``'nabla_ad_interp'``: RegularGridInterpolator for nabla_ad(log10P, log10T)
        - ``'p_min'``, ``'p_max'``: pressure bounds in Pa
        - ``'t_min'``, ``'t_max'``: temperature bounds in K
    """
    # Read only numeric columns (0-8), skipping the string phase_id column (9)
    data = np.genfromtxt(eos_file, usecols=range(9), comments='#')

    pressures = data[:, 0]
    temps = data[:, 1]
    densities = data[:, 2]
    nabla_ad = data[:, 8]

    # Filter out P=0 rows (log10(0) is undefined)
    valid = pressures > 0
    pressures = pressures[valid]
    temps = temps[valid]
    densities = densities[valid]
    nabla_ad = nabla_ad[valid]

    # Work in log10 space for the grid axes
    log_p = np.log10(pressures)
    log_t = np.log10(temps)

    unique_log_p = np.unique(log_p)
    unique_log_t = np.unique(log_t)

    n_p = len(unique_log_p)
    n_t = len(unique_log_t)

    # Build 2D grids filled with NaN for missing cells
    density_grid = np.full((n_p, n_t), np.nan)
    nabla_ad_grid = np.full((n_p, n_t), np.nan)

    # Map log_p and log_t values to grid indices
    p_idx_map = {v: i for i, v in enumerate(unique_log_p)}
    t_idx_map = {v: i for i, v in enumerate(unique_log_t)}

    for k in range(len(pressures)):
        ip = p_idx_map[log_p[k]]
        it = t_idx_map[log_t[k]]
        density_grid[ip, it] = densities[k]
        nabla_ad_grid[ip, it] = nabla_ad[k]

    density_interp = RegularGridInterpolator(
        (unique_log_p, unique_log_t),
        density_grid,
        bounds_error=False,
        fill_value=np.nan,
    )
    nabla_ad_interp = RegularGridInterpolator(
        (unique_log_p, unique_log_t),
        nabla_ad_grid,
        bounds_error=False,
        fill_value=np.nan,
    )

    # Per-pressure valid T bounds for per-cell clamping.
    # At each pressure row, find the min and max log10(T) with finite density.
    # This lets us clamp queries into the valid domain when the grid has NaN
    # holes in the corners (e.g. high T at low P in the liquid table).
    logt_valid_min = np.full(n_p, np.nan)
    logt_valid_max = np.full(n_p, np.nan)
    for ip in range(n_p):
        finite_mask = np.isfinite(density_grid[ip, :])
        if finite_mask.any():
            valid_indices = np.where(finite_mask)[0]
            logt_valid_min[ip] = unique_log_t[valid_indices[0]]
            logt_valid_max[ip] = unique_log_t[valid_indices[-1]]

    # Nearest-neighbor fallback interpolators built from valid cells only.
    # Used when bilinear interpolation returns NaN near the ragged domain
    # boundary (a valid cell neighboring a NaN cell poisons bilinear output).
    valid_cells = np.isfinite(density_grid)
    ip_valid, it_valid = np.where(valid_cells)
    coords_valid = np.column_stack([unique_log_p[ip_valid], unique_log_t[it_valid]])

    density_nn = NearestNDInterpolator(coords_valid, density_grid[valid_cells])
    nabla_ad_nn = NearestNDInterpolator(
        coords_valid[np.isfinite(nabla_ad_grid[valid_cells])],
        nabla_ad_grid[valid_cells][np.isfinite(nabla_ad_grid[valid_cells])],
    )

    # Precompute grid spacing for O(1) bilinear interpolation.
    dlog_p = (unique_log_p[-1] - unique_log_p[0]) / (n_p - 1) if n_p > 1 else 1.0
    dlog_t = (unique_log_t[-1] - unique_log_t[0]) / (n_t - 1) if n_t > 1 else 1.0

    return {
        'type': 'paleos',
        'density_interp': density_interp,
        'nabla_ad_interp': nabla_ad_interp,
        'density_nn': density_nn,
        'nabla_ad_nn': nabla_ad_nn,
        'p_min': 10.0 ** unique_log_p[0],
        'p_max': 10.0 ** unique_log_p[-1],
        't_min': 10.0 ** unique_log_t[0],
        't_max': 10.0 ** unique_log_t[-1],
        'unique_log_p': unique_log_p,
        'unique_log_t': unique_log_t,
        'logt_valid_min': logt_valid_min,
        'logt_valid_max': logt_valid_max,
        # Fast bilinear interpolation data
        'density_grid': density_grid,
        'nabla_ad_grid': nabla_ad_grid,
        'logp_min': unique_log_p[0],
        'logp_max': unique_log_p[-1],
        'logt_min': unique_log_t[0],
        'logt_max': unique_log_t[-1],
        'dlog_p': dlog_p,
        'dlog_t': dlog_t,
        'n_p': n_p,
        'n_t': n_t,
    }

load_paleos_unified_table(eos_file)

Load a unified PALEOS table (single file per material) and build interpolators.

The unified tables use the same 10-column format as the 2-phase tables (P, T, rho, u, s, cp, cv, alpha, nabla_ad, phase_id) but contain all stable phases for a material in a single file. The thermodynamically stable phase at each (P, T) is encoded in the phase column.

In addition to density and nabla_ad interpolators, this function extracts the liquidus boundary from the phase column: for each pressure row, it finds the lowest temperature where the phase is 'liquid'.

Parameters:

Name Type Description Default
eos_file str

Path to the unified PALEOS table file.

required

Returns:

Type Description
dict

Cache entry with keys: - 'type': 'paleos_unified' - 'density_interp': RegularGridInterpolator for rho(log10P, log10T) - 'nabla_ad_interp': RegularGridInterpolator for nabla_ad(log10P, log10T) - 'density_nn', 'nabla_ad_nn': NearestNDInterpolator fallbacks - 'p_min', 'p_max': pressure bounds in Pa - 't_min', 't_max': temperature bounds in K - 'unique_log_p': unique log10(P) grid values - 'logt_valid_min', 'logt_valid_max': per-pressure T bounds - 'liquidus_log_p': log10(P) array for the extracted liquidus - 'liquidus_log_t': log10(T_liquidus) array at each pressure - 'phase_grid': 2D string array of phase identifiers

Source code in src/zalmoxis/eos_functions.py
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
def load_paleos_unified_table(eos_file):
    """Load a unified PALEOS table (single file per material) and build interpolators.

    The unified tables use the same 10-column format as the 2-phase tables
    (P, T, rho, u, s, cp, cv, alpha, nabla_ad, phase_id) but contain all
    stable phases for a material in a single file. The thermodynamically
    stable phase at each (P, T) is encoded in the phase column.

    In addition to density and nabla_ad interpolators, this function
    extracts the liquidus boundary from the phase column: for each pressure
    row, it finds the lowest temperature where the phase is 'liquid'.

    Parameters
    ----------
    eos_file : str
        Path to the unified PALEOS table file.

    Returns
    -------
    dict
        Cache entry with keys:
        - ``'type'``: ``'paleos_unified'``
        - ``'density_interp'``: RegularGridInterpolator for rho(log10P, log10T)
        - ``'nabla_ad_interp'``: RegularGridInterpolator for nabla_ad(log10P, log10T)
        - ``'density_nn'``, ``'nabla_ad_nn'``: NearestNDInterpolator fallbacks
        - ``'p_min'``, ``'p_max'``: pressure bounds in Pa
        - ``'t_min'``, ``'t_max'``: temperature bounds in K
        - ``'unique_log_p'``: unique log10(P) grid values
        - ``'logt_valid_min'``, ``'logt_valid_max'``: per-pressure T bounds
        - ``'liquidus_log_p'``: log10(P) array for the extracted liquidus
        - ``'liquidus_log_t'``: log10(T_liquidus) array at each pressure
        - ``'phase_grid'``: 2D string array of phase identifiers
    """
    # Read numeric columns (0-8)
    data_numeric = np.genfromtxt(eos_file, usecols=range(9), comments='#')

    # Read phase column (9) as strings
    phase_strings = np.genfromtxt(eos_file, usecols=(9,), dtype=str, comments='#')

    pressures = data_numeric[:, 0]
    temps = data_numeric[:, 1]
    densities = data_numeric[:, 2]
    nabla_ad = data_numeric[:, 8]

    # Filter out P=0 rows
    valid = pressures > 0
    pressures = pressures[valid]
    temps = temps[valid]
    densities = densities[valid]
    nabla_ad = nabla_ad[valid]
    phase_strings = np.char.strip(phase_strings[valid])

    # Work in log10 space
    log_p = np.log10(pressures)
    log_t = np.log10(temps)

    unique_log_p = np.unique(log_p)
    unique_log_t = np.unique(log_t)

    n_p = len(unique_log_p)
    n_t = len(unique_log_t)

    # Build 2D grids
    density_grid = np.full((n_p, n_t), np.nan)
    nabla_ad_grid = np.full((n_p, n_t), np.nan)
    phase_grid = np.full((n_p, n_t), '', dtype=object)

    p_idx_map = {v: i for i, v in enumerate(unique_log_p)}
    t_idx_map = {v: i for i, v in enumerate(unique_log_t)}

    for k in range(len(pressures)):
        ip = p_idx_map[log_p[k]]
        it = t_idx_map[log_t[k]]
        density_grid[ip, it] = densities[k]
        nabla_ad_grid[ip, it] = nabla_ad[k]
        phase_grid[ip, it] = phase_strings[k]

    density_interp = RegularGridInterpolator(
        (unique_log_p, unique_log_t),
        density_grid,
        bounds_error=False,
        fill_value=np.nan,
    )
    nabla_ad_interp = RegularGridInterpolator(
        (unique_log_p, unique_log_t),
        nabla_ad_grid,
        bounds_error=False,
        fill_value=np.nan,
    )

    # Per-pressure valid T bounds
    logt_valid_min = np.full(n_p, np.nan)
    logt_valid_max = np.full(n_p, np.nan)
    for ip in range(n_p):
        finite_mask = np.isfinite(density_grid[ip, :])
        if finite_mask.any():
            valid_indices = np.where(finite_mask)[0]
            logt_valid_min[ip] = unique_log_t[valid_indices[0]]
            logt_valid_max[ip] = unique_log_t[valid_indices[-1]]

    # Nearest-neighbor fallback interpolators
    valid_cells = np.isfinite(density_grid)
    ip_valid, it_valid = np.where(valid_cells)
    coords_valid = np.column_stack([unique_log_p[ip_valid], unique_log_t[it_valid]])

    density_nn = NearestNDInterpolator(coords_valid, density_grid[valid_cells])

    nabla_valid = np.isfinite(nabla_ad_grid[valid_cells])
    nabla_ad_nn = NearestNDInterpolator(
        coords_valid[nabla_valid],
        nabla_ad_grid[valid_cells][nabla_valid],
    )

    # Extract liquidus boundary from the phase column.
    # For each pressure row, find the lowest T where phase == 'liquid'.
    liquidus_log_p = []
    liquidus_log_t = []
    for ip in range(n_p):
        liquid_mask = phase_grid[ip, :] == 'liquid'
        if liquid_mask.any():
            first_liquid_idx = np.where(liquid_mask)[0][0]
            liquidus_log_p.append(unique_log_p[ip])
            liquidus_log_t.append(unique_log_t[first_liquid_idx])

    liquidus_log_p = np.array(liquidus_log_p)
    liquidus_log_t = np.array(liquidus_log_t)

    # Precompute grid spacing for O(1) bilinear interpolation.
    # Both PALEOS and Chabrier grids are log-uniform (constant dlogP, dlogT).
    dlog_p = (unique_log_p[-1] - unique_log_p[0]) / (n_p - 1) if n_p > 1 else 1.0
    dlog_t = (unique_log_t[-1] - unique_log_t[0]) / (n_t - 1) if n_t > 1 else 1.0

    # Verify grid is log-uniform (required for O(1) bilinear interpolation)
    if n_p > 2:
        p_spacings = np.diff(unique_log_p)
        if not np.allclose(p_spacings, dlog_p, rtol=1e-3):
            logger.warning(
                f'P grid is not log-uniform: spacing range '
                f'[{p_spacings.min():.6f}, {p_spacings.max():.6f}] '
                f'vs mean {dlog_p:.6f}. Bilinear interpolation may be inaccurate.'
            )
    if n_t > 2:
        t_spacings = np.diff(unique_log_t)
        if not np.allclose(t_spacings, dlog_t, rtol=1e-3):
            logger.warning(
                f'T grid is not log-uniform: spacing range '
                f'[{t_spacings.min():.6f}, {t_spacings.max():.6f}] '
                f'vs mean {dlog_t:.6f}. Bilinear interpolation may be inaccurate.'
            )

    return {
        'type': 'paleos_unified',
        'density_interp': density_interp,
        'nabla_ad_interp': nabla_ad_interp,
        'density_nn': density_nn,
        'nabla_ad_nn': nabla_ad_nn,
        'p_min': 10.0 ** unique_log_p[0],
        'p_max': 10.0 ** unique_log_p[-1],
        't_min': 10.0 ** unique_log_t[0],
        't_max': 10.0 ** unique_log_t[-1],
        'unique_log_p': unique_log_p,
        'unique_log_t': unique_log_t,
        'logt_valid_min': logt_valid_min,
        'logt_valid_max': logt_valid_max,
        'liquidus_log_p': liquidus_log_p,
        'liquidus_log_t': liquidus_log_t,
        'phase_grid': phase_grid,
        # Fast bilinear interpolation data
        'density_grid': density_grid,
        'nabla_ad_grid': nabla_ad_grid,
        'logp_min': unique_log_p[0],
        'logp_max': unique_log_p[-1],
        'logt_min': unique_log_t[0],
        'logt_max': unique_log_t[-1],
        'dlog_p': dlog_p,
        'dlog_t': dlog_t,
        'n_p': n_p,
        'n_t': n_t,
    }