-
Notifications
You must be signed in to change notification settings - Fork 990
feat: add SVHN Quantum Kernel SVM benchmark #1175
New issue
Have a question about this project? Sign up for a free GitHub account to open an issue and contact its maintainers and the community.
By clicking “Sign up for GitHub”, you agree to our terms of service and privacy statement. We’ll occasionally send you account related emails.
Already on GitHub? Sign in to your account
Open
rich7420
wants to merge
3
commits into
apache:main
Choose a base branch
from
rich7420:svhn
base: main
Could not load branches
Branch not found: {{ refName }}
Loading
Could not load tags
Nothing to show
Loading
Are you sure you want to change the base?
Some commits from the old base branch may be removed from the timeline,
and old review comments may become outdated.
+530
−0
Open
Changes from all commits
Commits
Show all changes
3 commits
Select commit
Hold shift + click to select a range
File filter
Filter by extension
Conversations
Failed to load comments.
Loading
Jump to
Jump to file
Failed to load files.
Loading
Diff view
Diff view
There are no files selected for viewing
254 changes: 254 additions & 0 deletions
254
qdp/qdp-python/benchmark/encoding_benchmarks/cpu_baseline/svhn_kernel_amplitude.py
This file contains hidden or bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
| Original file line number | Diff line number | Diff line change |
|---|---|---|
| @@ -0,0 +1,254 @@ | ||
| #!/usr/bin/env python3 | ||
| # | ||
| # Licensed to the Apache Software Foundation (ASF) under one or more | ||
| # contributor license agreements. See the NOTICE file distributed with | ||
| # this work for additional information regarding copyright ownership. | ||
| # The ASF licenses this file to You under the Apache License, Version 2.0 | ||
| # (the "License"); you may not use this file except in compliance with | ||
| # the License. You may obtain a copy of the License at | ||
| # | ||
| # http://www.apache.org/licenses/LICENSE-2.0 | ||
| # | ||
| # Unless required by applicable law or agreed to in writing, software | ||
| # distributed under the License is distributed on an "AS IS" BASIS, | ||
| # WITHOUT WARRANTIES OR CONDITIONS OF ANY KIND, either express or implied. | ||
| # See the License for the specific language governing permissions and | ||
| # limitations under the License. | ||
|
|
||
| """ | ||
| Quantum Kernel SVM — PennyLane baseline (CPU encoding) — SVHN dataset. | ||
|
|
||
| Pipeline: | ||
| SVHN (32×32×3) → Flatten (3072) → L2-norm + zero-pad (4096, 12 qubits) | ||
| → Quantum Kernel K[i,j] = (encoded[i] · encoded[j])² → sklearn SVM | ||
|
|
||
| Encoding: CPU NumPy (L2-normalise + zero-pad to 2^12 = 4096). | ||
| Kernel: Precomputed squared inner product of amplitude-encoded state vectors. | ||
| Classifier: sklearn.svm.SVC(kernel='precomputed'). | ||
|
|
||
| Each pipeline step is timed separately to show the encoding fraction. | ||
| """ | ||
|
|
||
| from __future__ import annotations | ||
|
|
||
| import argparse | ||
| import os | ||
| import time | ||
| import urllib.request | ||
|
|
||
| import numpy as np | ||
|
|
||
| try: | ||
| from sklearn.preprocessing import StandardScaler | ||
| from sklearn.svm import SVC | ||
| except ImportError as e: | ||
| raise SystemExit( | ||
| "scikit-learn is required. Install with: uv sync --group benchmark" | ||
| ) from e | ||
|
|
||
| try: | ||
| from scipy.io import loadmat | ||
| except ImportError as e: | ||
| raise SystemExit("scipy is required. Install with: pip install scipy") from e | ||
|
|
||
|
|
||
| # --------------------------------------------------------------------------- | ||
| # SVHN data loading | ||
| # --------------------------------------------------------------------------- | ||
|
|
||
| SVHN_URLS = { | ||
| "train": "http://ufldl.stanford.edu/housenumbers/train_32x32.mat", | ||
| "test": "http://ufldl.stanford.edu/housenumbers/test_32x32.mat", | ||
| } | ||
|
|
||
|
|
||
| def _download_if_needed(url: str, dest: str) -> str: | ||
| if not os.path.exists(dest): | ||
| os.makedirs(os.path.dirname(dest), exist_ok=True) | ||
| print(f" Downloading {url} ...") | ||
| urllib.request.urlretrieve(url, dest) | ||
| print(f" Saved to {dest}") | ||
| return dest | ||
|
|
||
|
|
||
| def load_svhn( | ||
| data_home: str | None = None, | ||
| ) -> tuple[np.ndarray, np.ndarray, np.ndarray, np.ndarray]: | ||
| """Load SVHN train/test: (n, 3072) float64 in [0,1], labels 0-9.""" | ||
| if data_home is None: | ||
| data_home = os.path.join(os.path.expanduser("~"), "scikit_learn_data", "svhn") | ||
|
|
||
| train_path = _download_if_needed( | ||
| SVHN_URLS["train"], os.path.join(data_home, "train_32x32.mat") | ||
| ) | ||
| test_path = _download_if_needed( | ||
| SVHN_URLS["test"], os.path.join(data_home, "test_32x32.mat") | ||
| ) | ||
|
|
||
| train_mat = loadmat(train_path) | ||
| test_mat = loadmat(test_path) | ||
|
|
||
| X_train = ( | ||
| train_mat["X"].transpose(3, 0, 1, 2).reshape(-1, 3072).astype(np.float64) | ||
| / 255.0 | ||
| ) | ||
| X_test = ( | ||
| test_mat["X"].transpose(3, 0, 1, 2).reshape(-1, 3072).astype(np.float64) / 255.0 | ||
| ) | ||
| Y_train = train_mat["y"].ravel().astype(int) % 10 | ||
| Y_test = test_mat["y"].ravel().astype(int) % 10 | ||
|
|
||
| return X_train, X_test, Y_train, Y_test | ||
|
|
||
|
|
||
| # --------------------------------------------------------------------------- | ||
| # Encoding & kernel | ||
| # --------------------------------------------------------------------------- | ||
|
|
||
| NUM_QUBITS = 12 | ||
| STATE_DIM = 2**NUM_QUBITS # 4096 | ||
| CLASS_POS = 1 | ||
| CLASS_NEG = 7 | ||
|
|
||
|
|
||
| def _filter_binary(X, Y): | ||
| mask = (Y == CLASS_POS) | (Y == CLASS_NEG) | ||
| return X[mask], np.where(Y[mask] == CLASS_POS, 1, -1) | ||
|
|
||
|
|
||
| def encode_cpu(X: np.ndarray) -> np.ndarray: | ||
| """L2-normalise + zero-pad to 4096. Returns (n, 4096) float64.""" | ||
| norms = np.linalg.norm(X, axis=1, keepdims=True) | ||
| norms[norms == 0] = 1.0 | ||
| X_normed = X / norms | ||
| pad = STATE_DIM - X.shape[1] | ||
| if pad > 0: | ||
| X_normed = np.concatenate( | ||
| [X_normed, np.zeros((X_normed.shape[0], pad), dtype=X_normed.dtype)], axis=1 | ||
| ) | ||
| return X_normed | ||
|
|
||
|
|
||
| def compute_kernel(X1: np.ndarray, X2: np.ndarray) -> np.ndarray: | ||
| """Quantum kernel: K[i,j] = |⟨ψ(x_j)|ψ(x_i)⟩|² = (X1 @ X2.T)².""" | ||
| return (X1 @ X2.T) ** 2 | ||
|
|
||
|
|
||
| # --------------------------------------------------------------------------- | ||
| # Main | ||
| # --------------------------------------------------------------------------- | ||
|
|
||
|
|
||
| def main() -> None: | ||
| parser = argparse.ArgumentParser( | ||
| description="Quantum Kernel SVM — PennyLane baseline (CPU) — SVHN (12 qubits)" | ||
| ) | ||
| parser.add_argument( | ||
| "--n-samples", | ||
| type=int, | ||
| default=5000, | ||
| help="Total samples for CV (default: 5000)", | ||
| ) | ||
| parser.add_argument("--folds", type=int, default=5, help="CV folds (default: 5)") | ||
| parser.add_argument( | ||
| "--seed", type=int, default=42, help="Random seed (default: 42)" | ||
| ) | ||
| parser.add_argument( | ||
| "--svm-c", | ||
| type=float, | ||
| default=100.0, | ||
| help="SVM regularisation C (default: 100.0)", | ||
| ) | ||
| parser.add_argument("--data-home", type=str, default=None, help="Data cache dir") | ||
| args = parser.parse_args() | ||
|
|
||
| print("Quantum Kernel SVM — CPU baseline — SVHN") | ||
| print( | ||
| f" {NUM_QUBITS} qubits, {STATE_DIM}-dim state, binary: digit {CLASS_POS} vs {CLASS_NEG}" | ||
| ) | ||
| print(f" n_samples={args.n_samples}, {args.folds}-fold CV, C={args.svm_c}") | ||
| print() | ||
|
|
||
| # Load & filter | ||
| print(" Loading SVHN ...") | ||
| X_train_all, X_test_all, Y_train_all, Y_test_all = load_svhn( | ||
| data_home=args.data_home | ||
| ) | ||
| X_all = np.concatenate([X_train_all, X_test_all], axis=0) | ||
| Y_all = np.concatenate([Y_train_all, Y_test_all], axis=0) | ||
| X_bin, Y_bin = _filter_binary(X_all, Y_all) | ||
| print(f" Binary filtered: {len(Y_bin):,} samples (pos={np.mean(Y_bin == 1):.2f})") | ||
|
|
||
| rng = np.random.default_rng(args.seed) | ||
| if args.n_samples < len(Y_bin): | ||
| idx = rng.choice(len(Y_bin), size=args.n_samples, replace=False) | ||
| X_bin, Y_bin = X_bin[idx], Y_bin[idx] | ||
| print(f" Subsampled: {len(Y_bin):,} samples") | ||
| print() | ||
|
|
||
| # Step 1: StandardScaler + Encode (all data, once) | ||
| t0 = time.perf_counter() | ||
| scaler = StandardScaler().fit(X_bin) | ||
| X_scaled = scaler.transform(X_bin) | ||
| X_encoded = encode_cpu(X_scaled) | ||
| encode_sec = time.perf_counter() - t0 | ||
| print( | ||
| f" Step 1: Scale+Encode ........ {encode_sec:.4f}s (n={len(Y_bin)}, dim={STATE_DIM})" | ||
| ) | ||
|
|
||
| # Step 2: Full kernel matrix | ||
| t0 = time.perf_counter() | ||
| K_full = compute_kernel(X_encoded, X_encoded) | ||
| kernel_sec = time.perf_counter() - t0 | ||
| print( | ||
| f" Step 2: Kernel ........ {kernel_sec:.4f}s ({K_full.shape[0]}×{K_full.shape[1]})" | ||
| ) | ||
|
|
||
| # Step 3: k-fold cross-validation | ||
| from sklearn.model_selection import StratifiedKFold | ||
|
|
||
| skf = StratifiedKFold(n_splits=args.folds, shuffle=True, random_state=args.seed) | ||
|
|
||
| fold_accs = [] | ||
| cv_fit_sec = 0.0 | ||
| cv_pred_sec = 0.0 | ||
|
|
||
| print(f"\n Step 3: {args.folds}-fold Cross-Validation") | ||
| for fold, (train_idx, test_idx) in enumerate(skf.split(X_encoded, Y_bin), 1): | ||
| K_train = K_full[np.ix_(train_idx, train_idx)] | ||
| K_test = K_full[np.ix_(test_idx, train_idx)] | ||
|
|
||
| t0 = time.perf_counter() | ||
| svm = SVC(kernel="precomputed", C=args.svm_c) | ||
| svm.fit(K_train, Y_bin[train_idx]) | ||
| cv_fit_sec += time.perf_counter() - t0 | ||
|
|
||
| t0 = time.perf_counter() | ||
| acc = svm.score(K_test, Y_bin[test_idx]) | ||
| cv_pred_sec += time.perf_counter() - t0 | ||
|
|
||
| fold_accs.append(acc) | ||
| n_sv = svm.n_support_.sum() | ||
| print( | ||
| f" Fold {fold}/{args.folds}: acc={acc:.4f} " | ||
| f"(train={len(train_idx)}, test={len(test_idx)}, SVs={n_sv})" | ||
| ) | ||
|
|
||
| mean_acc = np.mean(fold_accs) | ||
| std_acc = np.std(fold_accs) | ||
|
|
||
| total_sec = encode_sec + kernel_sec + cv_fit_sec + cv_pred_sec | ||
| encode_pct = encode_sec / total_sec * 100 | ||
|
|
||
| print(f"\n {'─' * 50}") | ||
| print(f" Encode time: ........ {encode_sec:.4f}s") | ||
| print(f" Kernel time: ........ {kernel_sec:.4f}s") | ||
| print(f" CV fit time: ........ {cv_fit_sec:.4f}s ({args.folds} folds)") | ||
| print(f" CV predict time: ........ {cv_pred_sec:.4f}s") | ||
| print(f" Total: ........ {total_sec:.4f}s") | ||
| print(f" Encoding fraction: ........ {encode_pct:.1f}%") | ||
| print(f" Accuracy: ........ {mean_acc:.4f} ± {std_acc:.4f}") | ||
|
|
||
|
|
||
| if __name__ == "__main__": | ||
| main() | ||
Oops, something went wrong.
Oops, something went wrong.
Add this suggestion to a batch that can be applied as a single commit.
This suggestion is invalid because no changes were made to the code.
Suggestions cannot be applied while the pull request is closed.
Suggestions cannot be applied while viewing a subset of changes.
Only one suggestion per line can be applied in a batch.
Add this suggestion to a batch that can be applied as a single commit.
Applying suggestions on deleted lines is not supported.
You must change the existing code in this line in order to create a valid suggestion.
Outdated suggestions cannot be applied.
This suggestion has been applied or marked resolved.
Suggestions cannot be applied from pending reviews.
Suggestions cannot be applied on multi-line comments.
Suggestions cannot be applied while the pull request is queued to merge.
Suggestion cannot be applied right now. Please check back later.
Uh oh!
There was an error while loading. Please reload this page.
There was a problem hiding this comment.
Choose a reason for hiding this comment
The reason will be displayed to describe this comment to others. Learn more.
Should we remove the pennylane here as well?