Tutorials | Documentation | Usage Example | Installation | Developer Installation | Contributing | License | Citation
spectral_connectivity is a Python software package that computes multitaper spectral estimates and frequency-domain brain connectivity measures such as coherence, spectral granger causality, and the phase lag index using the multitaper Fourier transform. Although there are other Python packages that do this (see nitime and MNE-Python), spectral_connectivity has several differences:
- it is designed to handle multiple time series at once
- it caches frequently computed quantities such as the cross-spectral matrix and minimum-phase-decomposition, so that connectivity measures that use the same processing steps can be more quickly computed.
- it decouples the time-frequency transform and the connectivity measures so that if you already have a preferred way of computing Fourier coefficients (i.e. from a wavelet transform), you can use that instead.
- it implements the non-parametric version of the spectral granger causality in Python.
- it implements the canonical coherence, which can efficiently summarize brain-area level coherences from multielectrode recordings.
- easier user interface for the multitaper fourier transform
- all function are GPU-enabled if
cupyis installed and the environmental variableSPECTRAL_CONNECTIVITY_ENABLE_GPUis set to 'true'.
See the following notebooks for more information on how to use the package:
from spectral_connectivity import Multitaper, Connectivity
# Compute multitaper spectral estimate
m = Multitaper(time_series=signals,
sampling_frequency=sampling_frequency,
time_halfbandwidth_product=time_halfbandwidth_product,
time_window_duration=0.060,
time_window_step=0.060,
start_time=time[0])
# Sets up computing connectivity measures/power from multitaper spectral estimate
c = Connectivity.from_multitaper(m)
# Here are a couple of examples
power = c.power() # spectral power
coherence = c.coherence_magnitude()
weighted_phase_lag_index = c.weighted_phase_lag_index()
canonical_coherence = c.canonical_coherence(brain_area_labels)See the documentation on ReadTheDocs.
For a canonical reference of connectivity metric value ranges, see Connectivity Metric Ranges.
Functional
- coherency
- canonical_coherence
- imaginary_coherence
- phase_locking_value
- phase_lag_index
- weighted_phase_lag_index
- debiased_squared_phase_lag_index
- debiased_squared_weighted_phase_lag_index
- pairwise_phase_consistency
- global coherence
Directed
- directed_transfer_function
- directed_coherence
- partial_directed_coherence
- generalized_partial_directed_coherence
- direct_directed_transfer_function
- group_delay
- phase_lag_index
- pairwise_spectral_granger_prediction
spectral_connectivity requires:
- python
- numpy
- matplotlib
- scipy
- xarray
See environment.yml for the most current list of dependencies.
spectral_connectivity supports GPU acceleration using CuPy, which can provide significant speedups for large datasets (10-100x faster depending on data size and GPU hardware).
There are three ways to enable GPU acceleration:
Option 1: Environment Variable (Shell)
export SPECTRAL_CONNECTIVITY_ENABLE_GPU=true
python your_script.pyOption 2: Environment Variable (Python Script)
import os
# IMPORTANT: Must set BEFORE importing spectral_connectivity
# (Python loads modules once; changing the variable after import has no effect)
os.environ['SPECTRAL_CONNECTIVITY_ENABLE_GPU'] = 'true'
from spectral_connectivity import Multitaper, Connectivity
# Verify GPU is active
import spectral_connectivity as sc
backend = sc.get_compute_backend()
print(backend['message'])
# Should print: "Using GPU backend with CuPy on <your GPU name>"Option 3: Environment Variable (Jupyter Notebook)
# In first cell (before any imports):
%env SPECTRAL_CONNECTIVITY_ENABLE_GPU=true
# In second cell:
from spectral_connectivity import Multitaper, Connectivity
import spectral_connectivity as sc
# Verify GPU is active
backend = sc.get_compute_backend()
print(f"Backend: {backend['backend']}")
print(f"Device: {backend['device_name']}")
# Should show: Backend: gpu, Device: <your GPU name>
# Note: If you already imported spectral_connectivity before setting the
# environment variable, you must restart your kernel for changes to take effect:
# Kernel → Restart & Clear Output, then run cells againRecommended (conda - auto-detects CUDA version):
conda install -c conda-forge cupyAlternative (pip - auto-detect, may be slower on first run):
pip install cupyAdvanced (pip - specify CUDA version for faster install):
# Check your CUDA version first: nvidia-smi
pip install cupy-cuda11x # For CUDA 11.x
pip install cupy-cuda12x # For CUDA 12.xSee CuPy Installation Guide for detailed instructions and GPU-specific requirements.
Use get_compute_backend() to check if GPU acceleration is enabled:
import spectral_connectivity as sc
backend = sc.get_compute_backend()
print(backend['message'])
# Example output (GPU enabled):
# "Using GPU backend with CuPy on NVIDIA Tesla V100-SXM2-16GB."
# Or if GPU not available:
# "Using CPU backend with NumPy. To enable GPU acceleration:
# 1. Install CuPy: 'conda install -c conda-forge cupy' or 'pip install cupy'
# 2. Set environment variable SPECTRAL_CONNECTIVITY_ENABLE_GPU='true' before importing
# See documentation for detailed setup instructions."
# Check all details
for key, value in backend.items():
print(f"{key}: {value}")Output fields:
backend: Either "cpu" or "gpu"gpu_enabled: Whether GPU was requested via environment variablegpu_available: Whether CuPy is installed and importabledevice_name: Name of compute device (e.g., "CPU" or "GPU (Compute Capability 7.5)")message: Human-readable explanation of current configuration
Issue: "GPU support was requested but CuPy is not installed"
Solution: Install CuPy as shown above, ensuring the CUDA version matches your system.
Issue: GPU not being used even after setting environment variable
Possible causes:
- Environment variable set after importing spectral_connectivity
- Solution: Set
SPECTRAL_CONNECTIVITY_ENABLE_GPU=truebefore any imports - In scripts: Move the
os.environ[...]line to the very top, before all spectral_connectivity imports - In notebooks: Restart kernel (Kernel → Restart & Clear Output) and set variable in first cell
- Solution: Set
- CuPy not installed or CUDA version mismatch
- Solution: Run
python -c "import cupy; print(cupy.__version__)"to verify installation
- Solution: Run
- CUDA not available on system
- Solution: Check CUDA installation with
nvidia-smi
- Solution: Check CUDA installation with
- Environment variable set in script but after import statement
- Solution: Ensure
os.environ['SPECTRAL_CONNECTIVITY_ENABLE_GPU'] = 'true'appears beforefrom spectral_connectivity import ...
- Solution: Ensure
Issue: Out of memory errors on GPU
Solution: Use smaller batch sizes or switch back to CPU for very large datasets:
# Remove or unset the environment variable
os.environ.pop('SPECTRAL_CONNECTIVITY_ENABLE_GPU', None)Issue: Need to check GPU vs CPU performance
Use get_compute_backend() to verify which backend is active, then compare timing:
import time
import spectral_connectivity as sc
backend = sc.get_compute_backend()
print(f"Running on: {backend['backend']}")
start = time.time()
# Your spectral connectivity code here
elapsed = time.time() - start
print(f"Elapsed time: {elapsed:.2f}s")GPU acceleration is most beneficial for:
- Large datasets (many signals, long recordings, or many trials)
- High frequency resolution (small time windows, many tapers)
- Computing multiple connectivity measures from the same data
For small datasets (< 10 signals, < 1000 time points), CPU may be faster due to GPU transfer overhead.
pip install spectral_connectivityor
conda install -c edeno spectral_connectivityIf you want to make contributions to this library, please use this installation.
- Install miniconda (or anaconda) if it isn't already installed. Type into bash (or install from the anaconda website):
wget https://repo.anaconda.com/miniconda/Miniconda3-latest-Linux-x86_64.sh -O miniconda.sh;
bash miniconda.sh -b -p $HOME/miniconda
export PATH="$HOME/miniconda/bin:$PATH"
hash -r- Clone the repository to your local machine (
.../spectral_connectivity) and install the anaconda environment for the repository. Type into bash:
conda env create -f environment.yml
conda activate spectral_connectivity
pip install -e .This package uses dynamic versioning with Hatch based on git tags. The version is automatically determined from the repository state:
- Tagged releases:
1.2.0 - Development versions:
1.2.0.dev5+g1a2b3c4(5 commits since tag + git hash)
To create a new release:
# 1. Update version tag
git tag v1.2.0
git push origin v1.2.0
# 2. Build and publish to PyPI
hatch build
twine upload dist/*
# 3. Build and publish to conda
conda build conda-recipe/ --output-folder ./conda-builds
anaconda upload ./conda-builds/noarch/spectral_connectivity-*.tar.bz2The version number is automatically extracted from the git tag (without the 'v' prefix).
This package is also available on conda via the edeno channel:
conda install -c edeno spectral_connectivityNot yet on conda-forge? Help us get there! If you'd like this package on conda-forge for easier installation, please:
- 👍 React to this issue requesting conda-forge support
- Or volunteer to help maintain the conda-forge feedstock
We welcome contributions to spectral_connectivity! Please see our Contributing Guidelines for details on:
- How to report bugs and request features
- Development workflow and coding standards
- Testing requirements
- Code review process
For questions or discussions, please open an issue on GitHub.
This project is licensed under the GPL-3.0 License - see the LICENSE file for details.
For citation, please use the following:
Denovellis, E.L., Myroshnychenko, M., Sarmashghi, M., and Stephen, E.P. (2022). Spectral Connectivity: a python package for computing multitaper spectral estimates and frequency-domain brain connectivity measures on the CPU and GPU. JOSS 7, 4840. 10.21105/joss.04840.
- Detection of Directed Connectivities in Dynamic Systems for Different Excitation Signals using Spectral Granger Causality https://doi.org/10.1007/978-3-662-58485-9_11
- Network Path Convergence Shapes Low-Level Processing in the Visual Cortex https://doi.org/10.3389/fnsys.2021.645709
- Subthalamic–Cortical Network Reorganization during Parkinson's Tremor https://doi.org/10.1523/JNEUROSCI.0854-21.2021
- Unifying Pairwise Interactions in Complex Dynamics https://doi.org/10.48550/arXiv.2201.11941
- Phencyclidine-induced psychosis causes hypersynchronization and disruption of connectivity within prefrontal-hippocampal circuits that is rescued by antipsychotic drugs https://doi.org/10.1101/2021.02.03.429582
- The cerebellum regulates fear extinction through thalamo-prefrontal cortex interactions in male mice https://doi.org/10.1038/s41467-023-36943-w