Skip to main content

A multivariate RNA Velocity model to estimate future cell states with uncertainty using probabilistic modeling with pyro.

Project description

Pyro-Velocity

Pyro-Velocity logo
CI/CD CI - Test CML pre-commit.ci status
Docs Documentation Status Preprint
Package PyPI - Version PyPI - Python Version Docker iamge
Meta codecov code style - Black License - MIT

Pyro-Velocity is a Bayesian, generative, and multivariate RNA velocity model to estimate uncertainty in predictions of future cell states from minimal models approximating splicing dynamics. This approach models raw sequencing counts with synchronized cell time across all expressed genes to provide quantifiable information on cell fate choice and developmental trajectory dynamics.

Features

  • Probabilistic modeling of RNA velocity
  • Direct modeling of raw spliced and unspliced read count
  • Multiple uncertainty diagnostics analysis and visualizations
  • Synchronized cell time estimation across genes
  • Multivariate denoised gene expression and velocity prediction
Velocity workflow comparison

Installation

Development

We currently support installation and usage in a linux 64-bit development environment with access to a GPU. An IaC setup that works with GCP is documented in reproducibility/environment/README.md. Before proceeding to setup a minimal development environment, please fork this repository and clone a copy of your fork to your development machine. Unless otherwise mentioned, all commands assume your current working directory is the root of your local copy of your fork of this repository.

Please install mambaforge according to the instructions provided in conda-forge/miniforge.

You can then create a development environment with

mamba env create [--prefix /path_to_conda_environment] -f conda/environment-gpu.yml

This step takes about 10 minutes depending on network speed.

Make sure you are able to successfully activate the installed environment

conda activate pyrovelocity-gpu
which python

by checking that the output of which python following activation refers to the python binary in the correct conda environment.

You can then install a development copy with

pip install --no-deps -e .[dev]

If this is successful, you will be able to

import pyrovelocity

from a python interpreter.

User

Please see the documentation.

Quick start

After the installation, let's look at your dataset to see how Pyro-Velocity can help understand cell dynamics.

