---
description: Assignment of cell identities based on gene expression
patterns using reference data.
subtitle: Bioconductor Toolkit
title: Celltype prediction
---
> **Note**
>
> Code chunks run R commands unless otherwise specified.
Celltype prediction can either be performed on indiviudal cells where
each cell gets a predicted celltype label, or on the level of clusters.
All methods are based on similarity to other datasets, single cell or
sorted bulk RNAseq, or uses known marker genes for each cell type.\
Ideally celltype predictions should be run on each sample separately and
not using the integrated data. In this case we will select one sample
from the Covid data, `ctrl_13` and predict celltype by cell on that
sample.\
Some methods will predict a celltype to each cell based on what it is
most similar to, even if that celltype is not included in the reference.
Other methods include an uncertainty so that cells with low similarity
scores will be unclassified.\
There are multiple different methods to predict celltypes, here we will
just cover a few of those.
We will use a reference PBMC dataset from the `scPred` package which is
provided as a Seurat object with counts. And we will test classification
based on the `scPred` and `scMap` methods. Finally we will use gene set
enrichment predict celltype based on the DEGs of each cluster.
## Read data
First, lets load required libraries
``` {r}
#| label: libraries
suppressPackageStartupMessages({
library(scater)
library(scran)
library(dplyr)
library(patchwork)
library(ggplot2)
library(pheatmap)
library(scPred)
library(scmap)
library(SingleR)
})
```
Let's read in the saved Covid-19 data object from the clustering step.
``` {r}
#| label: fetch-data
# download pre-computed data if missing or long compute
fetch_data <- TRUE
# url for source and intermediate data
path_data <- "https://nextcloud.dc.scilifelab.se/public.php/webdav"
curl_upass <- "-u zbC5fr2LbEZ9rSE:scRNAseq2025"
path_file <- "data/covid/results/bioc_covid_qc_dr_int_cl.rds"
if (!dir.exists(dirname(path_file))) dir.create(dirname(path_file), recursive = TRUE)
if (fetch_data && !file.exists(path_file)) download.file(url = file.path(path_data, "covid/results_bioc/bioc_covid_qc_dr_int_cl.rds"), destfile = path_file, method = "curl", extra = curl_upass)
alldata <- readRDS(path_file)
```
Let's read in the saved Covid-19 data object from the clustering step.
``` {r}
#| label: subset
ctrl.sce <- alldata[, alldata$sample == "ctrl.13"]
# remove all old dimensionality reductions as they will mess up the analysis further down
reducedDims(ctrl.sce) <- NULL
```
## Reference data
Load the reference dataset with annotated labels that is provided by the
`scPred` package, it is a subsampled set of cells from human PBMCs.
``` {r}
#| label: fetch-ref
reference <- scPred::pbmc_1
reference
```
Convert to a SCE object.
``` {r}
#| label: ref-sce
ref.sce <- Seurat::as.SingleCellExperiment(reference)
```
Rerun analysis pipeline. Run normalization, feature selection and
dimensionality reduction
``` {r}
#| label: process-ref
# Normalize
ref.sce <- computeSumFactors(ref.sce)
ref.sce <- logNormCounts(ref.sce)
# Variable genes
var.out <- modelGeneVar(ref.sce, method = "loess")
hvg.ref <- getTopHVGs(var.out, n = 1000)
# Dim reduction
ref.sce <- runPCA(ref.sce,
exprs_values = "logcounts", scale = T,
ncomponents = 30, subset_row = hvg.ref
)
ref.sce <- runUMAP(ref.sce, dimred = "PCA")
```
``` {r}
#| label: plot-ref
#| fig-height: 5
#| fig-width: 6
plotReducedDim(ref.sce, dimred = "UMAP", colour_by = "cell_type")
```
Run all steps of the analysis for the **ctrl** sample as well. Use the
clustering from the integration lab with resolution 0.5.
``` {r}
#| label: process-data
# Normalize
ctrl.sce <- computeSumFactors(ctrl.sce)
ctrl.sce <- logNormCounts(ctrl.sce)
# Variable genes
var.out <- modelGeneVar(ctrl.sce, method = "loess")
hvg.ctrl <- getTopHVGs(var.out, n = 1000)
# Dim reduction
ctrl.sce <- runPCA(ctrl.sce, exprs_values = "logcounts", scale = T, ncomponents = 30, subset_row = hvg.ctrl)
ctrl.sce <- runUMAP(ctrl.sce, dimred = "PCA")
```
``` {r}
#| label: plot-data
#| fig-height: 5
#| fig-width: 6
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "leiden_k20")
```
## scMap
The scMap package is one method for projecting cells from a scRNA-seq
experiment on to the cell-types or individual cells identified in a
different experiment. It can be run on different levels, either
projecting by cluster or by single cell, here we will try out both.
For scmap cell type labels must be stored in the `cell_type1` column of
the `colData` slots, and gene ids that are consistent across both
datasets must be stored in the `feature_symbol` column of the `rowData`
slots.
### scMap cluster
``` {r}
#| label: prep-scmap
# add in slot cell_type1
ref.sce$cell_type1 <- ref.sce$cell_type
# create a rowData slot with feature_symbol
rd <- data.frame(feature_symbol = rownames(ref.sce))
rownames(rd) <- rownames(ref.sce)
rowData(ref.sce) <- rd
# same for the ctrl dataset
# create a rowData slot with feature_symbol
rd <- data.frame(feature_symbol = rownames(ctrl.sce))
rownames(rd) <- rownames(ctrl.sce)
rowData(ctrl.sce) <- rd
```
Then we can select variable features in both datasets.
``` {r}
# select features
counts(ctrl.sce) <- as.matrix(counts(ctrl.sce))
logcounts(ctrl.sce) <- as.matrix(logcounts(ctrl.sce))
ctrl.sce <- selectFeatures(ctrl.sce, suppress_plot = TRUE)
counts(ref.sce) <- as.matrix(counts(ref.sce))
logcounts(ref.sce) <- as.matrix(logcounts(ref.sce))
ref.sce <- selectFeatures(ref.sce, suppress_plot = TRUE)
```
Then we need to index the reference dataset by cluster, default is the
clusters in `cell_type1`.
``` {r}
#| label: scmap-index
ref.sce <- indexCluster(ref.sce)
```
Now we project the Covid-19 dataset onto that index.
``` {r}
#| label: scmap-cluster
project_cluster <- scmapCluster(
projection = ctrl.sce,
index_list = list(
ref = metadata(ref.sce)$scmap_cluster_index
)
)
# projected labels
table(project_cluster$scmap_cluster_labs)
```
Then add the predictions to metadata and plot UMAP.
``` {r}
#| label: scmap-plot
#| fig-height: 5
#| fig-width: 6
# add in predictions
ctrl.sce$scmap_cluster <- project_cluster$scmap_cluster_labs
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cluster")
```
## scMap cell
We can instead index the refernce data based on each single cell and
project our data onto the closest neighbor in that dataset.
``` {r}
#| label: scmap-index-cell
ref.sce <- indexCell(ref.sce)
```
Again we need to index the reference dataset.
``` {r}
#| label: cmap-cell
project_cell <- scmapCell(
projection = ctrl.sce,
index_list = list(
ref = metadata(ref.sce)$scmap_cell_index
)
)
```
We now get a table with index for the 5 nearest neigbors in the
reference dataset for each cell in our dataset. We will select the
celltype of the closest neighbor and assign it to the data.
``` {r}
#| label: scmap-cell-pred
cell_type_pred <- colData(ref.sce)$cell_type1[project_cell$ref[[1]][1, ]]
table(cell_type_pred)
```
Then add the predictions to metadata and plot umap.
``` {r}
#| label: scmap-cell-plot
#| fig-height: 5
#| fig-width: 6
# add in predictions
ctrl.sce$scmap_cell <- cell_type_pred
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cell")
```
Plot both:
``` {r}
#| label: cmap-plot
#| fig-height: 4
#| fig-width: 10
wrap_plots(
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cluster"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cell"),
ncol = 2
)
```
## SinlgeR
SingleR is performs unbiased cell type recognition from single-cell RNA
sequencing data, by leveraging reference transcriptomic datasets of pure
cell types to infer the cell of origin of each single cell
independently.
There are multiple datasets included in the `celldex` package that can
be used for celltype prediction, here we will test two different ones,
the `DatabaseImmuneCellExpressionData` and the
`HumanPrimaryCellAtlasData`. In addition we will use the same reference
dataset that we used for label transfer above but using SingleR instead.
### Immune cell reference
``` {r}
#| label: singler-immune
immune = celldex::DatabaseImmuneCellExpressionData()
singler.immune <- SingleR(test = ctrl.sce, ref = immune, assay.type.test=1,
labels = immune$label.main)
head(singler.immune)
```
### HPCA reference
``` {r}
#| label: singler-hpca
hpca <- HumanPrimaryCellAtlasData()
singler.hpca <- SingleR(test = ctrl.sce, ref = hpca, assay.type.test=1,
labels = hpca$label.main)
head(singler.hpca)
```
### With own reference data
``` {r}
#| label: singler-ref
singler.ref <- SingleR(test=ctrl.sce, ref=ref.sce, labels=ref.sce$cell_type, de.method="wilcox")
head(singler.ref)
```
Compare results:
``` {r}
#| label: plot-singler
#| fig-height: 5
#| fig-width: 10
ctrl.sce$singler.immune = singler.immune$pruned.labels
ctrl.sce$singler.hpca = singler.hpca$pruned.labels
ctrl.sce$singler.ref = singler.ref$pruned.labels
wrap_plots(
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.immune"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.hpca"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.ref"),
ncol = 3
)
```
## Compare results
Now we will compare the output of the two methods using the convenient
function in scPred `crossTab()` that prints the overlap between two
metadata slots.
``` {r}
#| label: compare
table(ctrl.sce$scmap_cell, ctrl.sce$singler.hpca)
```
Or plot onto umap:
``` {r}
#| label: plot-all
wrap_plots(
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cluster"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cell"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.immune"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.hpca"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.ref"),
ncol = 3
)
```
As you can see, the methods using the same reference all have similar
results. While for instance singleR with different references give quite
different predictions. This really shows that a relevant reference is
the key in having reliable celltype predictions rather than the method
used.
## GSEA with celltype markers
Another option, where celltype can be classified on cluster level is to
use gene set enrichment among the DEGs with known markers for different
celltypes. Similar to how we did functional enrichment for the DEGs in
the differential expression exercise. There are some resources for
celltype gene sets that can be used. Such as
[CellMarker](http://bio-bigdata.hrbmu.edu.cn/CellMarker/),
[PanglaoDB](https://panglaodb.se/) or celltype gene sets at
[MSigDB](https://www.gsea-msigdb.org/gsea/msigdb/index.jsp). We can also
look at overlap between DEGs in a reference dataset and the dataset you
are analyzing.
### DEG overlap
First, lets extract top DEGs for our Covid-19 dataset and the reference
dataset. When we run differential expression for our dataset, we want to
report as many genes as possible, hence we set the cutoffs quite
lenient.
``` {r}
#| label: dge
# run differential expression in our dataset, using clustering at resolution 0.3
DGE_list <- scran::findMarkers(
x = alldata,
groups = as.character(alldata$leiden_k20),
pval.type = "all",
min.prop = 0
)
```
``` {r}
#| label: dge-ref
# Compute differential gene expression in reference dataset (that has cell annotation)
ref_DGE <- scran::findMarkers(
x = ref.sce,
groups = as.character(ref.sce$cell_type),
pval.type = "all",
direction = "up"
)
# Identify the top cell marker genes in reference dataset
# select top 50 with hihgest foldchange among top 100 signifcant genes.
ref_list <- lapply(ref_DGE, function(x) {
x$logFC <- rowSums(as.matrix(x[, grep("logFC", colnames(x))]))
x %>%
as.data.frame() %>%
filter(p.value < 0.01) %>%
top_n(-100, p.value) %>%
top_n(50, logFC) %>%
rownames()
})
unlist(lapply(ref_list, length))
```
Now we can run GSEA for the DEGs from our dataset and check for
enrichment of top DEGs in the reference dataset.
``` {r}
#| label: gsea
suppressPackageStartupMessages(library(fgsea))
# run fgsea for each of the clusters in the list
res <- lapply(DGE_list, function(x) {
x$logFC <- rowSums(as.matrix(x[, grep("logFC", colnames(x))]))
gene_rank <- setNames(x$logFC, rownames(x))
fgseaRes <- fgsea(pathways = ref_list, stats = gene_rank, nperm = 10000)
return(fgseaRes)
})
names(res) <- names(DGE_list)
# You can filter and resort the table based on ES, NES or pvalue
res <- lapply(res, function(x) {
x[x$pval < 0.1, ]
})
res <- lapply(res, function(x) {
x[x$size > 2, ]
})
res <- lapply(res, function(x) {
x[order(x$NES, decreasing = T), ]
})
res
```
Selecting top significant overlap per cluster, we can now rename the
clusters according to the predicted labels. OBS! Be aware that if you
have some clusters that have non-significant p-values for all the gene
sets, the cluster label will not be very reliable. Also, the gene sets
you are using may not cover all the celltypes you have in your dataset
and hence predictions may just be the most similar celltype. Also, some
of the clusters have very similar p-values to multiple celltypes, for
instance the ncMono and cMono celltypes are equally good for some
clusters.
``` {r}
#| label: plot-gsea
#| fig-height: 4
#| fig-width: 10
new.cluster.ids <- unlist(lapply(res, function(x) {
as.data.frame(x)[1, 1]
}))
alldata$ref_gsea <- new.cluster.ids[as.character(alldata$leiden_k20)]
wrap_plots(
plotReducedDim(alldata, dimred = "UMAP", colour_by = "leiden_k20"),
plotReducedDim(alldata, dimred = "UMAP", colour_by = "ref_gsea"),
ncol = 2
)
```
Compare the results with the other celltype prediction methods in the
**ctrl_13** sample.
``` {r}
#| label: plot-gsea-sub
#| fig-height: 3.5
#| fig-width: 12
ctrl.sce$ref_gsea <- alldata$ref_gsea[alldata$sample == "ctrl.13"]
wrap_plots(
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "ref_gsea"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "scmap_cell"),
plotReducedDim(ctrl.sce, dimred = "UMAP", colour_by = "singler.hpca"),
ncol = 3
)
```
### With annotated gene sets
We have downloaded the celltype gene lists from
http://bio-bigdata.hrbmu.edu.cn/CellMarker/CellMarker_download.html and
converted the excel file to a csv for you. Read in the gene lists and do
some filtering.
``` {r}
#| label: fetch-markers
path_file <- file.path("data/human_cell_markers.txt")
if (!file.exists(path_file)) download.file(file.path(path_data, "misc/cell_marker_human.csv"), destfile = path_file, method = "curl", extra = curl_upass)
```
``` {r}
#| label: prep-markers
markers <- read.delim("data/human_cell_markers.txt", sep = ";")
markers <- markers[markers$speciesType == "Human", ]
markers <- markers[markers$cancerType == "Normal", ]
# Filter by tissue (to reduce computational time and have tissue-specific classification)
# sort(unique(markers$tissueType))
# grep("blood",unique(markers$tissueType),value = T)
# markers <- markers [ markers$tissueType %in% c("Blood","Venous blood",
# "Serum","Plasma",
# "Spleen","Bone marrow","Lymph node"), ]
# remove strange characters etc.
celltype_list <- lapply(unique(markers$cellName), function(x) {
x <- paste(markers$geneSymbol[markers$cellName == x], sep = ",")
x <- gsub("[[]|[]]| |-", ",", x)
x <- unlist(strsplit(x, split = ","))
x <- unique(x[!x %in% c("", "NA", "family")])
x <- casefold(x, upper = T)
})
names(celltype_list) <- unique(markers$cellName)
# celltype_list <- lapply(celltype_list , function(x) {x[1:min(length(x),50)]} )
celltype_list <- celltype_list[unlist(lapply(celltype_list, length)) < 100]
celltype_list <- celltype_list[unlist(lapply(celltype_list, length)) > 5]
```
``` {r}
#| label: gsea-marker
# run fgsea for each of the clusters in the list
res <- lapply(DGE_list, function(x) {
x$logFC <- rowSums(as.matrix(x[, grep("logFC", colnames(x))]))
gene_rank <- setNames(x$logFC, rownames(x))
fgseaRes <- fgsea(pathways = celltype_list, stats = gene_rank, nperm = 10000)
return(fgseaRes)
})
names(res) <- names(DGE_list)
# You can filter and resort the table based on ES, NES or pvalue
res <- lapply(res, function(x) {
x[x$pval < 0.01, ]
})
res <- lapply(res, function(x) {
x[x$size > 5, ]
})
res <- lapply(res, function(x) {
x[order(x$NES, decreasing = T), ]
})
# show top 3 for each cluster.
lapply(res, head, 3)
```
#CT_GSEA8:
``` {r}
#| label: plot-gsea-marker
#| fig-height: 4
#| fig-width: 10
new.cluster.ids <- unlist(lapply(res, function(x) {
as.data.frame(x)[1, 1]
}))
alldata$cellmarker_gsea <- new.cluster.ids[as.character(alldata$leiden_k20)]
wrap_plots(
plotReducedDim(alldata, dimred = "UMAP", colour_by = "cellmarker_gsea"),
plotReducedDim(alldata, dimred = "UMAP", colour_by = "ref_gsea"),
ncol = 2
)
```
> **Discuss**
>
> Do you think that the methods overlap well? Where do you see the most
> inconsistencies?
In this case we do not have any ground truth, and we cannot say which
method performs best. You should keep in mind, that any celltype
classification method is just a prediction, and you still need to use
your common sense and knowledge of the biological system to judge if the
results make sense.
Finally, lets save the data with predictions.
``` {r}
#| label: save
saveRDS(ctrl.sce, "data/covid/results/bioc_covid_qc_dr_int_cl_ct-ctrl13.rds")
```
## Session info
```{=html}
```
```{=html}
```
Click here
```{=html}
```
``` {r}
#| label: session
sessionInfo()
```
```{=html}
```