import os
# download pre-computed annotation
= False
fetch_annotation
= "https://export.uppmax.uu.se/naiss2023-23-3/workshops/workshop-scrnaseq"
path_data
= "./data/covid"
path_covid if not os.path.exists(path_covid):
=True)
os.makedirs(path_covid, exist_ok
= "data/covid/results"
path_results if not os.path.exists(path_results):
=True) os.makedirs(path_results, exist_ok
Code chunks run Python commands unless it starts with %%bash
, in which case, those chunks run shell commands.
1 Get data
In this tutorial, we will run all tutorials with a set of 8 PBMC 10x datasets from 4 covid-19 patients and 4 healthy controls, the samples have been subsampled to 1500 cells per sample. We can start by defining our paths.
import urllib.request
= [
file_list "normal_pbmc_13.h5", "normal_pbmc_14.h5", "normal_pbmc_19.h5", "normal_pbmc_5.h5",
"ncov_pbmc_15.h5", "ncov_pbmc_16.h5", "ncov_pbmc_17.h5", "ncov_pbmc_1.h5"
]
for i in file_list:
= os.path.join(path_covid, i)
path_file if not os.path.exists(path_file):
= os.path.join(path_data, "covid", i)
file_url urllib.request.urlretrieve(file_url, path_file)
With data in place, now we can start loading libraries we will use in this tutorial.
import numpy as np
import pandas as pd
import scanpy as sc
import warnings
='ignore', category=Warning)
warnings.simplefilter(action
# verbosity: errors (0), warnings (1), info (2), hints (3)
= 3
sc.settings.verbosity =80) sc.settings.set_figure_params(dpi
We can first load the data individually by reading directly from HDF5 file format (.h5).
In Scanpy we read them into an Anndata object with the the function read_10x_h5
= sc.read_10x_h5(os.path.join(path_covid,'ncov_pbmc_1.h5'))
data_cov1
data_cov1.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'ncov_pbmc_15.h5'))
data_cov15
data_cov15.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'ncov_pbmc_16.h5'))
data_cov16
data_cov16.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'ncov_pbmc_17.h5'))
data_cov17
data_cov17.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'normal_pbmc_5.h5'))
data_ctrl5
data_ctrl5.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'normal_pbmc_13.h5'))
data_ctrl13
data_ctrl13.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'normal_pbmc_14.h5'))
data_ctrl14
data_ctrl14.var_names_make_unique()= sc.read_10x_h5(os.path.join(path_covid,'normal_pbmc_19.h5'))
data_ctrl19 data_ctrl19.var_names_make_unique()
reading ./data/covid/ncov_pbmc_1.h5
(0:00:00)
reading ./data/covid/ncov_pbmc_15.h5
(0:00:00)
reading ./data/covid/ncov_pbmc_16.h5
(0:00:00)
reading ./data/covid/ncov_pbmc_17.h5
(0:00:00)
reading ./data/covid/normal_pbmc_5.h5
(0:00:00)
reading ./data/covid/normal_pbmc_13.h5
(0:00:00)
reading ./data/covid/normal_pbmc_14.h5
(0:00:00)
reading ./data/covid/normal_pbmc_19.h5
(0:00:00)
2 Collate
# add some metadata
'type']="Covid"
data_cov1.obs['sample']="covid_1"
data_cov1.obs['type']="Covid"
data_cov15.obs['sample']="covid_15"
data_cov15.obs['type']="Covid"
data_cov16.obs['sample']="covid_16"
data_cov16.obs['type']="Covid"
data_cov17.obs['sample']="covid_17"
data_cov17.obs['type']="Ctrl"
data_ctrl5.obs['sample']="ctrl_5"
data_ctrl5.obs['type']="Ctrl"
data_ctrl13.obs['sample']="ctrl_13"
data_ctrl13.obs['type']="Ctrl"
data_ctrl14.obs['sample']="ctrl_14"
data_ctrl14.obs['type']="Ctrl"
data_ctrl19.obs['sample']="ctrl_19"
data_ctrl19.obs[
# merge into one object.
= data_cov1.concatenate(data_cov15, data_cov16, data_cov17, data_ctrl5, data_ctrl13, data_ctrl14, data_ctrl19)
adata
# and delete individual datasets to save space
del(data_cov1, data_cov15, data_cov16, data_cov17)
del(data_ctrl5, data_ctrl13, data_ctrl14, data_ctrl19)
You can print a summary of the datasets in the Scanpy object, or a summary of the whole object.
print(adata.obs['sample'].value_counts())
adata
sample
covid_1 1500
covid_15 1500
covid_16 1500
covid_17 1500
ctrl_5 1500
ctrl_13 1500
ctrl_14 1500
ctrl_19 1500
Name: count, dtype: int64
AnnData object with n_obs × n_vars = 12000 × 33538
obs: 'type', 'sample', 'batch'
var: 'gene_ids', 'feature_types', 'genome'
3 Calculate QC
Having the data in a suitable format, we can start calculating some quality metrics. We can for example calculate the percentage of mitochondrial and ribosomal genes per cell and add to the metadata. The proportion of hemoglobin genes can give an indication of red blood cell contamination. This will be helpful to visualize them across different metadata parameters (i.e. datasetID and chemistry version). There are several ways of doing this. The QC metrics are finally added to the metadata table.
Citing from Simple Single Cell workflows (Lun, McCarthy & Marioni, 2017): High proportions are indicative of poor-quality cells (Islam et al. 2014; Ilicic et al. 2016), possibly because of loss of cytoplasmic RNA from perforated cells. The reasoning is that mitochondria are larger than individual transcript molecules and less likely to escape through tears in the cell membrane.
First, let Scanpy calculate some general qc-stats for genes and cells with the function sc.pp.calculate_qc_metrics
, similar to calculateQCmetrics()
in Scater. It can also calculate proportion of counts for specific gene populations, so first we need to define which genes are mitochondrial, ribosomal and hemoglobin.
# mitochondrial genes
'mt'] = adata.var_names.str.startswith('MT-')
adata.var[# ribosomal genes
'ribo'] = adata.var_names.str.startswith(("RPS","RPL"))
adata.var[# hemoglobin genes.
'hb'] = adata.var_names.str.contains(("^HB[^(P|E|S)]"))
adata.var[
adata.var
gene_ids | feature_types | genome | mt | ribo | hb | |
---|---|---|---|---|---|---|
MIR1302-2HG | ENSG00000243485 | Gene Expression | GRCh38 | False | False | False |
FAM138A | ENSG00000237613 | Gene Expression | GRCh38 | False | False | False |
OR4F5 | ENSG00000186092 | Gene Expression | GRCh38 | False | False | False |
AL627309.1 | ENSG00000238009 | Gene Expression | GRCh38 | False | False | False |
AL627309.3 | ENSG00000239945 | Gene Expression | GRCh38 | False | False | False |
... | ... | ... | ... | ... | ... | ... |
AC233755.2 | ENSG00000277856 | Gene Expression | GRCh38 | False | False | False |
AC233755.1 | ENSG00000275063 | Gene Expression | GRCh38 | False | False | False |
AC240274.1 | ENSG00000271254 | Gene Expression | GRCh38 | False | False | False |
AC213203.1 | ENSG00000277475 | Gene Expression | GRCh38 | False | False | False |
FAM231C | ENSG00000268674 | Gene Expression | GRCh38 | False | False | False |
33538 rows × 6 columns
=['mt','ribo','hb'], percent_top=None, log1p=False, inplace=True) sc.pp.calculate_qc_metrics(adata, qc_vars
Now you can see that we have additional data in the metadata slot.
Another opition to using the calculate_qc_metrics
function is to calculate the values on your own and add to a metadata slot. An example for mito genes can be found below:
= adata.var_names.str.startswith('MT-')
mito_genes # for each cell compute fraction of counts in mito genes vs. all genes
# the `.A1` is only necessary as X is sparse (to transform to a dense array after summing)
'percent_mt2'] = np.sum(
adata.obs[=1).A1 / np.sum(adata.X, axis=1).A1
adata[:, mito_genes].X, axis# add the total counts per cell as observations-annotation to adata
'n_counts'] = adata.X.sum(axis=1).A1
adata.obs[
adata
AnnData object with n_obs × n_vars = 12000 × 33538
obs: 'type', 'sample', 'batch', 'n_genes_by_counts', 'total_counts', 'total_counts_mt', 'pct_counts_mt', 'total_counts_ribo', 'pct_counts_ribo', 'total_counts_hb', 'pct_counts_hb', 'percent_mt2', 'n_counts'
var: 'gene_ids', 'feature_types', 'genome', 'mt', 'ribo', 'hb', 'n_cells_by_counts', 'mean_counts', 'pct_dropout_by_counts', 'total_counts'
4 Plot QC
Now we can plot some of the QC variables as violin plots.
'n_genes_by_counts', 'total_counts', 'pct_counts_mt', 'pct_counts_ribo', 'pct_counts_hb'], jitter=0.4, groupby = 'sample', rotation= 45) sc.pl.violin(adata, [
As you can see, there is quite some difference in quality for these samples, with for instance the covid_15 and covid_16 samples having cells with fewer detected genes and more mitochondrial content. As the ribosomal proteins are highly expressed they will make up a larger proportion of the transcriptional landscape when fewer of the lowly expressed genes are detected. We can also plot the different QC-measures as scatter plots.
='total_counts', y='pct_counts_mt', color="sample") sc.pl.scatter(adata, x
Plot additional QC stats that we have calculated as scatter plots. How are the different measures correlated? Can you explain why?
5 Filtering
5.1 Detection-based filtering
A standard approach is to filter cells with low number of reads as well as genes that are present in at least a given number of cells. Here we will only consider cells with at least 200 detected genes and genes need to be expressed in at least 3 cells. Please note that those values are highly dependent on the library preparation method used.
=200)
sc.pp.filter_cells(adata, min_genes=3)
sc.pp.filter_genes(adata, min_cells
print(adata.n_obs, adata.n_vars)
filtered out 1336 cells that have less than 200 genes expressed
filtered out 14047 genes that are detected in less than 3 cells
10664 19491
Extremely high number of detected genes could indicate doublets. However, depending on the cell type composition in your sample, you may have cells with higher number of genes (and also higher counts) from one cell type. In this case, we will run doublet prediction further down, so we will skip this step now, but the code below is an example of how it can be run:
# skip for now as we are doing doublet prediction
#keep_v2 = (adata.obs['n_genes_by_counts'] < 2000) & (adata.obs['n_genes_by_counts'] > 500) & (adata.obs['lib_prep'] == 'v2')
#print(sum(keep_v2))
# filter for gene detection for v3
#keep_v3 = (adata.obs['n_genes_by_counts'] < 4100) & (adata.obs['n_genes_by_counts'] > 1000) & (adata.obs['lib_prep'] != 'v2')
#print(sum(keep_v3))
# keep both sets of cells
#keep = (keep_v2) | (keep_v3)
#print(sum(keep))
#adata = adata[keep, :]
#print("Remaining cells %d"%adata.n_obs)
Additionally, we can also see which genes contribute the most to such reads. We can for instance plot the percentage of counts per gene.
=20) sc.pl.highest_expr_genes(adata, n_top
normalizing counts per cell
finished (0:00:00)
As you can see, MALAT1 constitutes up to 30% of the UMIs from a single cell and the other top genes are mitochondrial and ribosomal genes. It is quite common that nuclear lincRNAs have correlation with quality and mitochondrial reads, so high detection of MALAT1 may be a technical issue. Let us assemble some information about such genes, which are important for quality control and downstream filtering.
5.2 Mito/Ribo filtering
We also have quite a lot of cells with high proportion of mitochondrial and low proportion of ribosomal reads. It would be wise to remove those cells, if we have enough cells left after filtering. Another option would be to either remove all mitochondrial reads from the dataset and hope that the remaining genes still have enough biological signal. A third option would be to just regress out the percent_mito
variable during scaling. In this case we had as much as 99.7% mitochondrial reads in some of the cells, so it is quite unlikely that there is much cell type signature left in those. Looking at the plots, make reasonable decisions on where to draw the cutoff. In this case, the bulk of the cells are below 20% mitochondrial reads and that will be used as a cutoff. We will also remove cells with less than 5% ribosomal reads.
# filter for percent mito
= adata[adata.obs['pct_counts_mt'] < 20, :]
adata
# filter for percent ribo > 0.05
= adata[adata.obs['pct_counts_ribo'] > 5, :]
adata
print("Remaining cells %d"%adata.n_obs)
Remaining cells 7431
As you can see, a large proportion of sample covid_15 is filtered out. Also, there is still quite a lot of variation in percent_mito
, so it will have to be dealt with in the data analysis step. We can also notice that the percent_ribo
are also highly variable, but that is expected since different cell types have different proportions of ribosomal content, according to their function.
5.3 Plot filtered QC
Lets plot the same QC-stats once more.
'n_genes_by_counts', 'total_counts', 'pct_counts_mt','pct_counts_ribo', 'pct_counts_hb'], jitter=0.4, groupby = 'sample', rotation = 45) sc.pl.violin(adata, [
5.4 Filter genes
As the level of expression of mitochondrial and MALAT1 genes are judged as mainly technical, it can be wise to remove them from the dataset before any further analysis. In this case we will also remove the HB genes.
= adata.var_names.str.startswith('MALAT1')
malat1 # we need to redefine the mito_genes since they were first
# calculated on the full object before removing low expressed genes.
= adata.var_names.str.startswith('MT-')
mito_genes = adata.var_names.str.contains('^HB[^(P|E|S)]')
hb_genes
= np.add(mito_genes, malat1)
remove = np.add(remove, hb_genes)
remove = np.invert(remove)
keep
= adata[:,keep]
adata
print(adata.n_obs, adata.n_vars)
7431 19468
6 Sample sex
When working with human or animal samples, you should ideally constrain your experiments to a single sex to avoid including sex bias in the conclusions. However this may not always be possible. By looking at reads from chromosomeY (males) and XIST (X-inactive specific transcript) expression (mainly female) it is quite easy to determine per sample which sex it is. It can also be a good way to detect if there has been any mislabelling in which case, the sample metadata sex does not agree with the computational predictions.
To get choromosome information for all genes, you should ideally parse the information from the gtf file that you used in the mapping pipeline as it has the exact same annotation version/gene naming. However, it may not always be available, as in this case where we have downloaded public data. Hence, we will use biomart to fetch chromosome information.
# requires pybiomart
if not fetch_annotation:
= sc.queries.biomart_annotations("hsapiens", ["ensembl_gene_id", "external_gene_name", "start_position", "end_position", "chromosome_name"], ).set_index("external_gene_name")
annot # adata.var[annot.columns] = annot
Now that we have the chromosome information, we can calculate the proportion of reads that comes from chromosome Y per cell.
= adata.var_names.intersection(annot.index[annot.chromosome_name == "Y"])
chrY_genes
chrY_genes
'percent_chrY'] = np.sum(
adata.obs[=1).A1 / np.sum(adata.X, axis=1).A1 * 100 adata[:, chrY_genes].X, axis
Then plot XIST expression vs chrY proportion. As you can see, the samples are clearly on either side, even if some cells do not have detection of either.
# color inputs must be from either .obs or .var, so add in XIST expression to obs.
"XIST-counts"] = adata.X[:,adata.var_names.str.match('XIST')].toarray()
adata.obs[
='XIST-counts', y='percent_chrY', color="sample") sc.pl.scatter(adata, x
Plot as violins.
"XIST-counts", "percent_chrY"], jitter=0.4, groupby = 'sample', rotation= 45) sc.pl.violin(adata, [
Here, we can see clearly that we have three males and five females, can you see which samples they are? Do you think this will cause any problems for downstream analysis? Discuss with your group: what would be the best way to deal with this type of sex bias?
7 Cell cycle state
We here perform cell cycle scoring. To score a gene list, the algorithm calculates the difference of mean expression of the given list and the mean expression of reference genes. To build the reference, the function randomly chooses a bunch of genes matching the distribution of the expression of the given list. Cell cycle scoring adds three slots in the metadata, a score for S phase, a score for G2M phase and the predicted cell cycle phase.
First read the file with cell cycle genes, from Regev lab and split into S and G2M phase genes. We first download the file.
= os.path.join(path_results, 'regev_lab_cell_cycle_genes.txt')
path_file if not os.path.exists(path_file):
'regev_lab_cell_cycle_genes.txt'), path_file) urllib.request.urlretrieve(os.path.join(path_data,
= [x.strip() for x in open('./data/covid/results/regev_lab_cell_cycle_genes.txt')]
cell_cycle_genes print(len(cell_cycle_genes))
# Split into 2 lists
= cell_cycle_genes[:43]
s_genes = cell_cycle_genes[43:]
g2m_genes
= [x for x in cell_cycle_genes if x in adata.var_names]
cell_cycle_genes print(len(cell_cycle_genes))
97
94
Before running cell cycle we have to normalize the data. In the scanpy object, the data slot will be overwritten with the normalized data. So first, save the raw data into the slot raw
. Then run normalization, log transformation and scale the data.
# save normalized counts in raw slot.
= adata
adata.raw
# normalize to depth 10 000
=1e4)
sc.pp.normalize_per_cell(adata, counts_per_cell_after
# logaritmize
sc.pp.log1p(adata)
# scale
sc.pp.scale(adata)
normalizing by total count per cell
finished (0:00:00): normalized adata.X and added 'n_counts', counts per cell before normalization (adata.obs)
... as `zero_center=True`, sparse input is densified and may lead to large memory consumption
We here perform cell cycle scoring. The function is actually a wrapper to sc.tl.score_gene_list, which is launched twice, to score separately S and G2M phases. Both sc.tl.score_gene_list and sc.tl.score_cell_cycle_genes are a port from Seurat and are supposed to work in a very similar way. To score a gene list, the algorithm calculates the difference of mean expression of the given list and the mean expression of reference genes. To build the reference, the function randomly chooses a bunch of genes matching the distribution of the expression of the given list. Cell cycle scoring adds three slots in data, a score for S phase, a score for G2M phase and the predicted cell cycle phase.
=s_genes, g2m_genes=g2m_genes) sc.tl.score_genes_cell_cycle(adata, s_genes
calculating cell cycle phase
computing score 'S_score'
WARNING: genes are not in var_names and ignored: ['MLF1IP']
finished: added
'S_score', score of gene set (adata.obs).
774 total control genes are used. (0:00:00)
computing score 'G2M_score'
WARNING: genes are not in var_names and ignored: ['FAM64A', 'HN1']
finished: added
'G2M_score', score of gene set (adata.obs).
772 total control genes are used. (0:00:00)
--> 'phase', cell cycle phase (adata.obs)
We can now create a violin plot for the cell cycle scores as well.
'S_score', 'G2M_score'], jitter=0.4, groupby = 'sample', rotation=45) sc.pl.violin(adata, [
In this case it looks like we only have a few cycling cells in these datasets.
Scanpy does an automatic prediction of cell cycle phase with a default cutoff of the scores at zero. As you can see this does not fit this data very well, so be cautios with using these predictions. Instead we suggest that you look at the scores.
='S_score', y='G2M_score', color="phase") sc.pl.scatter(adata, x
8 Predict doublets
Doublets/Multiples of cells in the same well/droplet is a common issue in scRNAseq protocols. Especially in droplet-based methods with overloading of cells. In a typical 10x experiment the proportion of doublets is linearly dependent on the amount of loaded cells. As indicated from the Chromium user guide, doublet rates are about as follows:
Most doublet detectors simulates doublets by merging cell counts and predicts doublets as cells that have similar embeddings as the simulated doublets. Most such packages need an assumption about the number/proportion of expected doublets in the dataset. The data you are using is subsampled, but the original datasets contained about 5 000 cells per sample, hence we can assume that they loaded about 9 000 cells and should have a doublet rate at about 4%.
For doublet detection, we will use the package Scrublet
, so first we need to get the raw counts from adata.raw.X
and run scrublet with that matrix. Then we add in the doublet prediction info into our anndata object.
Doublet prediction should be run for each dataset separately, so first we need to split the adata object into 6 separate objects, one per sample and then run scrublet on each of them.
import scrublet as scr
# split per batch into new objects.
= adata.obs['sample'].cat.categories.tolist()
batches = {}
alldata for batch in batches:
= adata[adata.obs['sample'] == batch,]
tmp print(batch, ":", tmp.shape[0], " cells")
= scr.Scrublet(tmp.raw.X)
scrub = scrub.scrub_doublets(verbose=False, n_prin_comps = 20)
out = pd.DataFrame({'doublet_score':out[0],'predicted_doublets':out[1]},index = tmp.obs.index)
alldata[batch] print(alldata[batch].predicted_doublets.sum(), " predicted_doublets")
covid_1 : 900 cells
24 predicted_doublets
covid_15 : 599 cells
8 predicted_doublets
covid_16 : 373 cells
3 predicted_doublets
covid_17 : 1101 cells
17 predicted_doublets
ctrl_5 : 1052 cells
35 predicted_doublets
ctrl_13 : 1173 cells
52 predicted_doublets
ctrl_14 : 1063 cells
33 predicted_doublets
ctrl_19 : 1170 cells
37 predicted_doublets
# add predictions to the adata object.
= pd.concat(alldata.values())
scrub_pred 'doublet_scores'] = scrub_pred['doublet_score']
adata.obs['predicted_doublets'] = scrub_pred['predicted_doublets']
adata.obs[
sum(adata.obs['predicted_doublets'])
209
We should expect that two cells have more detected genes than a single cell, lets check if our predicted doublets also have more detected genes in general.
# add in column with singlet/doublet instead of True/Fals
%matplotlib inline
'doublet_info'] = adata.obs["predicted_doublets"].astype(str)
adata.obs['n_genes_by_counts', jitter=0.4, groupby = 'doublet_info', rotation=45) sc.pl.violin(adata,
Now, lets run PCA and UMAP and plot doublet scores onto UMAP to check the doublet predictions.
=0.0125, max_mean=3, min_disp=0.5)
sc.pp.highly_variable_genes(adata, min_mean= adata[:, adata.var.highly_variable]
adata 'total_counts', 'pct_counts_mt'])
sc.pp.regress_out(adata, [=10)
sc.pp.scale(adata, max_value='arpack')
sc.tl.pca(adata, svd_solver=10, n_pcs=40)
sc.pp.neighbors(adata, n_neighbors
sc.tl.umap(adata)=['doublet_scores','doublet_info','sample']) sc.pl.umap(adata, color
extracting highly variable genes
finished (0:00:02)
--> added
'highly_variable', boolean vector (adata.var)
'means', float vector (adata.var)
'dispersions', float vector (adata.var)
'dispersions_norm', float vector (adata.var)
regressing out ['total_counts', 'pct_counts_mt']
finished (0:00:37)
computing PCA
on highly variable genes
with n_comps=50
finished (0:00:07)
computing neighbors
using 'X_pca' with n_pcs = 40
finished: added to `.uns['neighbors']`
`.obsp['distances']`, distances for each pair of neighbors
`.obsp['connectivities']`, weighted adjacency matrix (0:00:13)
computing UMAP
finished: added
'X_umap', UMAP coordinates (adata.obsm) (0:00:09)
Now, lets remove all predicted doublets from our data.
# also revert back to the raw counts as the main matrix in adata
= adata.raw.to_adata()
adata
= adata[adata.obs['doublet_info'] == 'False',:]
adata print(adata.shape)
(7222, 19468)
9 Save data
Finally, lets save the QC-filtered data for further analysis. Create output directory data/covid/results
and save data to that folder. This will be used in downstream labs.
'data/covid/results/scanpy_covid_qc.h5ad') adata.write_h5ad(
10 Session info
Click here
sc.logging.print_versions()
-----
anndata 0.10.5.post1
scanpy 1.9.6
-----
PIL 10.0.0
annoy NA
anyio NA
asttokens NA
attr 23.1.0
babel 2.12.1
backcall 0.2.0
certifi 2023.11.17
cffi 1.15.1
charset_normalizer 3.1.0
colorama 0.4.6
comm 0.1.3
cycler 0.12.1
cython_runtime NA
dateutil 2.8.2
debugpy 1.6.7
decorator 5.1.1
defusedxml 0.7.1
exceptiongroup 1.2.0
executing 1.2.0
fastjsonschema NA
future 0.18.3
gmpy2 2.1.2
h5py 3.9.0
idna 3.4
igraph 0.10.8
ipykernel 6.23.1
ipython_genutils 0.2.0
jedi 0.18.2
jinja2 3.1.2
joblib 1.3.2
json5 NA
jsonpointer 2.0
jsonschema 4.17.3
jupyter_events 0.6.3
jupyter_server 2.6.0
jupyterlab_server 2.22.1
kiwisolver 1.4.5
lazy_loader NA
leidenalg 0.10.1
llvmlite 0.41.1
louvain 0.8.1
markupsafe 2.1.2
matplotlib 3.8.0
matplotlib_inline 0.1.6
mpl_toolkits NA
mpmath 1.3.0
natsort 8.4.0
nbformat 5.8.0
numba 0.58.1
numpy 1.26.3
opt_einsum v3.3.0
overrides NA
packaging 23.1
pandas 2.2.0
parso 0.8.3
patsy 0.5.6
pexpect 4.8.0
pickleshare 0.7.5
pkg_resources NA
platformdirs 3.5.1
prometheus_client NA
prompt_toolkit 3.0.38
psutil 5.9.5
ptyprocess 0.7.0
pure_eval 0.2.2
pvectorc NA
pybiomart 0.2.0
pycparser 2.21
pydev_ipython NA
pydevconsole NA
pydevd 2.9.5
pydevd_file_utils NA
pydevd_plugins NA
pydevd_tracing NA
pygments 2.15.1
pynndescent 0.5.11
pyparsing 3.1.1
pyrsistent NA
pythonjsonlogger NA
pytz 2023.3
requests 2.31.0
requests_cache 0.4.13
rfc3339_validator 0.1.4
rfc3986_validator 0.1.1
scipy 1.12.0
scrublet NA
seaborn 0.13.2
send2trash NA
session_info 1.0.0
six 1.16.0
skimage 0.22.0
sklearn 1.4.0
sniffio 1.3.0
socks 1.7.1
sparse 0.15.1
stack_data 0.6.2
statsmodels 0.14.1
sympy 1.12
texttable 1.7.0
threadpoolctl 3.2.0
torch 2.0.0
tornado 6.3.2
tqdm 4.65.0
traitlets 5.9.0
typing_extensions NA
umap 0.5.5
urllib3 2.0.2
wcwidth 0.2.6
websocket 1.5.2
yaml 6.0
zmq 25.0.2
zoneinfo NA
zstandard 0.19.0
-----
IPython 8.13.2
jupyter_client 8.2.0
jupyter_core 5.3.0
jupyterlab 4.0.1
notebook 6.5.4
-----
Python 3.10.11 | packaged by conda-forge | (main, May 10 2023, 18:58:44) [GCC 11.3.0]
Linux-5.15.0-92-generic-x86_64-with-glibc2.35
-----
Session information updated at 2024-02-06 00:32