Starting from raw sequencing FASTQ files, obtained for example with SMART-seq, 10X genomics, inDrop or other similar single-cell assays, you can preprocess the data to generate spliced and unspliced gene count tables in h5ad file (or loom file using cellranger+velocyto or the kallisto pipeline.

Starting from these count tables we show below a minimal step-by-step workflow to illustrate the main features of Pyro-Velocity in a Jupyter Notebook:

Step 0. Even though pyrovelocity is a cluster-free method to evaluate uncertainty of cell fate, it will dependend on 2 dimensional embedding results for evaluation of uncertainty and generate visualization, we would suggest run your new datasets using scanpy tutorial.

Step 1. Load your data, load your data(e.g. local_file.h5ad) with scvelo by using:

import scvelo as scv
adata = scv.read("local_file.h5ad")

Step 2. Minimally preprocess your adata object:

adata.layers['raw_spliced']   = adata.layers['spliced']
adata.layers['raw_unspliced'] = adata.layers['unspliced']
adata.obs['u_lib_size_raw'] = adata.layers['raw_unspliced'].toarray().sum(-1)
adata.obs['s_lib_size_raw'] = adata.layers['raw_spliced'].toarray().sum(-1)
scv.pp.filter_and_normalize(adata, min_shared_counts=30, n_top_genes=2000)
scv.pp.moments(adata, n_pcs=30, n_neighbors=30)

Step 3. Train the Pyro-Velocity model:

from pyrovelocity.api import train_model
# Model 1
num_epochs = 1000 # large data
# num_epochs = 4000 # small data
adata_model_pos = train_model(adata,
                               max_epochs=num_epochs, svi_train=True, log_every=100,
                               patient_init=45,
                               batch_size=4000, use_gpu=0, cell_state='state_info',
                               include_prior=True,
                               offset=False,
                               library_size=True,
                               patient_improve=1e-3,
                               model_type='auto',
                               guide_type='auto_t0_constraint',
                               train_size=1.0)

# Or Model 2
adata_model_pos = train_model(adata,
                               max_epochs=num_epochs, svi_train=True, log_every=100,
                               patient_init=45,
                               batch_size=4000, use_gpu=0, cell_state='state_info',
                               include_prior=True,
                               offset=True,
                               library_size=True,
                               patient_improve=1e-3,
                               model_type='auto',
                               guide_type='auto',
                               train_size=1.0)

# adata_model_pos is a returned list in which 0th element is the trained model,
# the 1st element is the posterior samples of all random variables
save_res = True
if save_res:
    trained_model.save('saved_model', overwrite=True)
    result_dict = {"adata_model_pos": posterior_samples,
                   "v_map_all": v_map_all,
                   "embeds_radian": embeds_radian, "fdri": fdri, "embed_mean": embed_mean}
    import pickle
    with open("posterior_samples.pkl", "wb") as f:
         pickle.dump(result_dict, f)

Step 4: Generate Pyro-Velocity's vector field and shared time plots with uncertainty estimation.

from pyrovelocity.plot import plot_state_uncertainty
from pyrovelocity.plot import plot_posterior_time, plot_gene_ranking,\
      vector_field_uncertainty, plot_vector_field_uncertain,\
      plot_mean_vector_field, project_grid_points,rainbowplot,denoised_umap,\
      us_rainbowplot, plot_arrow_examples

embedding = 'emb' # change to umap or tsne based on your embedding method

# This generates the posterior samples of all vector fields
# and statistical testing results from Rayleigh test
v_map_all, embeds_radian, fdri = vector_field_uncertainty(adata, posterior_samples,
                                                          basis=embedding, denoised=False, n_jobs=30)
fig, ax = plt.subplots()
# This returns the posterior mean of the vector field
embed_mean = plot_mean_vector_field(posterior_samples, adata, ax=ax, n_jobs=30, basis=embedding)
# This plot single-cell level vector field uncertainty
# and averaged cell vector field uncertainty on the grid points
# based on angular standard deviation
fig, ax = plt.subplots(1, 2)
fig.set_size_inches(11.5, 5)
plot_vector_field_uncertain(adata, embed_mean, embeds_radian,
                            ax=ax,
                            fig=fig, cbar=False, basis=embedding, scale=None)

# This generates shared time uncertainty plot with contour lines
fig, ax = plt.subplots(1, 3)
fig.set_size_inches(12, 2.8)
adata.obs['shared_time_uncertain'] = posterior_samples['cell_time'].std(0).flatten()
ax_cb = scv.pl.scatter(adata, c='shared_time_uncertain', ax=ax[0], show=False, cmap='inferno', fontsize=7, s=20, colorbar=True, basis=embedding)
select = adata.obs['shared_time_uncertain'] > np.quantile(adata.obs['shared_time_uncertain'], 0.9)
sns.kdeplot(adata.obsm[f'X_{embedding}'][:, 0][select],
            adata.obsm[f'X_{embedding}'][:, 1][select],
            ax=ax[0], levels=3, fill=False)

# This generates vector field uncertainty based on Rayleigh test.
adata.obs.loc[:, 'vector_field_rayleigh_test'] = fdri
im = ax[1].scatter(adata.obsm[f'X_{basis}'][:, 0],
                   adata.obsm[f'X_{basis}'][:, 1], s=3, alpha=0.9,
                   c=adata.obs['vector_field_rayleigh_test'], cmap='inferno_r',
                   linewidth=0)
set_colorbar(im, ax[1], labelsize=5, fig=fig, position='right')
select = adata.obs['vector_field_rayleigh_test'] > np.quantile(adata.obs['vector_field_rayleigh_test'], 0.95)
sns.kdeplot(adata.obsm[f'X_{embedding}'][:, 0][select],
            adata.obsm[f'X_{embedding}'][:, 1][select], ax=ax[1], levels=3, fill=False)
ax[1].axis('off')
ax[1].set_title("vector field\nrayleigh test\nfdr<0.05: %s%%" % (round((fdri < 0.05).sum()/fdri.shape[0], 2)*100), fontsize=7)

Step 5: Prioritize putative cell fate marker genes based on negative mean absolute errors and pearson correlation between denoised spliced expression and posterior mean shared time, and then visualize the top one with rainbow plots

fig = plt.figure(figsize=(7.07, 4.5))
subfig = fig.subfigures(1, 2, wspace=0.0, hspace=0, width_ratios=[1.6, 4])
ax = fig.subplots(1)
# This generates the selected cell fate markers and output in DataFrame
volcano_data, _ = plot_gene_ranking([posterior_samples], [adata], ax=ax,
                                     time_correlation_with='st', assemble=True)
# This generates the rainbow plots for the selected markers.
_ = rainbowplot(volcano_data, adata, posterior_samples,
                subfig[1], data=['st', 'ut'], num_genes=4)

Illustrative examples of Pyro-Velocity analyses on different single-cell datasets

Pyro-Velocity applied to a PBMC dataset

See the data referred to here.

This is a scRNA-seq dataset of fully mature peripheral blood mononuclear cells (PBMC) generated using the 10X genomics kit and containing 65,877 cells with 11 fully differentiated immune cell types. This dataset doesn't contain stem and progenitor cells or other signature of and undergoing dynamical differentiation, thus no consistent velocity flow should be detected.

Below we show the main output generated by Pyro-Velocity Model 1 analysis. Pyro-Velocity failed to detect high-confidence trajectories in the mature blood cell states, consistent with what is known about the biology underlying these cells.

Vector field with uncertainty

PBMC vector field uncertainty

These 6 plots from left to right show: 1. cell types, 2. stream plot of Pyro-velocity vector field based on the posterior mean of 30 posterior samples, 3. single cell vector field examples showing all 30 posterior samples as vectors for 3 arbitrarily selected cells; 4. single cell vector field with uncertainty based on angular standard deviation across 30 posterior samples, 5. averaged vector field uncertainty from 4. 6. Rayleigh test of posterior samples vector field, the title shows the expected false discovery rate using a 5% threshold.

The full example can be reproduced using the PBMC Jupyter notebook.

Pyro-Velocity applied to a pancreas development dataset

See the data referred to here.

Here we apply Pyro-Velocity to a single cell RNA-seq dataset of mouse pancreas in the E15.5 embryo developmental stage. This dataset was generated using the 10X genomics kit and contains 3,696 cells with 8 cell types including progenitor cells, intermediate and terminal cell states.

Below we show the main output generated by Pyro-Velocity Model 1 analysis. Pyro-Velocity was able to define well-known developmental cell hierarchies identifying cell trajectories originating from ductal progenitor cells and culminated in the production of mature Alpha, Beta, Delta, and Epsilon cells.

Vector field with uncertainty

Pancreas vector field uncertainty

These 6 plots from left to right are showing the same analyses presented as in the example above.

Shared time with uncertainty

Pancreas vector field uncertainty

The left figure shows the average of 30 posterior samples for the cell shared time, the title of the figure shows the Spearman's correlation with the Cytotrace score, an orthogonal state-of-the-art method used to predict cell differentiation based on the number of expressed genes per cell (Gulati et. al, Science 2020). The right figure shows the standard deviation across posterior samples of shared time.

Gene selection and visualization

To uncover potential cell fate determinant markers genes of the mouse pancreas, we first select the top 300 genes with the best velocity model fit (we use negative mean absolute error ), then we rank the filtered genes using Pearson's correlation between denoised spliced expression and the posterior mean of the recovered shared time across cells.

Pancreas Volcano plot for gene selection

For the selected genes, it is possible to explore in depth their dynamic, using phase portraits, rainbow plots, and UMAP rendering of denoised splicing gene expression across cells.

Pancreas vector field uncertainty

The full example can be reproduced using the Pancreas jupyter notebook.

Pyro-Velocity applied to the LARRY dataset

See the data referred to here.

This last example, present the analysis of a recent scRNA-seq dataset profiling mouse hematopoises at high resolution thanks to lineage relationship information captured by the Lineage And RNA RecoverY (LARRY) system. LARRY leverages unique lentiviral barcodes that enables to clonally trace cell fates over time (Weinrab et al. Cell 20).

Below we show the main output generated by Pyro-Velocity analysis.

Vector field with uncertainty

LARRY vector field uncertainty

These 5 plots from left to right shows: 1) Cell types, 2) Clone progression vector field by using centroid of cells belonging to the same barcode for generating directed connection between consecutive physical times, 3) single cell vector field with uncertainty based on angular standard deviation across 30 posterior samples, 4. averaged vector field uncertainty from 3. 5. Rayleigh test of posterior samples vector field, the title shows the false discovery rate using threshold 5%.

