Gravitational wave detection¶
Chrisopher Bresten and Jae-Hun Jung propose to include topological features in a CNN classifier for gravitational waves detection. Adapted from their article, this notebook showcases an application of ideas from the Topology of time series example.
If you are looking at a static version of this notebook and would like to run its contents, head over to GitHub and download the source.
Useful references¶
Topology of time series, in which the Takens embedding technique used here is explained in detail and illustrated via simple examples.
Detection of gravitational waves using topological data analysis and convolutional neural network: An improved approach by Christopher Bresten and Jae-Hun Jung. We thank Christopher Bresten for sharing the code and data used in the article.
See also¶
Topology in time series forecasting, in which the Takens embedding technique is used in time series forecasting tasks by using sliding windows.
Topological feature extraction using VietorisRipsPersistence and PersistenceEntropy for a quick introduction to general topological feature extraction in
giotto-tda
.
License: AGPLv3
Motivation¶
The videos below show different representations of the gravitational waves that we aim to detect. We will aim to pick out the “chirp” signal of two colliding black holes from a very noisy backgound.
from IPython.display import YouTubeVideo
YouTubeVideo("Y3eR49ogsF0", width=600, height=400)
YouTubeVideo("QyDcTbR-kEA", width=600, height=400)
Generate the data¶
In the article, the authors create a synthetic training set as follows:
Generate gravitational wave signals that correspond to non-spinning binary black hole mergers
Generate a noisy time series and embed a gravitational wave signal with probability 0.5 at a random time.
The result is a set of time series of the form
where \(g\) is a gravitational wave signal from the reference set, \(\xi\) is Gaussian noise, \(\epsilon=10^{-19}\) scales the noise amplitude to the signal, and \(R \in (0.075, 0.65)\) is a parameter that controls the signal-to-noise-ratio (SNR).
Constant signal-to-noise ratio¶
As a warmup, let’s generate some noisy signals with a constant SNR of 17.98. As shown in Table 1 of the article, this corresponds to an \(R\) value of 0.65. By picking the upper end of the interval, we place ourselves in a favorable scenario and, thus, can gain a sense for what the best possible performance is for our time series classifier. We pick a small number of samples to make the computations run fast, but in practice would scale this by 1-2 orders of magnitude as done in the original article.
from data.generate_datasets import make_gravitational_waves
from pathlib import Path
R = 0.65
n_signals = 100
DATA = Path("./data")
noisy_signals, gw_signals, labels = make_gravitational_waves(
path_to_data=DATA, n_signals=n_signals, r_min=R, r_max=R, n_snr_values=1
)
print(f"Number of noisy signals: {len(noisy_signals)}")
print(f"Number of timesteps per series: {len(noisy_signals[0])}")
Number of noisy signals: 100
Number of timesteps per series: 8692
Next let’s visualise the two different types of time series that we wish to classify: one that is pure noise vs. one that is composed of noise plus an embedded gravitational wave signal:
import numpy as np
from plotly.subplots import make_subplots
import plotly.graph_objects as go
# get the index corresponding to the first pure noise time series
background_idx = np.argmin(labels)
# get the index corresponding to the first noise + gravitational wave time series
signal_idx = np.argmax(labels)
ts_noise = noisy_signals[background_idx]
ts_background = noisy_signals[signal_idx]
ts_signal = gw_signals[signal_idx]
fig = make_subplots(rows=1, cols=2)
fig.add_trace(
go.Scatter(x=list(range(len(ts_noise))), y=ts_noise, mode="lines", name="noise"),
row=1,
col=1,
)
fig.add_trace(
go.Scatter(
x=list(range(len(ts_background))),
y=ts_background,
mode="lines",
name="background",
),
row=1,
col=2,
)
fig.add_trace(
go.Scatter(x=list(range(len(ts_signal))), y=ts_signal, mode="lines", name="signal"),
row=1,
col=2,
)
fig.show()
We make two observations: 1. It is hard to distinguish the signal by eye, 2. The signal features some regularity or periodicity.
Both observations lead us to examining the Takens embedding of the signal \(s(t)\), in order to pick up the recurrent structure. Indeed, if \(f\) is sampled from a dynamical system with a non-trivial recurrent structure, then, for appropriate parameters, the image by the embedding will have non-trivial topology.
More formally,, we extract a sequence of vectors in \(\mathbb{R}^{d}\) of the form
where \(d\) is the embedding dimension and \(\tau\) is the time delay. The quantity \((d-1)\tau\) is known as the “window size” and the difference between \(t_{i+1}\) and \(t_i\) is called the stride.
Let’s examine what the time delay embedding of a pure gravitational wave signal looks like:
from gtda.time_series import SingleTakensEmbedding
embedding_dimension = 30
embedding_time_delay = 30
stride = 5
embedder = SingleTakensEmbedding(
parameters_type="search", n_jobs=6, time_delay=embedding_time_delay, dimension=embedding_dimension, stride=stride
)
y_gw_embedded = embedder.fit_transform(gw_signals[0])
We can use PCA to project our high-dimensional space to 3-dimensions for visualisation:
from sklearn.decomposition import PCA
from gtda.plotting import plot_point_cloud
pca = PCA(n_components=3)
y_gw_embedded_pca = pca.fit_transform(y_gw_embedded)
plot_point_cloud(y_gw_embedded_pca)
From the plot we can see that the decaying periodic signal generated by a black hole merger emerges as a spiral in the time delay embedding space! For contrast, let’s compare this to one of the pure noise time series in our sample:
embedding_dimension = 30
embedding_time_delay = 30
stride = 5
embedder = SingleTakensEmbedding(
parameters_type="search", n_jobs=6, time_delay=embedding_time_delay, dimension=embedding_dimension, stride=stride
)
y_noise_embedded = embedder.fit_transform(noisy_signals[background_idx])
pca = PCA(n_components=3)
y_noise_embedded_pca = pca.fit_transform(y_noise_embedded)
plot_point_cloud(y_noise_embedded_pca)
Evidently, pure noise resembles a high-dimensional ball in the time delay embedding space. Let’s see if we can use persistent homology to tease apart which time series contain a gravitational wave signal versus those that don’t. To do so we will adapt the strategy from the original article:
Generate 200-dimensional time delay embeddings of each time series
Use PCA to reduce the time delay embeddings to 3-dimensions
Use the Vietoris-Rips construction to calculate persistence diagrams of \(H_0\) and \(H_1\) generators
Extract feature vectors using persistence entropy
Train a binary classifier on the topological features
Define the topological feature generation pipeline¶
We can do steps 1 and 2 by using the following giotto-tda
tools:
The
TakensEmbedding
transformer – instead ofSingleTakensEmbedding
– which will transform each time series innoisy_signals
separately and return a collection of point clouds;CollectionTransformer
, which is a convenience “meta-estimator” for applying the same PCA to each point cloud resulting from step 1.
Using the Pipeline
class from giotto-tda
, we can chain all
operations up to and including step 4 as follows:
from gtda.diagrams import PersistenceEntropy, Scaler
from gtda.homology import VietorisRipsPersistence
from gtda.metaestimators import CollectionTransformer
from gtda.pipeline import Pipeline
from gtda.time_series import TakensEmbedding
embedding_dimension = 200
embedding_time_delay = 10
stride = 10
embedder = TakensEmbedding(time_delay=embedding_time_delay,
dimension=embedding_dimension,
stride=stride)
batch_pca = CollectionTransformer(PCA(n_components=3), n_jobs=-1)
persistence = VietorisRipsPersistence(homology_dimensions=[0, 1], n_jobs=-1)
scaling = Scaler()
entropy = PersistenceEntropy(normalize=True, nan_fill_value=-10)
steps = [("embedder", embedder),
("pca", batch_pca),
("persistence", persistence),
("scaling", scaling),
("entropy", entropy)]
topological_transfomer = Pipeline(steps)
features = topological_transfomer.fit_transform(noisy_signals)
Train and evaluate a model¶
For the final step, let’s train a simple classifier on our topological features. As usual we create training and validation sets
from sklearn.model_selection import train_test_split
X_train, X_valid, y_train, y_valid = train_test_split(
features, labels, test_size=0.1, random_state=42
)
and then fit and evaluate our model:
from sklearn.metrics import accuracy_score, roc_auc_score
def print_scores(fitted_model):
res = {
"Accuracy on train:": accuracy_score(fitted_model.predict(X_train), y_train),
"ROC AUC on train:": roc_auc_score(
y_train, fitted_model.predict_proba(X_train)[:, 1]
),
"Accuracy on valid:": accuracy_score(fitted_model.predict(X_valid), y_valid),
"ROC AUC on valid:": roc_auc_score(
y_valid, fitted_model.predict_proba(X_valid)[:, 1]
),
}
for k, v in res.items():
print(k, round(v, 3))
from sklearn.linear_model import LogisticRegression
model = LogisticRegression()
model.fit(X_train, y_train)
print_scores(model)
Accuracy on train: 0.6
ROC AUC on train: 0.727
Accuracy on valid: 0.6
ROC AUC on valid: 0.68
As a simple baseline, this model is not too bad - it outperforms the deep learning baseline in the article which typically fares little better than random on the raw data. However, the combination of deep learning and persistent homology is where significant performance gains are seen - we leave this as an exercise to the intrepid reader!