01 BiocHail -- GWAS tutorial from hail.is
Vincent J. Carey, stvjc at channing.harvard.edu
October 30, 2024
Source:vignettes/gwas_tut.Rmd
gwas_tut.Rmd
Introduction
This document explores using Hail 0.2 with R via basilisk.
The computations follow the GWAS tutorial in the hail documentation. We won’t do all the computations there, and we add some material dealing with R-python interfacing. We’ll note that the actual computations on large data are done in Spark, but we don’t interact directly with Spark at all in this document.
Most of the computations are done via reticulate calls to python; the access to the hail environment is through basilisk. We also take advantage of R markdown’s capacity to execute python code directly. If an R chunk computes x
, a python chunk can refer to it as r.x
. If a python chunk computes r.x
, an R chunk can refer to this value as x
.
Installing BiocHail
BiocHail
should be installed as follows:
if (!require("BiocManager"))
install.packages("BiocManager")
BiocManager::install("BiocHail")
As of 1.0.0, a JDK for Java version <=
11.0 is necessary to use the version of Hail that is installed with the package. This package should be usable on MacOS with suitable java support. If Java version >=
8.x is used, warnings from Apache Spark may be observed. To the best of our knowledge the conditions to which the warnings pertain do not affect program performance.
Acquire a slice of the 1000 genomes genotypes and annotations
In this section we import the 1000 genomes VCF slice distributed by the hail project. hail_init
uses basilisk, which ensures that a specific version of hail and its dependencies are available in an isolated virtual environment. bare_hail
is easier to use but does not achieve the level of isolation and consistency available with hail_init
.
Initialization, data acquisition, rendering
Here is a curiosity of R-hail interaction. Note that the following chunk computes mt
, a MatrixTable representation of 1000 genomes data, but our attempt to print it in markdown fails.
We can use the python syntax in a python
R markdown chunk to see what we want. We use prefix r.
to find references defined in our R session (compiling the vignette).
5) # python chunk! r.mt.rows().select().show(
The sample IDs:
5) # python chunk! r.mt.s.show(
Helper functions
Some methods return data immediately useful in R.
mt$count()
We can thus define a function dim
to behave with hail MatrixTable instances in a familiar way, along with some others.
dim.hail.matrixtable.MatrixTable <- function(x) {
tmp <- x$count()
c(tmp[[1]], tmp[[2]])
}
dim(mt)
ncol.hail.matrixtable.MatrixTable <- function(x) {
dim(x)[2]
}
nrow.hail.matrixtable.MatrixTable <- function(x) {
dim(x)[1]
}
nrow(mt)
These can be useful on their own, or when calling python methods.
Acquiring column fields
annopath <- path_1kg_annotations()
tab <- hl$import_table(annopath, impute=TRUE)$key_by("Sample")
# python chunk!
r.tab.describe()=100) r.tab.show(width
Adding the sample annotation to the MatrixTable; aggregation
We combine the tab
defined above, with the MatrixTable instance, using python code reaching to R via r.
.
= r.mt.annotate_cols(pheno = r.tab[r.mt.s]) # python chunk!
r.mt r.mt.col.describe()
Aggregation methods can be used to obtain contingency tables or descriptive statistics.
First, we get the frequencies of superpopulation membership:
mt$aggregate_cols(hl$agg$counter(mt$pheno$SuperPopulation))
Then statistics on caffeine consumption:
uu <- mt$aggregate_cols(hl$agg$stats(mt$pheno$CaffeineConsumption))
names(uu)
uu$mean
uu$stdev
Working with variants; quality assessment
The significance of the aggregation functions is that the computations are performed by Spark, on potentially huge distributed data structures.
Now we aggregate over rows (SNPs). We’ll use python directly:
from pprint import pprint # python chunk!
= r.mt.aggregate_rows(r.hl.agg.counter(r.hl.Struct(ref=r.mt.alleles[0], alt=r.mt.alleles[1])))
snp_counts pprint(snp_counts)
A histogram of read depths
Hail uses the concept of ‘entries’ for matrix elements, and each ‘entry’ is a ‘struct’ with potentially many fields.
Here we’ll use R to compute a histogram of sequencing depths over all samples and variants.
p_hist <- mt$aggregate_entries(
hl$expr$aggregators$hist(mt$DP, 0L, 30L, 30L))
names(p_hist)
length(p_hist$bin_edges)
length(p_hist$bin_freq)
midpts <- function(x) diff(x)/2+x[-length(x)]
dpdf <- data.frame(x=midpts(p_hist$bin_edges), y=p_hist$bin_freq)
ggplot(dpdf, aes(x=x,y=y)) + geom_col() + ggtitle("DP") + ylab("Frequency")
An exercise: produce a function mt_hist
that produces a histogram of measures from any of the relevant VCF components of a MatrixTable instance.
Note also all the aggregators available:
names(hl$expr$aggregators)
We’d also note that hail has a direct interface to ggplot2.
Quality summaries
A high-level function adds quality metrics to the MatrixTable.
mt <- hl$sample_qc(mt)
# python! r.mt.col.describe()
The call rate histogram is given by:
callrate <- mt$sample_qc$call_rate$collect()
graphics::hist(callrate)
Filtering
Sample quality
We’ll use the python code given for filtering, in which per-sample mean read depth and call rate are must exceed (arbitrarily chosen) thresholds.
# python chunk!
= r.mt.filter_cols((r.mt.sample_qc.dp_stats.mean >= 4) & (r.mt.sample_qc.call_rate >= 0.97))
r.mt print('After filter, %d/284 samples remain.' % r.mt.count_cols())
Genotype quality
Again we use the python code for filtering according to
- relative purity of reads underlying homozygous reference or alt calls
- good balance of ref/alt counts for het calls
= r.mt.AD[1] / r.hl.sum(r.mt.AD)
ab
= ((r.mt.GT.is_hom_ref() & (ab <= 0.1)) |
filter_condition_ab & (ab >= 0.25) & (ab <= 0.75)) |
(r.mt.GT.is_het() & (ab >= 0.9)))
(r.mt.GT.is_hom_var()
= r.mt.aggregate_entries(r.hl.agg.fraction(~filter_condition_ab))
fraction_filtered print(f'Filtering {fraction_filtered * 100:.2f}% entries out of downstream analysis.')
= r.mt.filter_entries(filter_condition_ab) r.mt
Note that filtering entries does not change MatrixTable shape.
dim(mt)
GWAS execution
A built-in procedure for testing for association between the (simulated) caffeine consumption measure and genotype will be used.
The following commands eliminate variants with minor allele frequency less than 0.01, along with those with small -values in tests of Hardy-Weinberg equilibrium.
= r.mt.filter_rows(r.mt.variant_qc.AF[1] > 0.01)
r.mt = r.mt.filter_rows(r.mt.variant_qc.p_value_hwe > 1e-6)
r.mt r.mt.count()
Association test for quantitative response
Now we perform a naive test of association. The Manhattan plot generated by hail can be displayed for interaction using bokeh. We comment this out for now; it should be possible to embed the bokeh display in this document but the details are not ready-to-hand.
= r.hl.linear_regression_rows(y=r.mt.pheno.CaffeineConsumption,
r.gwas =r.mt.GT.n_alt_alleles(),
x=[1.0])
covariates# r.pl = r.hl.plot.manhattan(r.gwas.p_value)
# import bokeh
# bokeh.plotting.show(r.pl)
The “QQ plot” that helps evaluate adequacy of the analysis can be formed using hl.plot.qq
for very large applications; here we collect the results for plotting in R.
First we estimate
pv = gwas$p_value$collect()
x2 = stats::qchisq(1-pv,1)
lam = stats::median(x2, na.rm=TRUE)/stats::qchisq(.5,1)
lam
And the qqplot:
qqplot(-log10(ppoints(length(pv))), -log10(pv), xlim=c(0,8), ylim=c(0,8),
ylab="-log10 p", xlab="expected")
abline(0,1)
There is hardly any point to examining a Manhattan plot in this situation. But let’s see how it might be done. We’ll use igvR to get an interactive and extensible display.
locs <- gwas$locus$collect()
conts <- sapply(locs, function(x) x$contig)
pos <- sapply(locs, function(x) x$position)
library(igvR)
mytab <- data.frame(chr=as.character(conts), pos=pos, pval=pv)
gt <- GWASTrack("simp", mytab, chrom.col=1, pos.col=2, pval.col=3)
igv <- igvR()
setGenome(igv, "hg19")
displayTrack(igv, gt)
Evaluating population stratification
An approach to assessing population stratification is provided as hwe_normalized_pca
. See the hail methods docs for details.
We are avoiding a tuple assignment in the tutorial document.
= r.hl.hwe_normalized_pca(r.mt.GT)
r.pcastuff = r.mt.annotate_cols(scores=r.pcastuff[1][r.mt.s].scores) r.mt
We’ll collect the key information and plot.
sc <- pcastuff[[2]]$scores$collect()
pc1 = sapply(sc, "[", 1)
pc2 = sapply(sc, "[", 2)
fac = mt$pheno$SuperPopulation$collect()
myd = data.frame(pc1, pc2, pop=fac)
library(ggplot2)
ggplot(myd, aes(x=pc1, y=pc2, colour=factor(pop))) + geom_point()
Now repeat the association test with adjustments for population of origin and gender.
= r.hl.linear_regression_rows(
r.gwas2 =r.mt.pheno.CaffeineConsumption,
y=r.mt.GT.n_alt_alleles(),
x=[1.0,r.mt.pheno.isFemale,r.mt.scores[0],
covariates1], r.mt.scores[2]]) r.mt.scores[
New value of :
pv = gwas2$p_value$collect()
x2 = stats::qchisq(1-pv,1)
lam = stats::median(x2, na.rm=TRUE)/stats::qchisq(.5,1)
lam
A manhattan plot for chr8:
locs <- gwas2$locus$collect()
conts <- sapply(locs, function(x) x$contig)
pos <- sapply(locs, function(x) x$position)
mytab <- data.frame(chr=as.character(conts), pos=pos, pval=pv)
ggplot(mytab[mytab$chr=="8",], aes(x=pos, y=-log10(pval))) + geom_point()
Conclusions
The tutorial document proceeds with some illustrations of arbitrary aggregations. We will skip these for now.
Additional vignettes will address
- A more realistic higher-volume VCF
- Working with UKBB Summary statistics in GCP
- Representing linkage disequilibrium
- Simulating variant collections using Balding-Nichols
- Simulating variant collections using Pritchard-Stephens-Donnelly
- Connecting genotypes with phenotype data in FHIR
SessionInfo
## R version 4.4.1 (2024-06-14)
## Platform: aarch64-apple-darwin20
## Running under: macOS Sonoma 14.7
##
## Matrix products: default
## BLAS: /Library/Frameworks/R.framework/Versions/4.4-arm64/Resources/lib/libRblas.0.dylib
## LAPACK: /Library/Frameworks/R.framework/Versions/4.4-arm64/Resources/lib/libRlapack.dylib; LAPACK version 3.12.0
##
## locale:
## [1] en_US.UTF-8/en_US.UTF-8/en_US.UTF-8/C/en_US.UTF-8/en_US.UTF-8
##
## time zone: America/New_York
## tzcode source: internal
##
## attached base packages:
## [1] stats graphics grDevices utils datasets methods base
##
## other attached packages:
## [1] ggplot2_3.5.1 BiocHail_1.7.0 BiocStyle_2.32.1
##
## loaded via a namespace (and not attached):
## [1] gtable_0.3.5 dir.expiry_1.12.0 xfun_0.48
## [4] bslib_0.8.0 htmlwidgets_1.6.4 lattice_0.22-6
## [7] vctrs_0.6.5 tools_4.4.1 generics_0.1.3
## [10] curl_5.2.3 parallel_4.4.1 tibble_3.2.1
## [13] fansi_1.0.6 RSQLite_2.3.7 blob_1.2.4
## [16] pkgconfig_2.0.3 Matrix_1.7-0 dbplyr_2.5.0
## [19] desc_1.4.3 lifecycle_1.0.4 compiler_4.4.1
## [22] textshaping_0.4.0 munsell_0.5.1 htmltools_0.5.8.1
## [25] sass_0.4.9 yaml_2.3.10 pillar_1.9.0
## [28] pkgdown_2.1.1 jquerylib_0.1.4 cachem_1.1.0
## [31] basilisk_1.16.0 tidyselect_1.2.1 digest_0.6.37
## [34] dplyr_1.1.4 bookdown_0.40 fastmap_1.2.0
## [37] grid_4.4.1 colorspace_2.1-1 cli_3.6.3
## [40] magrittr_2.0.3 utf8_1.2.4 withr_3.0.1
## [43] filelock_1.0.3 scales_1.3.0 bit64_4.5.2
## [46] rmarkdown_2.28 httr_1.4.7 bit_4.5.0
## [49] reticulate_1.39.0 ragg_1.3.3 png_0.1-8
## [52] memoise_2.0.1 evaluate_1.0.1 knitr_1.48
## [55] basilisk.utils_1.16.0 BiocFileCache_2.12.0 rlang_1.1.4
## [58] Rcpp_1.0.13 glue_1.8.0 DBI_1.2.3
## [61] BiocManager_1.30.25 BiocGenerics_0.50.0 jsonlite_1.8.9
## [64] R6_2.5.1 systemfonts_1.1.0 fs_1.6.4