Shared time with uncertainty

To quantitatively assess the quality of the the receovered shared time we also considered the agreement of our method with Cospar, a state-of-the-art method specifically designed for predicting fate potency based on LARRY data.

Pancreas shared time uncertainty

The leftmost figure shows the Cospar fate potency score, the middle figure shows the average of 30 posterior samples from Pyro-Velocity shared time per cell, the title of the figure shows the Spearman's correlation between cell latent shared time and fate potency scores derived from Cospar, the right figure shows the standard deviation across posterior samples of shared time.

The full example can be reproduced using the LARRY jupyter notebook.

Troubleshooting

If you are having an issue using pyrovelocity, please feel free to start a discussion or file an issue containing a MRE.

Also see contributing.

Project details


Download files

Download the file for your platform. If you're not sure which to choose, learn more about installing packages.

Source Distribution

pyrovelocity-0.1.2.tar.gz (89.9 kB view details)

Uploaded Source

Built Distribution

If you're not sure about the file name format, learn more about wheel file names.

pyrovelocity-0.1.2-py3-none-any.whl (88.7 kB view details)

Uploaded Python 3

File details

Details for the file pyrovelocity-0.1.2.tar.gz.

File metadata

  • Download URL: pyrovelocity-0.1.2.tar.gz
  • Upload date:
  • Size: 89.9 kB
  • Tags: Source
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/4.0.1 CPython/3.11.3

