Newer
Older
Izaskun Mallona
committed
title: "CLiP postprocessing - deletion/SNV based"
author: "Katharina Hembach, updated by Izaskun Mallona"
date: "16.08.2021"
output:
html_document:
toc: true
toc_float: true
---
```{r, echo = FALSE, warning = FALSE, message = FALSE}
knitr::opts_chunk$set(autodep = TRUE, cache = FALSE,
cache.lazy = FALSE,
dev = "png",
dev.args = list(png = list(type = "cairo")),
warning = FALSE, message = FALSE)
```
### Load packages
Izaskun Mallona
committed
## library(here)
library(Rsamtools)
library(rtracklayer)
library(dplyr)
library(BSgenome.Hsapiens.UCSC.hg38)
library(eulerr)
library(ggplot2)
library(GenomicFeatures)
library(ggrepel)
library(ggpubr)
library(stringr)
library(RColorBrewer)
library(GenomicAlignments)
Izaskun Mallona
committed
```{r}
WD <- file.path('/home', 'imallona', 'polymenidou_manu_clip/', 'armor_output')
```
# Load data
```{r load-files}
samples <- c("WT", "6M", "RBDm")
bams <- lapply(samples, function(x)
Izaskun Mallona
committed
list.files(file.path(WD, "BAM_deduplicated_clip5"),
pattern = paste0("20200123.A-", x, "2*_R2_deduplicated.bam$")))
names(bams) <- samples
## reference genome
genome <- BSgenome.Hsapiens.UCSC.hg38
seqlevelsStyle(genome) <- 'UCSC' ## "Ensembl"
gtf_file <- file.path(WD, "..", "reference", "gencode.v39.annotation.gtf")
genes <- gtf[gtf$type =="gene"]
```
# Compute pileup
We generate genomewide pileup tables for each bam file. The pileup is used to identify the location and frequency of mutations (including deletions).
```{r pileup-mut-table}
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
if (!file.exists('pu_res.rds')) {
pu_res <- lapply(samples,function(x) NULL) %>% setNames(samples)
min_allel_depth <- 1 ## at least 1 read with deletion per sample
for(s in samples){
# sbp <- ScanBamParam(which = mp[[s]])
## require at least 3 reads with any mutation per position
## show all mutations with at least 1 supporting read
pp <- PileupParam(max_depth = 30000, include_deletions = TRUE,
include_insertions=FALSE,
min_nucleotide_depth=1, min_minor_allele_depth = min_allel_depth)
## compute pileup for both of the replicates
bf <- open(BamFile(file.path(WD, "BAM_deduplicated_clip5", bams[[s]][1]),
yieldSize=5e4,
index = file.path(WD, "BAM_deduplicated_clip5",
paste0(bams[[s]][1], ".bai"))))
pu <- list("rep1" = data.frame(), "rep2" = data.frame())
repeat {
res <- pileup(bf)
if(nrow(res) == 0L)
break
res <- res %>% dplyr::filter(nucleotide == "-")
pu[["rep1"]] <- rbind(pu[["rep1"]], res)
}
close(bf)
bf <- open(BamFile(file.path(WD, "BAM_deduplicated_clip5", bams[[s]][2]),
yieldSize=5e4,
index = file.path(WD, "BAM_deduplicated_clip5",
paste0(bams[[s]][2], ".bai"))))
repeat {
res <- pileup(bf)
if(nrow(res) == 0L)
break
res <- res %>% dplyr::filter(nucleotide == "-")
pu[["rep2"]] <- rbind(pu[["rep2"]], res)
}
close(bf)
lapply(pu, dim)
pu_res[[s]] <- pu
}
saveRDS(pu_res, 'pu_res.rds')
} else {
pu_res <- readRDS('pu_res.rds')
}
```
We compute the fraction of reads with deletion, and remove positions with >50% deletions, these are either true deletions compared to the reference genome or positions with very low read coverage.
```{r read-genome-coverage}
## import BAM files to get genome read coverage
if (!file.exists( "clip5_BAM_coverage.rds")) {
Izaskun Mallona
committed
fs <- dir(path = file.path(WD, "BAM_deduplicated_clip5"), pattern = "_R2_deduplicated.bam$",
full.names = TRUE)
names(fs) <- str_extract(basename(fs),
"(?<=20200123.A-).*(?=_R2_deduplicated.bam)")
cov <- list()
for (sample in names(fs)){
ga <- readGAlignments(fs[sample])
cov[[sample]] <- coverage(ga)
rm(ga)
}
gc()
saveRDS(cov, "clip5_BAM_coverage.rds")
cov <- readRDS("clip5_BAM_coverage.rds")
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
}
```
```{r add-del-perc}
lapply(pu_res, function(x) lapply(x, nrow))
pu_res_cov <- list()
for(i in names(pu_res)){
m <- match(i, names(cov))
a <- pu_res[[i]]
a[["rep1"]]$nreads <- cov[[m]][GRanges(seqnames = a[["rep1"]]$seqnames,
range = IRanges(start = a[["rep1"]]$pos,
end = a[["rep1"]]$pos),
strand = a[["rep1"]]$strand)] %>%
unlist %>% as.vector
a[["rep1"]]$del_frac <- a[["rep1"]]$count / a[["rep1"]]$nreads
a[["rep2"]]$nreads <- cov[[m+1]][GRanges(seqnames = a[["rep2"]]$seqnames,
range = IRanges(start = a[["rep2"]]$pos,
end = a[["rep2"]]$pos),
strand = a[["rep2"]]$strand)] %>%
unlist %>% as.vector
a[["rep2"]]$del_frac <- a[["rep2"]]$count / a[["rep2"]]$nreads
pu_res_cov[[i]] <- a
}
lapply(pu_res_cov, function(x) lapply(x, function(y) summary(y$del_frac)))
## fraction of positions with > 50% deletions
lapply(pu_res_cov, function(x) lapply(x, function(y) sum(y$del_frac > 0.5)/nrow(y)))
## what is the number of reads at these positions?
lapply(pu_res_cov, function(x) lapply(x, function(y) y[y$del_frac > 0.5, "nreads"] %>% summary))
## remove all positions with > 50% deletions
pu_res_cov <- lapply(pu_res_cov, function(x) lapply(x, function(y) y[y$del_frac <= 0.5,]))
lapply(pu_res_cov, function(x) lapply(x, nrow))
```
```{r deletion-pos}
# ## check the number of reads supporting each deletion in the two replicates and filter positions
# ## that only have deletions in one replicate but not the other!lapply(pu_res,nrow)
pu_res_cov[["RBDm"]][["rep1"]] %>% head
pu_res_cov[["RBDm"]][["rep2"]] %>% head
pu_merge <- lapply(pu_res_cov, function(x){
x[["rep1"]] %>%
full_join(x[["rep2"]], by = c("seqnames", "pos", "strand", "nucleotide"),
suffix = c("1", "2"))
})
lapply(pu_merge, nrow)
for(s in names(pu_merge)){
print(s)
print(paste0("number of positions: ", nrow(pu_merge[[s]])))
## positions with deletions in both replicates
print(paste0("deletion in both reps: ",
pu_merge[[s]] %>%
dplyr::filter(!is.na(count1) & !is.na(count2)) %>% nrow))
## positions with deletions supported by at least 2 reads in one of the replicates
print(paste(">=2 reads in one rep: ",
pu_merge[[s]] %>% dplyr::filter((count1 > 1 & !is.na(count2)) |
(!is.na(count1) & count2 > 1)) %>% nrow))
## positions with deletions supported by at least 2 reads in both replicates
print(paste0(">=2 reads in both reps: ",
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
pu_merge[[s]] %>% dplyr::filter(count1 > 1 & count2 > 1) %>% nrow))
## positions with at least 4 deletions independent of replicates
print(paste0(">=4 reads: ",
pu_merge[[s]] %>% dplyr::filter(count1 + count2 >= 4) %>% nrow))
}
```
## Filter common deletion sites
```{r filter-mut-pos}
## we keep the common deletion positions with at least 2 reads in one replicate
pu_filtered <- lapply(pu_merge, function(x)
x %>% dplyr::filter((count1 > 1 & !is.na(count2)) |
(!is.na(count1) & count2 > 1)))
lapply(pu_filtered, nrow)
## sum of reads supporting a deletion
lapply(pu_filtered, function(x) summary(x$count1 + x$count2))
```
## Positions with high number of deletions
What are the positions with many deletions? Are they common between samples?
```{r pos-high-del-count}
## how many positions have more than 100 reads?
lapply(pu_filtered, function(x) x[rowSums(x[,c("count1", "count2")]) >= 25,])
```
# Cluster deletions
We cluster the mutations that are at most 10 bp apart.
```{r group-mutations}
## create GRanges with deletion positions
gr <- lapply(pu_filtered, function(x)
GRanges(seqnames = x$seqnames, range = IRanges(start = x$pos, end = x$pos),
strand = x$strand, count1 = x$count1, count2 = x$count2))
## save deletions positions
lapply(names(gr), function(x)
export(gr[[x]], paste0("deletion_pos_min_3reads_", x, ".bed")))
## merge all mutations which are at max 10 bp apart
max_gap <- 10
del_cluster <- lapply(gr, function(x) reduce(x, min.gapwidth=max_gap + 1))
lengths(del_cluster)
lapply(names(del_cluster), function(x)
export(del_cluster[[x]], paste0("deletion_cluster_dist_", max_gap,
"_min_3reads_", x, ".bed")))
```
# Annotate clusters
We annotate each deletion cluster with the overlapping gene(s).
```{r annotate-clusters, warning = FALSE, eval = TRUE}
## kathi: remove deletion sites on chromosome patches
del_cluster <- lapply(del_cluster, function(x)
x[seqnames(x) %in% seqnames(genome)])
del_cluster <- lapply(del_cluster, function(x) {
seqlevels(x) <- seqlevelsInUse(x)
x})
## each xl get's a number as ID
del_cluster <- lapply(del_cluster, function(x){
x$ID <- 1:length(x)
x
})
clus_an <- lapply(names(del_cluster), function(x) {
olap <- findOverlaps(del_cluster[[x]], genes, ignore.strand = FALSE)
data.frame(cluster_id = del_cluster[[x]][queryHits(olap)]$ID,
gene_id = genes[subjectHits(olap)]$gene_id)
})
names(clus_an) <- names(del_cluster)
lapply(clus_an, nrow)
## number of target genes
lapply(clus_an, function(x) x$gene_id %>% unique %>% length)
```
## Filter target genes based on cluster location
We filter out protein coding genes and spliced lncRNAs where all clusters overlap with small RNAs, because we saw in IGV that all these examples show now evidence of actual binding to the long genes.
```{r identify-wrong-pc-target-genes}
to_filter <- lapply(names(clus_an), function(s) {
x <- clus_an[[s]]
g <- genes[genes$gene_id %in% x$gene_id]
##seperate protein coding and long lncRNAs from short genes
pc <- g[g$gene_type == "protein_coding"]$gene_id
lnc <- g[g$gene_type == "lncRNA"]$gene_id
g1 <- gtf[gtf$gene_id %in% lnc]
e <- g1[g1$type == "exon"]
sp <- split(e$exon_number, e$gene_id)
## all lncRNAs with more than 1 exon
lnc_spl <- names(sp)[lengths(lapply(sp, unique)) > 1]
## all spliced genes, that need to be checked for potential false positives
pc <- c(pc, g[g$gene_id %in% lnc_spl]$gene_id)
## list of small RNAs that might cause the clusters in the long genes
## ## except TEC, MT_rRNA,
## everything except the protein coding genes and pseudogenes
short <- g[!g$gene_type %in% c("protein_coding", "processed_pseudogene",
"unprocessed_pseudogene", "ribozyme",
"rRNA_pseudogene", "Mt_rRNA",
"transcribed_processed_pseudogene",
"transcribed_unitary_pseudogene",
"transcribed_unprocessed_pseudogene",
"unitary_pseudogene",
"unprocessed_pseudogene", "TEC")]
## remove the long lncRNAs
short <- short[!short$gene_id %in% pc]
## go through the list of genes and determine if all clusters overlap small RNAs
res <- lapply(pc, function(i) {
clusters <- x[x$gene_id ==i, "cluster_id"]
nr_olap <- countOverlaps(del_cluster[[s]][del_cluster[[s]]$ID %in% clusters], short,
ignore.strand = FALSE)
if(all(nr_olap > 0)){ ## all clusters overlap at least one short RNA
return(i)
}
return(NULL)
})
print(unique(unlist(res))) ## all genes that are no true targets
})
names(to_filter) <- names(clus_an)
lengths(to_filter)
```
```{r filter-target-genes}
# what are the filtered genes?
lapply(to_filter, function(x){
g <- genes[genes$gene_id %in% x]
m <- match(x, g$gene_id)
data.frame(gene_id = x, gene_name = g[m]$gene_name,
gene_type = g[m]$gene_type )
})
lapply(to_filter, function(x) genes[genes$gene_id %in% x]$gene_name)
## remove the wrong targets from the list
nam <- names(clus_an)
clus_an <- lapply(names(clus_an), function(x) {
clus_an[[x]] %>% dplyr::filter(!gene_id %in% to_filter[[x]])
})
names(clus_an) <- nam
## number of target genes after filtering
lapply(clus_an, function(x) {
length(unique(x$gene_id))})
saveRDS(clus_an, "del_clus_an.rds")
```
# Target genes
We need a table with all target genes and the number of clusters per gene.
```{r gdf}
## data.frame with all target genes
gdf <- as.data.frame(genes[genes$gene_id %in%
(lapply(clus_an, function(x) x$gene_id %>% unique) %>% unlist %>% unique)]) %>%
dplyr::select(seqnames, start, end, strand, gene_id, gene_name, gene_type)
## add the number of clusters per group
for(i in names(clus_an)){
clus_count <- clus_an[[i]] %>%
dplyr::group_by(gene_id) %>%
dplyr::summarise(n = n())
m <- match(gdf$gene_id, clus_count$gene_id)
cname <- paste0("nclusters_", i)
gdf[,cname] <- clus_count$n[m]
gdf[is.na(gdf[,cname]), cname] <- 0
}
## sort according to number of clusters
gdf <- gdf %>% dplyr::arrange(desc(nclusters_WT))
gdf %>% head
gdf %>% dplyr::arrange(desc(nclusters_6M)) %>% head
gdf %>% dplyr::arrange(desc(nclusters_RBDm)) %>% head
## distribution of gene types
gdf <- gdf %>% dplyr::filter(!gene_type %in%
c("processed_pseudogene", "rRNA_pseudogene",
"transcribed_processed_pseudogene", "transcribed_unitary_pseudogene",
"transcribed_unprocessed_pseudogene", "unitary_pseudogene",
"unprocessed_pseudogene", "TEC"))
nrow(gdf)
## genes with 6M peaks but 0 WT peak
gdf %>% dplyr::arrange(desc(nclusters_6M)) %>%
dplyr::filter(nclusters_WT == 0) %>%
head
## bound in WT and RBDm, but not 6M
gdf %>% dplyr::filter(nclusters_6M == 0 & nclusters_WT > 0 & nclusters_RBDm > 0) %>%
head
write.table(gdf, "gene_deletion_cluster_count.txt",
quote = FALSE, sep = "\t", row.names = FALSE)
```
```{r}
table(gdf$gene_type)
```
## Venn diagram
Venn and euler diagram of the genes with at least one peak
```{r venn-diagram}
gene_list <- list("WT" = gdf$gene_id[gdf$nclusters_WT>0],
"6M" = gdf$gene_id[gdf$nclusters_6M>0],
"RBDm" = gdf$gene_id[gdf$nclusters_RBDm>0])
euler_diag <- euler(gene_list, shape = "circle")
venn_diag <- venn(gene_list)
eulerr_options(labels = list(fontsize = 20),
quantities = list(fontsize = 20, font = 2),
fills = list(alpha = 0.5),
padding = unit(0.6, "lines"))
p <- plot(euler_diag, font=1,
fills=c("#117733", "#882255", "steelblue3"),
edges=c("#117733", "#882255", "steelblue3"),
labels = list(col = c("#117733", "#882255", "steelblue4")),
quantities = TRUE,
alpha=0.6, lwd = 4, adjust_labels = FALSE)
p
svg("euler.svg"); p; dev.off()
p <- plot(venn_diag,font=1,
fills=c("#117733", "#882255", "steelblue3"),
edges=c("#117733", "#882255", "steelblue3"),
labels = list(col = c("#117733", "#882255", "steelblue4")),
quantities = TRUE,
alpha=0.6, lwd = 4, adjust_labels = FALSE)
p
svg("venn.svg"); p; dev.off()
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
```
What are the genes with clusters in only the 6M or RBDm samples?
```{r unique_clusters}
## 6M specific
gdf %>% dplyr::filter(nclusters_WT == 0 & nclusters_RBDm == 0) %>% dplyr::pull(gene_name)
## RBDm specific
gdf %>% dplyr::filter(nclusters_WT == 0 & nclusters_6M == 0) %>% dplyr::pull(gene_name)
```
What is the mean number of clusters in the unique and shared target genes?
```{r}
gdf %>% dplyr::filter(nclusters_WT == 0 & nclusters_RBDm == 0) %>%
dplyr::pull(nclusters_6M) %>% summary
gdf %>% dplyr::filter(nclusters_WT == 0 & nclusters_6M == 0) %>%
dplyr::pull(nclusters_RBDm) %>% summary
## How does it compare to the overall number of mutation clusters per gene?
gdf %>% dplyr::filter(nclusters_6M > 0 ) %>% dplyr::pull(nclusters_6M) %>% summary
gdf %>% dplyr::filter(nclusters_RBDm > 0 ) %>% dplyr::pull(nclusters_RBDm) %>% summary
```
Most unique genes have only one cluster and some two clusters.
# Hexamer enrichment in window surrounding deletion clusters
We center a window on the deletion clusters and compute the oligomer enrichment.
```{r addutrinfotogtf}
txdb1 <- makeTxDbFromGRanges(gtf)
utr3 <- threeUTRsByTranscript(txdb1, use.names=TRUE)
```
```{r prepare-annotation}
# genes <- mp_an[["RBDm"]]$gene_id
prep_an <- function(gtf, genes){
g <- gtf[gtf$gene_id %in% genes]
exon <- g[g$type == "exon"] %>% unique
## utr <- g[g$type == "UTR"] %>% unique
anno <- GRangesList(exon = exon_unique, utr = utr)
## intron annotation
txdb <- makeTxDbFromGRanges(g)
introns <- unlist(intronsByTranscript(txdb))
five_utr <- unlist(fiveUTRsByTranscript(txdb))
three_utr <- unlist(threeUTRsByTranscript(txdb))
## We remove all 3' and 5' UTR regions that overlap with any exons
exon_utr <- GenomicRanges::setdiff(exon, three_utr)
exon_unique <- GenomicRanges::setdiff(exon_utr, five_utr) %>% unique
# We remove 3'UTR regions that overlap with 5'UTR regions
three_utr_unique <- GenomicRanges::setdiff(three_utr, five_utr) %>% unique
anno <- GRangesList(exon = exon_unique, three_prime_utr = three_utr_unique,
five_prime_utr = five_utr)
## remove the intronic parts that overlap with exons from other transcripts
anno[["intron"]] <- GenomicRanges::setdiff(introns, c(anno[["exon"]],
anno[["three_prime_utr"]],
anno[["five_prime_utr"]])) %>% reduce
## reduce potentially overlapping ranges
lapply(anno, reduce)
}
sample_an <- lapply(names(clus_an), function(n)
prep_an(gtf, clus_an[[n]]$gene_id %>% unique))
names(sample_an) <- names(clus_an)
lapply(sample_an, function(x) lapply(x, length))
saveRDS(sample_an, "sample_an_deletion_clusters.rds")
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
558
559
560
561
562
563
564
565
566
567
568
569
570
571
572
573
574
575
576
577
578
579
580
581
582
583
584
585
586
587
588
589
590
591
592
593
594
595
596
597
598
599
600
601
602
603
604
605
606
607
608
609
610
611
612
613
614
615
616
617
618
619
620
621
622
623
624
625
626
627
628
629
630
631
632
633
634
635
636
637
638
639
640
641
642
643
644
645
646
647
648
649
650
651
652
653
654
655
656
657
658
659
660
661
662
663
664
665
666
667
668
669
670
671
672
673
674
675
676
677
678
679
680
681
682
683
684
685
686
687
688
689
690
691
692
693
694
695
696
697
698
699
700
701
702
703
704
705
706
707
708
709
710
711
712
713
714
715
716
717
718
719
720
721
722
723
724
725
726
727
728
729
730
731
732
733
734
735
736
737
738
739
740
741
742
743
744
745
746
747
748
749
750
751
752
753
754
755
756
757
758
759
760
761
762
763
764
765
766
767
768
769
770
771
772
773
774
775
776
777
778
779
780
781
782
783
784
785
786
```
```{r z-score-function-def}
## for each sample
## we place the window at a random position within each bg seq
## we compute the oligomer counts
## we repeat this 100 times, to generate a matrix with oligomer x 100 (oligomer count for each repetition)
shuffled_oligomer_counts <- function(b, w_size, nolig = 6){
## only keep the region that are at least as big as w_size
b <- b[lengths(b) >= w_size]
names(b) <- 1:length(b)
# random number between 0 and 1 is multiplied with sequence length to determine the start position of the shuffled window
starts <- floor(1 + runif(length(b)) * (lengths(b)-w_size + 1))
# subset the sequences according to random start coordinates
seq <- subseq(b, start = starts, end = starts + w_size - 1)
of <- oligonucleotideFrequency(seq, width = nolig, step = 1,
simplify.as = "collapsed")
}
## given window size, peaks with position of peak center and overlapping annotation regions,
## we can compute the oligomer occurrence in the peak windows
## and we shuffle the windows in the annotation regions 100 timnes and
## also count the oligomers to compute the x-score per oligomer
oligomer_zscore <- function(wind_size = 41, clusters, sample_an, nolig = 6){
half_wind <- (wind_size-1)/2
## Peak window regions
wind <- lapply(clusters, function(x)
GRanges(seqnames(x), IRanges(start(x)-half_wind, end(x)+half_wind),
strand = strand(x), ID = x$ID))
## Annotation regions overlapping with at least half of a window
sample_an_wind <- lapply(names(sample_an), function(x)
lapply(sample_an[[x]], function(a) {
a[queryHits(findOverlaps(a, wind[[x]], minoverlap = half_wind+1))]
})
)
names(sample_an_wind) <- names(sample_an)
## genomic sequence of windows and annotation regions
wind_seq <- lapply(wind, function(x) getSeq(genome, x))
bg_seq <- lapply(sample_an_wind, function(x)
GRangesList(x) %>%
unlist %>%
getSeq(x = genome, names = .))
## oligomer count in window
obs <- lapply(wind_seq, function(x) {
oligonucleotideFrequency(x, width = nolig, step = 1,
simplify.as = "collapsed")
})
## oligomer count in shuffled windows
obs_sh <- lapply(names(bg_seq), function(x) {
obs_sh <- list()
for(i in 1:100){
obs_sh[[i]] <- shuffled_oligomer_counts(b = bg_seq[[x]],
w_size = wind_size, nolig)
}
obs_sh <- bind_cols(obs_sh)
obs_sh
})
names(obs_sh) <- names(bg_seq)
## z-score
sh_params <- lapply(obs_sh, function(x) {
data.frame(mean = rowMeans(x), sd = apply(x, 1, sd))
})
z_scores <- lapply(names(obs), function(x) {
(obs[[x]] - sh_params[[x]]$mean) / sh_params[[x]]$sd
})
names(z_scores) <- names(obs)
z_scores
}
## Plot the z-scores of two peak sets against each other
plot_oligomer <- function(dfz, xparam, yparam, i, label = "oligomer"){
lim <- c(min(dfz[, xparam[i]], dfz[, yparam[i]]), max(dfz[, xparam[i]], dfz[, yparam[i]]))
p <- ggplot(dfz, aes_string(x = xparam[i], y = yparam[i], label = label)) +
geom_point(alpha = 0.3, col = "darkblue") +
theme_bw() + xlim(lim) + ylim(lim) + theme(aspect.ratio = 1) +
stat_cor(method = "pearson", label.x.npc = "center", label.y.npc = "top") +
geom_smooth(method="lm", se = TRUE, color = "darkgrey") +
geom_text_repel(data = rbind(dfz %>%
dplyr::arrange(desc(get(xparam[i]))) %>%
dplyr::slice(1:20),
dfz %>%
dplyr::arrange(desc(get(yparam[i]))) %>%
dplyr::slice(1:20)) %>%
unique)
print(p)
}
```
# Z-score for different oligomer and window sizes
## Pentamer & window 61
What are the pentamers with the highest z-score per sample?
```{r wind-61, warning = FALSE, message = FALSE}
z_scores <- oligomer_zscore(wind_size = 61, del_cluster, sample_an, nolig = 5)
lapply(z_scores, summary)
lapply(z_scores, function(x) x[order(x)][1:20])
lapply(z_scores, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores, function(x) x["GTGTG"])
lapply(z_scores, function(x) x["TGTGT"])
```
Are the top pentamers similar between samples?
### Scatterplot {.tabset}
```{r z-score-plots-61, results = "asis", message = FALSE}
dfz <- data.frame(pentamer = names(z_scores[[1]]),
zscore_WT = z_scores[["WT"]],
zscore_6M = z_scores[["6M"]],
zscore_RBDm = z_scores[["RBDm"]])
xparam <- c("zscore_6M", "zscore_6M", "zscore_RBDm")
yparam <- c("zscore_WT", "zscore_RBDm", "zscore_WT")
for(i in 1:length(xparam)){
cat("#### ", xparam[i], " vs. ", yparam[i], "\n")
plot_oligomer(dfz, xparam, yparam, i, label = "pentamer")
cat("\n\n")
}
```
## Hexamer & window 41
What are the hexamers with the highest z-score per sample?
```{r hexamer-wind-41, warning = FALSE, message = FALSE}
z_scores <- oligomer_zscore(wind_size = 41, del_cluster, sample_an, nolig = 6)
lapply(z_scores, summary)
lapply(z_scores, function(x) x[order(x)][1:20])
lapply(z_scores, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores, function(x) x["GTGTGT"])
lapply(z_scores, function(x) x["TGTGTG"])
```
Are the top hexamers similar between samples?
### Scatterplot {.tabset}
```{r hexamer-z-score-plots-41, results = "asis", message = FALSE}
dfz <- data.frame(hexamer = names(z_scores[[1]]),
zscore_WT = z_scores[["WT"]],
zscore_6M = z_scores[["6M"]],
zscore_RBDm = z_scores[["RBDm"]])
xparam <- c("zscore_6M", "zscore_6M", "zscore_RBDm")
yparam <- c("zscore_WT", "zscore_RBDm", "zscore_WT")
for(i in 1:length(xparam)){
cat("#### ", xparam[i], " vs. ", yparam[i], "\n")
plot_oligomer(dfz, xparam, yparam, i, label = "hexamer")
cat("\n\n")
}
```
### Histogram and violin plot
z-score vs. hexamer count.
```{r histogram-violin-plot}
wind_size <- 41
half_wind <- half_wind <- (wind_size-1)/2
nolig <- 6
## Peak window regions
wind <- lapply(del_cluster, function(x)
GRanges(seqnames(x), IRanges(start(x)-half_wind, end(x)+half_wind),
strand = strand(x), ID = x$ID))
wind_seq <- lapply(wind, function(x) getSeq(genome, x))
## oligomer count in window
obs <- lapply(wind_seq, function(x) {
oligonucleotideFrequency(x, width = nolig, step = 1,
simplify.as = "collapsed")
})
## add hexamer counts to table
dfh <- dfz %>% tidyr::pivot_longer(-hexamer, names_to = "sample",
names_prefix = "zscore_",
values_to = "zscore") %>%
dplyr::left_join(data.frame(hexamer = c(names(obs[["WT"]]),
names(obs[["6M"]]),
names(obs[["RBDm"]])),
count = c(obs[["WT"]], obs[["6M"]],
obs[["RBDm"]]),
sample = c(rep("WT", length(obs[["WT"]])),
rep("6M", length(obs[["6M"]])),
rep("RBDm", length(obs[["RBDm"]])))),
by = c("hexamer", "sample")) %>%
dplyr::mutate(sample = factor(sample, level = c("WT", "6M", "RBDm")))
dfh[dfh$hexamer =="GTGTGT",]
dfh[dfh$hexamer =="TGTGTG",]
p <- dfh %>% ggplot(aes(x = zscore, color = sample, fill = sample)) +
geom_histogram(bins = 200, alpha = 0.6) +
theme_bw() +
facet_wrap(~sample, ncol = 1, scales = "free")
p2 <- dfh %>% ggplot(aes(x = sample, y = zscore)) +
geom_violin() +
geom_boxplot(width=0.1) +
theme_bw() +
geom_text_repel(data = dfh %>% dplyr::filter(hexamer %in% c("GTGTGT", "TGTGTG")),
aes(label = hexamer),
min.segment.length = 0, segment.color = "grey50",
box.padding = 0.5, xlim = c(1.1, NA)) +
facet_wrap(~sample, nrow = 1, scale = "free_x") +
theme(strip.background = element_blank(), strip.text.x = element_blank())
p
p2
```
## Hexamer & window 61
What are the hexamers with the highest z-score per sample?
```{r hexamer-wind-61, warning = FALSE, message = FALSE}
z_scores <- oligomer_zscore(wind_size = 61, del_cluster, sample_an, nolig = 6)
lapply(z_scores, summary)
lapply(z_scores, function(x) x[order(x)][1:20])
lapply(z_scores, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores, function(x) x["GTGTGT"])
lapply(z_scores, function(x) x["TGTGTG"])
```
Are the top hexamers similar between samples?
### Scatterplot {.tabset}
```{r hexamer-z-score-plots-61, results = "asis", message = FALSE}
dfz <- data.frame(hexamer = names(z_scores[[1]]),
zscore_WT = z_scores[["WT"]],
zscore_6M = z_scores[["6M"]],
zscore_RBDm = z_scores[["RBDm"]])
xparam <- c("zscore_6M", "zscore_6M", "zscore_RBDm")
yparam <- c("zscore_WT", "zscore_RBDm", "zscore_WT")
for(i in 1:length(xparam)){
cat("#### ", xparam[i], " vs. ", yparam[i], "\n")
plot_oligomer(dfz, xparam, yparam, i, label = "hexamer")
cat("\n\n")
}
```
# Peaks split by location
We separate the protein coding and spliced lncRNAs from the noncoding RNAs and compare the hexamers enrichment in introns, exons and UTRs.
We focus on the WT sample, because we first want to discover the known GU-repeat motif of intronic targets.
```{r separate-pc-ncRNA}
## we get the gene IDs for each of the subsets and prepare gene annotations for each of the sets.
##seperate protein coding and long lncRNAs from the rest
g <- gtf[gtf$gene_id %in% clus_an[["WT"]]$gene_id & gtf$type == "gene"]
pc <- g[g$gene_type == "protein_coding"]$gene_id
length(pc)
## separate spliced from unspliced lncRNAs
lnc <- g[g$gene_type == "lncRNA"]$gene_id
802
803
804
805
806
807
808
809
810
811
812
813
814
815
816
817
818
819
820
821
822
823
824
825
826
827
length(lnc)
g1 <- gtf[gtf$gene_id %in% lnc]
e <- g1[g1$type == "exon"]
sp <- split(e$exon_number, e$gene_id)
## all lncRNAs with more than 1 exon
lnc_spl <- names(sp)[lengths(lapply(sp, unique)) > 1]
length(lnc_spl)
## all spliced genes, that need to be checked for potential false positives
pc <- c(pc, g[g$gene_id %in% lnc_spl]$gene_id)
length(pc)
## short RNAs
short <- clus_an[["WT"]]$gene_id[!clus_an[["WT"]]$gene_id %in% pc] %>% unique
length(short)
length(short) + length(pc)
length(unique(clus_an[["WT"]]$gene_id))
```
We prepare the annotation for the two gene sets
```{r prep-ann-split}
sample_an_pc <- prep_an(gtf, pc)
sample_an_nc <- prep_an(gtf, short)
sample_an_nc <- sample_an_nc[sapply(sample_an_nc, function(x) length(x) > 0)]
```
830
831
832
833
834
835
836
837
838
839
840
841
842
843
844
845
846
847
848
849
850
851
852
853
854
855
856
857
858
859
860
861
862
863
864
865
866
867
868
869
870
871
872
873
874
875
876
877
878
879
880
881
882
883
884
885
886
887
888
889
890
891
892
893
894
895
896
897
898
899
900
901
902
903
904
905
906
907
908
909
910
911
912
913
914
915
916
917
918
919
920
921
922
923
924
925
926
927
928
929
930
931
932
933
934
935
936
937
938
939
940
941
942
943
944
945
946
947
948
949
950
## window 61
```{r wind-61-pc-nc, warning = FALSE, message = FALSE}
hexamer_zscore_single_set <- function(wind_size = 41, clusters, sample_an){
half_wind <- (wind_size-1)/2
## Cluster window regions
wind <- GRanges(seqnames(clusters),
IRanges(start(clusters)-half_wind, end(clusters)+half_wind),
strand = strand(clusters), ID = clusters$ID)
## Annotation regions overlapping with at least half of a window
sample_an_wind <- lapply(sample_an, function(a) {
a[queryHits(findOverlaps(a, wind, minoverlap = half_wind+1))]
})
## genomice sequence of windows and annotation regions
wind_seq <- getSeq(genome, wind)
bg_seq <- sample_an_wind %>%
GRangesList() %>%
unlist %>%
getSeq(x = genome, names = .)
## hexamer count in window
obs <- oligonucleotideFrequency(wind_seq, width = 6, step = 1,
simplify.as = "collapsed")
## hexamer count in shuffled windows
obs_sh <- list()
for(i in 1:100){
obs_sh[[i]] <- shuffled_oligomer_counts(b = bg_seq,
w_size = wind_size, nolig = 6)
}
obs_sh <- bind_cols(obs_sh)
## z-score
sh_params <- data.frame(mean = rowMeans(obs_sh), sd = apply(obs_sh, 1, sd))
(obs - sh_params$mean) / sh_params$sd
}
# separate pc from short genes
cluster_ids_pc <- clus_an[["WT"]]$cluster_id[clus_an[["WT"]]$gene_id %in% pc]
cluster_ids_nc <- clus_an[["WT"]]$cluster_id[clus_an[["WT"]]$gene_id %in% short]
## protein coding and spliced lncRNAs
z_scores_pc <- hexamer_zscore_single_set(wind_size = 61,
del_cluster[["WT"]][del_cluster[["WT"]]$ID %in% cluster_ids_pc],
sample_an_pc)
summary(z_scores_pc)
z_scores_pc[order(z_scores_pc)][1:20]
z_scores_pc[order(z_scores_pc, decreasing = TRUE)][1:30]
z_scores_pc["GTGTGT"]
z_scores_pc["TGTGTG"]
## ncRNAs
z_scores_nc <- hexamer_zscore_single_set(wind_size = 61,
del_cluster[["WT"]][del_cluster[["WT"]]$ID %in% cluster_ids_nc],
sample_an_nc)
summary(z_scores_nc)
z_scores_nc[order(z_scores_nc)][1:20]
z_scores_nc[order(z_scores_nc, decreasing = TRUE)][1:30]
z_scores_nc["GTGTGT"]
z_scores_nc["TGTGTG"]
```
### Split cluster locations within pc genes
```{r split-pc-peaks-location-61, message = FALSE}
hexamer_zscore_split <- function(wind_size = 41, clusters, sample_an){
half_wind <- (wind_size-1)/2
## cluster window regions
wind <- lapply(clusters, function(x)
GRanges(seqnames(x), IRanges(start(x)-half_wind, end(x)+half_wind),
strand = strand(x), ID = x$ID))
## Annotation regions overlapping with at least half of a window
sample_an_wind <- lapply(names(sample_an), function(x) {
sample_an[[x]][queryHits(findOverlaps(sample_an[[x]],
wind[[x]],
minoverlap = half_wind+1))]
})
names(sample_an_wind) <- names(sample_an)
## genomice sequence of windows and annotation regions
wind_seq <- lapply(wind, function(x) getSeq(genome, x))
bg_seq <- lapply(sample_an_wind, function(x)
GRangesList(x) %>%
unlist %>%
getSeq(x = genome, names = .))
## hexamer count in window
obs <- lapply(wind_seq, function(x) {
oligonucleotideFrequency(x, width = 6, step = 1,
simplify.as = "collapsed")
})
## hexamer count in shuffled windows
obs_sh <- lapply(names(bg_seq), function(x) {
obs_sh <- list()
for(i in 1:100){
obs_sh[[i]] <- shuffled_oligomer_counts(b = bg_seq[[x]],
w_size = wind_size, nolig = 6)
}
obs_sh <- bind_cols(obs_sh)
obs_sh
})
names(obs_sh) <- names(bg_seq)
## z-score
sh_params <- lapply(obs_sh, function(x) {
data.frame(mean = rowMeans(x), sd = apply(x, 1, sd))
})
z_scores <- lapply(names(obs), function(x) {
(obs[[x]] - sh_params[[x]]$mean) / sh_params[[x]]$sd
})
names(z_scores) <- names(obs)
z_scores
}
cluster_split_pc <- lapply(sample_an_pc, function(a){
subsetByOverlaps(del_cluster[["WT"]][del_cluster[["WT"]]$ID %in% cluster_ids_pc],
a)
})
```
```{r, eval = FALSE}
cluster_split_pc <- lapply(cluster_split_pc, function(x) if(length(x)) return(x))
```
```{r}
958
959
960
961
962
963
964
965
966
967
968
969
970
971
972
973
974
975
976
977
978
979
980
981
982
983
984
985
986
987
z_scores_pc_split <- hexamer_zscore_split(wind_size = 61, cluster_split_pc, sample_an_pc)
lapply(z_scores_pc_split, summary)
lapply(z_scores_pc_split, function(x) x[order(x)][1:20])
lapply(z_scores_pc_split, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores_pc_split, function(x) x["GTGTGT"])
lapply(z_scores_pc_split, function(x) x["TGTGTG"])
```
#### Scatterplot {.tabset}
```{r z-score-plots-split-pc, results = "asis", message = FALSE}
dfz <- data.frame(hexamer = names(z_scores_pc_split[[1]]),
zscore_exon = z_scores_pc_split[["exon"]],
zscore_3UTR = z_scores_pc_split[["three_prime_utr"]],
zscore_5UTR = z_scores_pc_split[["five_prime_utr"]],
zscore_intron = z_scores_pc_split[["intron"]])
xparam <- c("zscore_exon", "zscore_3UTR", "zscore_5UTR", "zscore_exon", "zscore_exon", "zscore_3UTR")
yparam <- c("zscore_intron", "zscore_intron", "zscore_intron", "zscore_3UTR", "zscore_5UTR", "zscore_5UTR")
for(i in 1:length(xparam)){
cat("##### ", xparam[i], " vs. ", yparam[i], "\n")
plot_oligomer(dfz, xparam, yparam, i, label = "hexamer")
cat("\n\n")
}
```
# Distribution of gene type
```{r gene-sets}
## all target genes of WT, 6M and RBDm
gene_sets <- list(WT = gdf %>% dplyr::filter(nclusters_WT > 0),
"6M" = gdf %>% dplyr::filter(nclusters_6M > 0),
RBDm = gdf %>% dplyr::filter(nclusters_RBDm > 0))
lapply(gene_sets, nrow)
## all target genes unique to WT, shared between WT and 6M
## or shared between WT, 6M and RBDm
gene_sets_wt <- list(WT = gdf %>%
dplyr::filter(nclusters_WT > 0 & nclusters_6M == 0 & nclusters_RBDm == 0),
"6M" = gdf %>%
dplyr::filter(nclusters_WT > 0 & nclusters_6M > 0 & nclusters_RBDm == 0),
RBDm6M = gdf %>%
dplyr::filter(nclusters_WT > 0 & nclusters_6M > 0 & nclusters_RBDm > 0))
lapply(gene_sets_wt, nrow)
```
lapply(gene_sets, function(x) x$gene_type %>% table)
## We summarize the small type categories because we need equal categories for the Chi-squared test and because the frequencies have should be >5.%
## we keep lncRNA, protein_coding, snoRNA,
## and merge scaRNA, snRNA, misc_RNA, miRNA, Mt_rRNA, ribozyme, rRNA into the category "other"
gene_sets<- lapply(gene_sets, function(x) {
x$gene_type_category <- ifelse(x$gene_type %in%
c("scaRNA", "snRNA", "misc_RNA", "miRNA",
"Mt_rRNA", "ribozyme", "rRNA"),
lapply(gene_sets, function(x) x$gene_type_category %>% table)
# percentage
lapply(gene_sets, function(x){
a <- x$gene_type_category
n <- length(a)
round(table(a)/n*100, digits = 2)}
)
df <- data.frame(sample = c(rep("WT", nrow(gene_sets[["WT"]])),
rep("6M", nrow(gene_sets[["6M"]])),
rep("RBDm", nrow(gene_sets[["RBDm"]]))),
type = c(gene_sets[["WT"]]$gene_type,
gene_sets[["6M"]]$gene_type,
gene_sets[["RBDm"]]$gene_type)) %>%
dplyr::mutate(sample = factor(sample, levels = c("WT", "6M", "RBDm"))) %>%
dplyr::group_by(sample, type) %>% dplyr::summarize(nr_genes = n())
cols <- c("#DB7093","#E8601C","#7BAFDE","#1965B0","#B17BA6",
"#882E72","#F1932D","#F6C141","#F7EE55","#4EB265",
"#90C987","#CAEDAB","#777777")
cols <- cols[c(1, 3, 6, 7, 10, 9, 2, 5, 4, 13)]
p <- ggplot(df, aes(x = sample, y = nr_genes, fill = type)) +
geom_bar(position = "fill", stat = "identity") +
theme_bw() +
facet_wrap(~sample, nrow = 1, scales = "free_x") +
theme(text = element_text(size = 14), legend.position = "right",
# legend.direction="horizontal", legend.box = "horizontal",
plot.title = element_text(hjust = 0.5)) +
ylab("fraction of genes") +
scale_fill_manual(values = cols)
p
svg("gene_type_all_genes.svg"); p; dev.off()
df <- data.frame(sample = c(rep("WT", nrow(gene_sets[["WT"]])),
rep("6M", nrow(gene_sets[["6M"]])),
rep("RBDm", nrow(gene_sets[["RBDm"]]))),
type = c(gene_sets[["WT"]]$gene_type_category,
gene_sets[["6M"]]$gene_type_category,
gene_sets[["RBDm"]]$gene_type_category)) %>%
dplyr::mutate(type = factor(type,
levels = c("lncRNA", "protein_coding",
"snoRNA", "other"))) %>%
dplyr::mutate(sample = factor(sample, levels = c("WT", "6M", "RBDm"))) %>%
dplyr::group_by(sample, type) %>% dplyr::summarize(nr_genes = n())
cols <- c(brewer.pal(n = 8, name = "Set2")[1:3], "darkgrey")
p <- ggplot(df, aes(x = sample, y = nr_genes, fill = type)) +
geom_bar(position = "fill", stat = "identity") +
theme_bw() +
facet_wrap(~sample, nrow = 1, scales = "free_x") +
theme(text = element_text(size = 14), legend.position = "right",
# legend.direction="horizontal", legend.box = "horizontal",
plot.title = element_text(hjust = 0.5)) +
ylab("fraction of genes") +
scale_fill_manual(values = cols)
p
svg("gene_type.svg"); p; dev.off()
```
Chi-square goodness of fit test to compare observed to expected (WT) distribution.
```{r type-chi-square-test}
(counts <- table(gene_sets[["6M"]]$gene_type_category))
(exp_prop <- table(gene_sets[["WT"]]$gene_type_category)/nrow(gene_sets[["WT"]]))
chisq.test(x = counts, p = exp_prop)
## RBDm vs. WT prop
(counts <- table(gene_sets[["RBDm"]]$gene_type_category))
(exp_prop <- table(gene_sets[["WT"]]$gene_type_category)/nrow(gene_sets[["WT"]]))
chisq.test(x = counts, p = exp_prop)
## RBDm vs. 6M prop
(counts <- table(gene_sets[["RBDm"]]$gene_type_category))
(exp_prop <- table(gene_sets[["6M"]]$gene_type_category)/nrow(gene_sets[["6M"]]))
chisq.test(x = counts, p = exp_prop)
## WT vsl WT prop --> should not be significant
(counts <- table(gene_sets[["WT"]]$gene_type_category))
(exp_prop <- table(gene_sets[["WT"]]$gene_type_category)/nrow(gene_sets[["WT"]]))
chisq.test(x = counts, p = exp_prop)
```
The observed proportions are significantly different from the expected proportions in all three comparisons.
### Distribution of gene type in genes shared with WT and 6M/RBDm
lapply(gene_sets_wt, function(x) x$gene_type %>% table)
df <- data.frame(sample = c(rep("WT", nrow(gene_sets_wt[["WT"]])),
rep("6M", nrow(gene_sets_wt[["6M"]])),
rep("RBDm6M", nrow(gene_sets_wt[["RBDm6M"]]))),
type = c(gene_sets_wt[["WT"]]$gene_type,
gene_sets_wt[["6M"]]$gene_type,
gene_sets_wt[["RBDm6M"]]$gene_type)) %>%
dplyr::mutate(sample = factor(sample, levels = c("WT", "6M", "RBDm6M"))) %>%
dplyr::group_by(sample, type) %>% dplyr::summarize(nr_genes = n())
cols <- c("#DB7093","#E8601C","#7BAFDE","#1965B0","#B17BA6",
"#882E72","#F1932D","#F6C141","#F7EE55","#4EB265",
"#90C987","#CAEDAB","#777777")
cols <- cols[c(1, 3, 6, 7, 10, 9, 5, 4, 13)]
p <- ggplot(df, aes(x = sample, y = nr_genes, fill = type)) +
geom_bar(position = "fill", stat = "identity") +
theme_bw() +
facet_wrap(~sample, nrow = 1, scales = "free_x") +
theme(text = element_text(size = 14), legend.position = "right",
# legend.direction="horizontal", legend.box = "horizontal",
plot.title = element_text(hjust = 0.5)) +
ylab("fraction of genes") +
scale_fill_manual(values = cols)
p
svg("gene_type_WT_shared_genes.svg"); p; dev.off()
```
## Distribution of gene length
```{r gene-length-distribution}
lapply(gene_sets, function(x) summary(x$end - x$start+1))
df <- data.frame(gene_set = c(rep("WT", nrow(gene_sets[["WT"]])),
rep("6M", nrow(gene_sets[["6M"]])),
rep("RBDm", nrow(gene_sets[["RBDm"]]))),
gene_length = c(gene_sets[["WT"]]$end - gene_sets[["WT"]]$start +1,
gene_sets[["6M"]]$end - gene_sets[["6M"]]$start +1,
gene_sets[["RBDm"]]$end -
gene_sets[["RBDm"]]$start +1))
write.table(df, "df_gene_lengths_per_sample.txt",
sep = "\t", quote = FALSE, row.names = FALSE)
ggplot(df, aes(x = gene_set, y = gene_length)) +
geom_violin() +
geom_boxplot(width=0.1) + theme_bw() + scale_y_log10()
```
We test for significant differences between the distributiosn with pairwise Mann–Whitney U tests and correct for multiple testing.
```{r test-sign-gene-length}
pairwise.wilcox.test(df$gene_length, df$gene_set, p.adjust.method = "BH")
```
```{r}
knitr::knit_exit()
```
Peaks come from clip5_mp_analysis.Rmd ; these run on clipper IDR-harmonized outputs.
# Comparison with peaks
Are the deletion sites located within peaks?
mp <- readRDS("clip5_mp.rds")
1170
1171
1172
1173
1174
1175
1176
1177
1178
1179
1180
1181
1182
1183
1184
1185
1186
1187
1188
1189
1190
1191
1192
1193
1194
1195
1196
1197
1198
1199
1200
1201
1202
1203
1204
1205
1206
1207
1208
1209
1210
1211
1212
1213
1214
1215
1216
1217
1218
1219
1220
1221
1222
1223
1224
1225
1226
1227
1228
1229
1230
1231
1232
1233
1234
1235
1236
1237
1238
1239
1240
1241
1242
1243
1244
1245
1246
1247
1248
1249
1250
1251
1252
1253
1254
1255
lapply(mp, length)
for(i in names(del_cluster)) {
print(i)
nclus <- del_cluster[[i]] %>% length
olaps <- subsetByOverlaps(del_cluster[[i]], mp[[i]], ignore.strand = FALSE) %>%
length
print(paste0("number of del clusters: ", nclus))
print(paste0("number of overlaps: ", olaps))
print(paste0("perc of dels within peak: ", olaps/nclus*100))
npeaks <- mp[[i]] %>% length
olaps <- subsetByOverlaps(mp[[i]], del_cluster[[i]], ignore.strand = FALSE) %>%
length
print(paste0("number of peaks: ", npeaks))
print(paste0("number of overlaps: ", olaps))
print(paste0("perc of peaks with del cluster: ", olaps/npeaks*100))
gr <- GRanges(seqnames = pu_merge[[i]]$seqnames,
range = IRanges(start = pu_merge[[i]]$pos,
end = pu_merge[[i]]$pos),
strand = pu_merge[[i]]$strand)
nclus <- gr %>% length
olaps <- subsetByOverlaps(gr, mp[[i]], ignore.strand = FALSE) %>%
length
print(paste0("number of del sites: ", nclus))
print(paste0("number of overlaps: ", olaps))
print(paste0("perc of dels within peak: ", olaps/nclus*100))
npeaks <- mp[[i]] %>% length
olaps <- subsetByOverlaps(mp[[i]], gr, ignore.strand = FALSE) %>%
length
print(paste0("number of peaks: ", npeaks))
print(paste0("number of overlaps: ", olaps))
print(paste0("perc of peaks with del site: ", olaps/npeaks*100))
}
```
## Hexamer enrichment of del clusters within peaks
```{r peak-del-clusters-hexamer}
## subset del clusters within peaks
del_cluster_mp <- lapply(names(del_cluster), function(x) {
subsetByOverlaps(del_cluster[[x]], mp[[x]], ignore.strand = FALSE)
})
names(del_cluster_mp) <- names(del_cluster)
clus_an_mp <- lapply(names(clus_an), function(x)
clus_an[[x]][clus_an[[x]]$cluster_id %in% del_cluster_mp[[x]]$ID,])
names(clus_an_mp) <- names(clus_an)
sample_an_mp <- lapply(names(clus_an_mp), function(n)
prep_an(gtf, clus_an_mp[[n]]$gene_id %>% unique))
names(sample_an_mp) <- names(clus_an_mp)
## all del clusters within peaks
z_scores <- oligomer_zscore(wind_size = 61, del_cluster_mp, sample_an_mp, nolig = 6)
lapply(z_scores, summary)
lapply(z_scores, function(x) x[order(x)][1:20])
lapply(z_scores, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores, function(x) x["GTGTGT"])
lapply(z_scores, function(x) x["TGTGTG"])
```
## Hexamer enrichment of all del sites within peaks
First, we need to cluster the deletions within peaks.
```{r cluster-peak-dels}
## create GRanges with deletion positions
gr <- lapply(pu_merge, function(x)
GRanges(seqnames = x$seqnames, range = IRanges(start = x$pos, end = x$pos),
strand = x$strand, count1 = x$count1, count2 = x$count2))
## filter all del pos within peaks
pu_merge_mp <- lapply(names(gr), function(x) {
subsetByOverlaps(gr[[x]], mp[[x]], ignore.strand = FALSE)
})
names(pu_merge_mp) <- names(gr)
## save deletions positions
lapply(names(pu_merge_mp), function(x)
export(pu_merge_mp[[x]], paste0("all_deletion_pos_within_mp_", x, ".bed")))
## merge all mutations which are at max 10 bp apart
max_gap <- 10
all_del_clus_mp <- lapply(pu_merge_mp, function(x) reduce(x, min.gapwidth=max_gap + 1))
lengths(all_del_clus_mp)
lapply(names(all_del_clus_mp), function(x)
export(all_del_clus_mp[[x]], paste0("all_deletion_cluster_dist_", max_gap,
"_within_mp_", x, ".bed")))
1267
1268
1269
1270
1271
1272
1273
1274
1275
1276
1277
1278
1279
1280
1281
1282
1283
1284
1285
1286
1287
1288
1289
1290
1291
1292
```
Annotate clusters
```{r annotate-all-del-mp}
## each xl get's a number as ID
all_del_clus_mp <- lapply(all_del_clus_mp, function(x){
x$ID <- 1:length(x)
x
})
all_clus_an_mp <- lapply(names(all_del_clus_mp), function(x) {
olap <- findOverlaps(all_del_clus_mp[[x]], genes, ignore.strand = FALSE)
data.frame(cluster_id = all_del_clus_mp[[x]][queryHits(olap)]$ID,
gene_id = genes[subjectHits(olap)]$gene_id)
})
names(all_clus_an_mp) <- names(all_del_clus_mp)
lapply(all_clus_an_mp, nrow)
## number of target genes
lapply(all_clus_an_mp, function(x) x$gene_id %>% unique %>% length)
```
```{r identify-wrong-pc-target-genes-mp}
to_filter_mp <- lapply(names(all_clus_an_mp), function(s) {
x <- all_clus_an_mp[[s]]
g <- genes[genes$gene_id %in% x$gene_id]
##seperate protein coding and long lncRNAs from short genes
pc <- g[g$gene_type == "protein_coding"]$gene_id
## separate spliced from unspliced lncRNAs
lnc <- g[g$gene_type == "lncRNA"]$gene_id
g1 <- gtf[gtf$gene_id %in% lnc]
e <- g1[g1$type == "exon"]
sp <- split(e$exon_number, e$gene_id)
## all lncRNAs with more than 1 exon
lnc_spl <- names(sp)[lengths(lapply(sp, unique)) > 1]
## all spliced genes, that need to be checked for potential false positives
pc <- c(pc, g[g$gene_id %in% lnc_spl]$gene_id)
## list of small RNAs that might cause the clusters in the long genes
## ## except TEC, MT_rRNA,
## everything except the protein coding genes and pseudogenes
short <- g[!g$gene_type %in% c("protein_coding", "processed_pseudogene",
1307
1308
1309
1310
1311
1312
1313
1314
1315
1316
1317
1318
1319
1320
1321
1322
1323
1324
1325
1326
1327
1328
1329
1330
1331
1332
1333
1334
1335
1336
1337
"unprocessed_pseudogene", "ribozyme",
"rRNA_pseudogene", "Mt_rRNA",
"transcribed_processed_pseudogene",
"transcribed_unitary_pseudogene",
"transcribed_unprocessed_pseudogene",
"unitary_pseudogene",
"unprocessed_pseudogene", "TEC")]
## remove the long lncRNAs
short <- short[!short$gene_id %in% pc]
## go through the list of genes and determine if all clusters overlap small RNAs
res <- lapply(pc, function(i) {
clusters <- x[x$gene_id ==i, "cluster_id"]
nr_olap <- countOverlaps(all_del_clus_mp[[s]][all_del_clus_mp[[s]]$ID %in% clusters], short,
ignore.strand = FALSE)
if(all(nr_olap > 0)){ ## all clusters overlap at least one short RNA
return(i)
}
return(NULL)
})
unique(unlist(res)) ## all genes that are no true targets
})
names(to_filter_mp) <- names(all_clus_an_mp)
lengths(to_filter_mp)
```
```{r filter-target-genes-mp}
# what are the filtered genes?
lapply(to_filter_mp, function(x){
g <- genes[genes$gene_id %in% x]
m <- match(x, g$gene_id)
data.frame(gene_id = x, gene_name = g[m]$gene_name,
gene_type = g[m]$gene_type )
})
lapply(to_filter_mp, function(x) genes[genes$gene_id %in% x]$gene_name)
## remove the wrong targets from the list
nam <- names(all_clus_an_mp)
all_clus_an_mp <- lapply(names(all_clus_an_mp), function(x) {
all_clus_an_mp[[x]] %>% dplyr::filter(!gene_id %in% to_filter_mp[[x]])
})
names(all_clus_an_mp) <- nam
## number of target genes after filtering
lapply(all_clus_an_mp, function(x) {
length(unique(x$gene_id))})
saveRDS(all_clus_an_mp,"all_del_clus_an_mp.rds")
1354
1355
1356
1357
1358
1359
1360
1361
1362
1363
1364
1365
1366
1367
1368
1369
1370
1371
1372
1373
1374
1375
1376
1377
1378
1379
1380
1381
1382
1383
1384
1385
1386
1387
1388
1389
1390
1391
1392
1393
1394
1395
1396
1397
1398
1399
1400
1401
1402
1403
1404
1405
1406
1407
1408
1409
1410
1411
1412
1413
1414
1415
1416
1417
1418
1419
1420
1421
1422
1423
1424
1425
1426
1427
1428
1429
1430
1431
1432
1433
1434
1435
1436
1437
1438
1439
1440
1441
1442
1443
1444
1445
1446
1447
1448
1449
1450
1451
1452
1453
1454
1455
1456
1457
1458
1459
1460
1461
1462
1463
1464
1465
1466
1467
1468
1469
1470
1471
1472
1473
1474
1475
1476
1477
1478
1479
1480
1481
1482
1483
1484
1485
1486
1487
1488
1489
1490
1491
1492
1493
1494
1495
1496
1497
1498
1499
1500
1501
1502
1503
1504
1505
1506
1507
1508
1509
1510
1511
1512
1513
1514
1515
1516
1517
1518
1519
1520
1521
1522
1523
1524
1525
1526
1527
1528
1529
1530
1531
1532
1533
1534
1535
1536
1537
1538
1539
1540
```
```{r all-del-clusters-mp-hexamer}
all_sample_an_mp <- lapply(names(all_clus_an_mp), function(n)
prep_an(gtf, all_clus_an_mp[[n]]$gene_id %>% unique))
names(all_sample_an_mp) <- names(all_clus_an_mp)
## all del clusters within peaks
z_scores <- oligomer_zscore(wind_size = 61, all_del_clus_mp, all_sample_an_mp, nolig = 6)
lapply(z_scores, summary)
lapply(z_scores, function(x) x[order(x)][1:20])
lapply(z_scores, function(x) x[order(x, decreasing = TRUE)][1:30])
lapply(z_scores, function(x) x["GTGTGT"])
lapply(z_scores, function(x) x["TGTGTG"])
```
# Number of GU-repeats in cluster
We want to compare the number of GU repeats in clusters within and outside of peaks.
```{r GU-motif-count}
lapply(del_cluster, length)
lapply(del_cluster_mp, length)
del_cluster_out <- lapply(names(del_cluster), function(x) {
del_cluster[[x]][!del_cluster[[x]]$ID %in% del_cluster_mp[[x]]$ID]})
names(del_cluster_out) <- names(del_cluster)
lapply(del_cluster_out, length)
## get the window sequence and count the GU-repeats
wind_size <- 41
half_wind <- (wind_size-1)/2
count_motifs <- function(clusters, half_wind, motif1 = "TGTG", motif2 = "GTGT"){
## Peak window regions
wind <- lapply(clusters, function(x)
GRanges(seqnames(x), IRanges(start(x)-half_wind, end(x)+half_wind),
strand = strand(x), ID = x$ID))
wind_seq <- lapply(wind, function(x) getSeq(genome, x))
mcount1 <- lapply(wind_seq, function(x) {vcountPattern(motif1, x)})
mcount2 <- lapply(wind_seq, function(x) {vcountPattern(motif2, x)})
a <- list()
a[[motif1]] <- mcount1; a[[motif2]] <- mcount2
a
}
mcount_mp <- count_motifs(del_cluster_mp, half_wind)
mcount_out <- count_motifs(del_cluster_out, half_wind)
lapply(mcount_mp, function(x) lapply(x, summary))
lapply(mcount_out, function(x) lapply(x, summary))
mcount_mp_cat <- lapply(mcount_mp, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
mcount_out_cat <- lapply(mcount_out, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
lapply(mcount_mp_cat, function(x) lapply(x, function(y) table(y)/length(y)*100))
lapply(mcount_out_cat, function(x) lapply(x, function(y) table(y)/length(y)*100))
```
```{r plot-motif-count, mssagee = FALSE}
plot_counts <- function(peak_counts, outside_counts, motif = "GTGT") {
df <- data.frame(count = unlist(peak_counts[[motif]]),
sample = rep(names(peak_counts[[motif]]),
times = lengths(peak_counts[[motif]]))) %>%
dplyr::group_by(sample, count) %>%
dplyr::summarize(counts = n()) %>%
dplyr::mutate(location = "peak")
df_out <- data.frame(count = unlist(outside_counts[[motif]]),
sample = rep(names(outside_counts[[motif]]),
times = lengths(outside_counts[[motif]]))) %>%
dplyr::group_by(sample, count) %>%
dplyr::summarize(counts = n()) %>%
dplyr::mutate(location = "no peak")
p <- rbind(df, df_out) %>% ggplot(aes(x = location, y = counts, fill = count)) +
geom_bar(stat = "identity",
position = position_fill(reverse = TRUE)) +
facet_wrap(~sample, nrow = 1, scales = "free_x") +
ylab("fraction of del. clusters") + labs(fill=paste0(motif, " count"))+
theme_bw()
return(p)
}
p1 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "GTGT")
p2 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "TGTG")
p1
p2
```
## Window 61
```{r motif-count-61}
wind_size <- 61
half_wind <- (wind_size-1)/2
mcount_mp <- count_motifs(del_cluster_mp, half_wind)
mcount_out <- count_motifs(del_cluster_out, half_wind)
lapply(mcount_mp, function(x) lapply(x, summary))
lapply(mcount_out, function(x) lapply(x, summary))
mcount_mp_cat <- lapply(mcount_mp, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
mcount_out_cat <- lapply(mcount_out, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
## plot
p1 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "GTGT")
p2 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "TGTG")
p1
p2
```
## Window 41 and GTGTGT or TGTGTG
```{r motif-count-41-hexamer}
wind_size <- 41
half_wind <- (wind_size-1)/2
mcount_mp <- count_motifs(del_cluster_mp, half_wind,
motif1 = "GTGTGT", motif2 = "TGTGTG")
mcount_out <- count_motifs(del_cluster_out, half_wind,
motif1 = "GTGTGT", motif2 = "TGTGTG")
lapply(mcount_mp, function(x) lapply(x, summary))
lapply(mcount_out, function(x) lapply(x, summary))
mcount_mp_cat <- lapply(mcount_mp, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
mcount_out_cat <- lapply(mcount_out, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
## plot
p1 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "GTGTGT")
p2 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "TGTGTG")
p1
p2
```
## Window 61 and GTGTGT or TGTGTG
```{r motif-count-61-hexamer}
wind_size <- 61
half_wind <- (wind_size-1)/2
mcount_mp <- count_motifs(del_cluster_mp, half_wind,
motif1 = "GTGTGT", motif2 = "TGTGTG")
mcount_out <- count_motifs(del_cluster_out, half_wind,
motif1 = "GTGTGT", motif2 = "TGTGTG")
lapply(mcount_mp, function(x) lapply(x, summary))
lapply(mcount_out, function(x) lapply(x, summary))
mcount_mp_cat <- lapply(mcount_mp, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
mcount_out_cat <- lapply(mcount_out, function(x)
lapply(x, function(z) {
a <- ifelse(z > 3, ">3", z)
factor(a, level = c("0", "1", "2", "3", ">3"))}))
## plot
p1 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "GTGTGT")
p2 <- plot_counts(mcount_mp_cat, mcount_out_cat, motif = "TGTGTG")
p1
p2
```
```{r}
sessionInfo()