Performing a Standard BEAST-VQE Convergence Study

In this example, we plot the convergence of a BEAST Variational Quantum Eigensolver (BEAST-VQE) calculation.

Full Script

The script below shows the full script, which are then explained section by section.

  1"""Demonstrate BEAST-VQE convergence plotting on LiH molecule."""
  2# pyright: reportUnknownVariableType=false, reportMissingImports=false
  3# ruff: noqa
  4
  5from pathlib import Path
  6
  7import matplotlib.pyplot as plt
  8import numpy as np
  9
 10import qrunch as qc
 11
 12
 13def plot_energies(
 14    beast_energies: list[float],
 15    reference_energy: float,
 16    *,
 17    outdir: Path = Path("dist"),
 18    show: bool = False,
 19) -> None:
 20    """
 21    Plot VQE energy convergence and log-scale error vs reference energy.
 22
 23    Args:
 24        beast_energies: Sequence of total energies per VQE iteration.
 25        reference_energy: Reference total energy (e.g., FCI) to compare against.
 26        outdir: Output directory where plots are written. Defaults to "dist".
 27        show: Whether to display the figures interactively after saving.
 28
 29    """
 30    # Convert to a NumPy array for safe numeric operations and validation.
 31    energies = np.asarray(list(beast_energies), dtype=float)
 32
 33    # Basic validation to help catch silent failures early.
 34    if energies.size == 0:
 35        msg = "beast_energies must contain at least one value."
 36        raise ValueError(msg)
 37    if not np.isfinite(energies).all():
 38        msg = "beast_energies contains non-finite values."
 39        raise ValueError(msg)
 40    if not np.isfinite(reference_energy):
 41        msg = "reference_energy must be finite."
 42        raise ValueError(msg)
 43
 44    # Prepare x-axis as 1-based iteration indices for readability.
 45    iterations = np.arange(1, energies.size + 1, dtype=int)
 46
 47    # Ensure output directory exists.
 48    outdir.mkdir(parents=True, exist_ok=True)
 49
 50    # -----------------------------
 51    # Figure 1: Energies vs Iteration
 52    # -----------------------------
 53    fig1 = plt.figure()
 54    plt.plot(iterations, energies, "-*", color="darkgreen", label="BEAST-VQE")  # points to visualize steps
 55    plt.axhline(reference_energy, linestyle="--", color="black", label="Reference")
 56    plt.xlabel("Iteration number")
 57    plt.ylabel("Total energy [Hartree]")
 58    plt.title("BEAST-VQE convergence")
 59    plt.legend()
 60    plt.tight_layout()
 61
 62    convergence_plot = outdir / "vqe_convergence.png"
 63    fig1.savefig(convergence_plot, dpi=200, bbox_inches="tight")
 64
 65    # -----------------------------
 66    # Figure 2: |Energy - Reference| (log scale)
 67    # -----------------------------
 68    # Use absolute error; add a tiny epsilon to avoid log(0) if we hit the reference exactly.
 69    eps = np.finfo(float).eps
 70    abs_error = np.abs(energies - reference_energy) + eps
 71
 72    fig2 = plt.figure()
 73    plt.semilogy(iterations, abs_error, "-*", color="darkgreen", label="|E - E_ref|")
 74    plt.xlabel("Iteration number")
 75    plt.ylabel("Absolute error [Hartree]")
 76    plt.title("BEAST-VQE error vs reference")
 77    plt.legend()
 78    plt.tight_layout()
 79
 80    error_convergence_plot = outdir / "vqe_error_semilogy.png"
 81    fig2.savefig(error_convergence_plot, dpi=200, bbox_inches="tight")
 82
 83    if show:
 84        plt.show()
 85    else:
 86        # Close figures to free memory when running in batch contexts.
 87        plt.close(fig1)
 88        plt.close(fig2)
 89
 90
 91
 92
 93def main() -> list[float]:
 94    """Run BEAST-VQE on LiH as the first script."""
 95    path_to_molecule_xyz_file = Path().absolute() / "qrunch/demo_scripts/lih.xyz"
 96    # Build Lithium Hydride (LiH) molecular configuration from xyz file.
 97    molecular_configuration = qc.build_molecular_configuration(
 98        molecule=Path(path_to_molecule_xyz_file),
 99        basis_set="sto3g",
100        spin_difference=0,
101        charge=0,
102        units="angstrom",
103    )
104
105    # Build the ground state problem.
106    problem_builder = qc.problem_builder_creator().ground_state().standard().create()
107    ground_state_problem = problem_builder.build_restricted(molecular_configuration)
108
109    adaptive_vqe_options = qc.options.IterativeVqeOptions(
110        max_iterations=100,  # Increase the maximum number of iterations
111        force_all_iterations=True,  # Force all iterations to run, independent of convergence.
112    )
113
114    # Build the BEAST-VQE calculator using the user-configured VQE instance
115    beast_vqe_calculator = (
116        qc
117        .calculator_creator()  # Start creating a calculator
118        .vqe()  # Narrow: pick Variational quantum eigensolver (VQE)
119        .iterative()  # Narrow: pick the iterative VQE
120        .beast()  # Narrow: pick the iterative VQE
121        .with_options(adaptive_vqe_options)  # Use the user-defined iterative VQE options
122        .choose_minimizer()  # Start sub-choice: Choose the gate parameter minimizer
123        .quick_default()  # Perform the sub-choice selection - Here we pick the greedy and quick minimizer
124        .create()  # Create the calculator instance
125    )
126
127    result = beast_vqe_calculator.calculate(ground_state_problem)
128
129    # We can get a nice timings report.
130    print(qc.get_execution_times_report())  # noqa: T201
131
132    # Extract BEAST-VQE energies for plotting
133    beast_energies = result.total_energy_per_macro_iteration_with_initial_energy_and_final_energy.values
134
135    # Build a Full Configuration Interaction (FCI) calculator
136    full_configuration_interaction_calculator = (
137        qc
138        .calculator_creator()  # Start creating a calculator
139        .configuration_interaction()  # Narrow: pick Configuration Interaction (CI)
140        .paired_electron_approximation()  # Narrow: pick paired CI
141        .create()  # Create the calculator instance
142    )
143
144    # Calculate the paired-FCI result for reference energy
145    pfci_result = full_configuration_interaction_calculator.calculate(ground_state_problem)
146
147    # Plot the convergence and error relative to FCI reference.
148    plot_energies(beast_energies, reference_energy=pfci_result.total_energy.value, show=True)
149
150    return beast_energies
151
152
153if __name__ == "__main__":
154    main()