File hashes

Hashes for pyrovelocity-0.1.2.tar.gz
Algorithm Hash digest
SHA256 1b22d6d5ac194bd3e158d55dc13e2587fc44b345ab9c6e6a4b322a9ea0b435cc
MD5 aa45d546b9c5237ede9c73d1c209a566
BLAKE2b-256 77b1341961a43708c4fe4923c10806daf182bfa872d91cf0c499bed7a0c76e2f

See more details on using hashes here.

File details

Details for the file pyrovelocity-0.1.2-py3-none-any.whl.

File metadata

  • Download URL: pyrovelocity-0.1.2-py3-none-any.whl
  • Upload date:
  • Size: 88.7 kB
  • Tags: Python 3
  • Uploaded using Trusted Publishing? No
  • Uploaded via: twine/4.0.1 CPython/3.11.3

File hashes

Hashes for pyrovelocity-0.1.2-py3-none-any.whl
Algorithm Hash digest
SHA256 57bbeba29dc2367d26c185cb002440cde03e5aadff926c92e0afc2bf5f815dcf
MD5 a2e59ca09b841b02bcfccedf69135b46
BLAKE2b-256 32479e64db74a0285c156d03948776a0adb50ddfe42dea7dd6551e2ae53c3183

See more details on using hashes here.

Supported by

AWS Cloud computing and Security Sponsor Datadog Monitoring Depot Continuous Integration Fastly CDN Google Download Analytics Pingdom Monitoring Sentry Error logging StatusPage Status page