# Copyright © 2025 HQS Quantum Simulations GmbH. All Rights Reserved.
"""Visualization module."""
from __future__ import annotations
from typing import Optional, Union
import matplotlib.pyplot as plt
import numpy as np
from hqs_nmr.datatypes import (
NMRSpectrum1D,
NMRGreensFunction1D,
NMRExperimentalSpectrum1D,
)
[docs]
def maximum_excluding_region(
x: np.ndarray, y: np.ndarray, exclude: Optional[tuple[float, float]] = None
) -> float:
"""Determine the maximum of y excluding a specific region of x values.
Args:
x: Values of x.
y: Values of y.
exclude: Region of x values to exclude. Find the overall maximum of y if set to None.
Returns:
The appropriate maximum value of y.
"""
if exclude is not None:
maximum1 = np.max(y[x < min(exclude)], initial=0.0)
maximum2 = np.max(y[x > max(exclude)], initial=0.0)
maximum = max(maximum1, maximum2)
else:
maximum = np.max(y)
return maximum
[docs]
def plot_spectra(
simulated: Union[NMRSpectrum1D, NMRGreensFunction1D],
experimental: NMRExperimentalSpectrum1D,
left: float = 10.0,
right: float = 0.0,
exclude: Optional[tuple[float, float]] = None,
) -> None:
"""Plot simulated and experimental spectra in one graph.
The simulated spectrum is in orange and upright. The experimental spectrum is in grey and
upside down.
Args:
simulated: Object storing the simulated spectrum.
experimental: Object storing the experimental spectrum.
left: Left margin of the plot in ppm.
right: Right margin of the plot in ppm.
exclude: Region to exclude for normalizing the spectrum (for the solvent peak).
"""
plt.rc("xtick", labelsize=16)
plt.rc("axes", labelsize=16)
fig = plt.figure(figsize=(9.0, 6.0))
ax = fig.gca()
for axis in "top", "bottom", "left", "right":
ax.spines[axis].set_linewidth(2)
ax.invert_xaxis()
ax.set_xlim(left, right)
ax.set_ylim(-1.1, 1.1)
ax.set_xlabel(r"$\delta$ (ppm)")
ax.xaxis.set_tick_params(width=2)
ax.get_yaxis().set_visible(False)
sim_x = np.array(simulated.omegas_ppm)
if isinstance(simulated, NMRGreensFunction1D):
sim_y = -1 * np.sum(simulated.spin_contributions.imag, axis=0)
else:
sim_y = np.sum(simulated.spin_contributions, axis=0)
sim_y = sim_y / maximum_excluding_region(sim_x, sim_y, exclude)
exp_x = experimental.omegas_ppm
exp_y = experimental.intensity
exp_y = -exp_y / maximum_excluding_region(exp_x, exp_y, exclude)
plt.plot(sim_x, sim_y, color="#d97815", linewidth=2, label="simulated")
plt.plot(exp_x, exp_y, color="#4d4d4d", linewidth=2, label="experiment")
ax.legend(loc="best", fontsize=16, frameon=False)