Explanation

  1. Import Kvantify Qrunch

    from pathlib import Path
    
    import matplotlib.pyplot as plt
    import numpy as np
    
    import qrunch as qc
    

    This code snippet loads the python packages we need. The public and stable Kvantify Qrunch API is loaded as import qrunch as qc. This is the only import you need for most tasks, and the only one that is guaranteed to be supported across minor versions. In addition, we use matplotlib, numpy, and Path (from pathlib).

  2. The plotting method

    def plot_energies(
        beast_energies: list[float],
        reference_energy: float,
        *,
        outdir: Path = Path("dist"),
        show: bool = False,
    ) -> None:
        """
        Plot VQE energy convergence and log-scale error vs reference energy.
    
        Args:
            beast_energies: Sequence of total energies per VQE iteration.
            reference_energy: Reference total energy (e.g., FCI) to compare against.
            outdir: Output directory where plots are written. Defaults to "dist".
            show: Whether to display the figures interactively after saving.
    
        """
        # Convert to a NumPy array for safe numeric operations and validation.
        energies = np.asarray(list(beast_energies), dtype=float)
    
        # Basic validation to help catch silent failures early.
        if energies.size == 0:
            msg = "beast_energies must contain at least one value."
            raise ValueError(msg)
        if not np.isfinite(energies).all():
            msg = "beast_energies contains non-finite values."
            raise ValueError(msg)
        if not np.isfinite(reference_energy):
            msg = "reference_energy must be finite."
            raise ValueError(msg)
    
        # Prepare x-axis as 1-based iteration indices for readability.
        iterations = np.arange(1, energies.size + 1, dtype=int)
    
        # Ensure output directory exists.
        outdir.mkdir(parents=True, exist_ok=True)
    
        # -----------------------------
        # Figure 1: Energies vs Iteration
        # -----------------------------
        fig1 = plt.figure()
        plt.plot(iterations, energies, "-*", color="darkgreen", label="BEAST-VQE")  # points to visualize steps
        plt.axhline(reference_energy, linestyle="--", color="black", label="Reference")
        plt.xlabel("Iteration number")
        plt.ylabel("Total energy [Hartree]")
        plt.title("BEAST-VQE convergence")
        plt.legend()
        plt.tight_layout()
    
        convergence_plot = outdir / "vqe_convergence.png"
        fig1.savefig(convergence_plot, dpi=200, bbox_inches="tight")
    
        # -----------------------------
        # Figure 2: |Energy - Reference| (log scale)
        # -----------------------------
        # Use absolute error; add a tiny epsilon to avoid log(0) if we hit the reference exactly.
        eps = np.finfo(float).eps
        abs_error = np.abs(energies - reference_energy) + eps
    
        fig2 = plt.figure()
        plt.semilogy(iterations, abs_error, "-*", color="darkgreen", label="|E - E_ref|")
        plt.xlabel("Iteration number")
        plt.ylabel("Absolute error [Hartree]")
        plt.title("BEAST-VQE error vs reference")
        plt.legend()
        plt.tight_layout()
    
        error_convergence_plot = outdir / "vqe_error_semilogy.png"
        fig2.savefig(error_convergence_plot, dpi=200, bbox_inches="tight")
    
        if show:
            plt.show()
        else:
            # Close figures to free memory when running in batch contexts.
            plt.close(fig1)
            plt.close(fig2)
    
    
    

    This code plots the convergence of the VQE energy and the error relative to the reference. The paired Full Configuration Interaction (pFCI) energy.

    The code generates two PNG files under dist/:

    • vqe_convergence.png

    • vqe_error_semilogy.png

  3. Molecule from XYZ file

        # Build Lithium Hydride (LiH) molecular configuration from xyz file.
        molecular_configuration = qc.build_molecular_configuration(
            molecule=Path(path_to_molecule_xyz_file),
            basis_set="sto3g",
            spin_difference=0,
            charge=0,
            units="angstrom",
        )
    

    We load LiH from an XYZ file, set the STO-3G basis, neutral charge zero spin difference, and specify the unit as ångström.

  4. Build the ground-state problem

        # Build the ground state problem.
        problem_builder = qc.problem_builder_creator().ground_state().standard().create()
        ground_state_problem = problem_builder.build_restricted(molecular_configuration)
    

    We create a standard ground-state problem using the problem builder. Here we use the restricted variant for LiH This is required for the BEAST-VQE algorithm, and the Paired-FCI reference calculation.

  5. Configure and create the BEAST-VQE calculator

        adaptive_vqe_options = qc.options.IterativeVqeOptions(
            max_iterations=100,  # Increase the maximum number of iterations
            force_all_iterations=True,  # Force all iterations to run, independent of convergence.
        )
    
        # Build the BEAST-VQE calculator using the user-configured VQE instance
        beast_vqe_calculator = (
            qc
            .calculator_creator()  # Start creating a calculator
            .vqe()  # Narrow: pick Variational quantum eigensolver (VQE)
            .iterative()  # Narrow: pick the iterative VQE
            .beast()  # Narrow: pick the iterative VQE
            .with_options(adaptive_vqe_options)  # Use the user-defined iterative VQE options
            .choose_minimizer()  # Start sub-choice: Choose the gate parameter minimizer
            .quick_default()  # Perform the sub-choice selection - Here we pick the greedy and quick minimizer
            .create()  # Create the calculator instance
        )
    

    We specify that we want a maximum of 100 iterations, one gate per iteration, and we force all iterations to be executed, independent of any stopping criteria.

    We then build the adaptive VQE with the specified options and wrap it in the BEAST-VQE calculator, where we choose a quick default gate parameter optimization method, optimizing only the parameter of the last gate in every iteration.

  6. Run and extract energies

        result = beast_vqe_calculator.calculate(ground_state_problem)
    

    We run the VQE calculation, and here we also print a timing report for profiling:

        # We can get a nice timings report.
        print(qc.get_execution_times_report())  # noqa: T201
    
  7. Compute a high-accuracy paired-FCI reference

        # Build a Full Configuration Interaction (FCI) calculator
        full_configuration_interaction_calculator = (
            qc
            .calculator_creator()  # Start creating a calculator
            .configuration_interaction()  # Narrow: pick Configuration Interaction (CI)
            .paired_electron_approximation()  # Narrow: pick paired CI
            .create()  # Create the calculator instance
        )
    
        # Calculate the paired-FCI result for reference energy
        pfci_result = full_configuration_interaction_calculator.calculate(ground_state_problem)
    

    We build a paired-FCI calculator and calculate the paired-FCI energy for the same problem to use as a reference.

  8. Make the plots

        # Plot the convergence and error relative to FCI reference.
        plot_energies(beast_energies, reference_energy=pfci_result.total_energy.value, show=True)
    

    We plot the VQE convergence and the error relative to the paired-FCI reference, by calling the plotting function defined above.

Running the Example

After saving the script as run_vqe_convergence.py, you can run it directly from the command line:

$ python run_vqe_convergence.py

You should see 2 plots:

BEAST-VQE convergence plot BEAST-VQE convergence plot, as the error relative to paired-FCI