Last updated: 2019-06-05
Checks: 5 1
Knit directory: HHVtransmission/ 
This reproducible R Markdown analysis was created with workflowr (version 1.3.0). The Checks tab describes the reproducibility checks that were applied when the results were created. The Past versions tab lists the development history.
The R Markdown is untracked by Git. To know which version of the R Markdown file created these results, you’ll want to first commit it to the Git repo. If you’re still working on the analysis, you can ignore this warning. When you’re finished, you can run wflow_publish to commit the R Markdown file and build the HTML.
Great job! The global environment was empty. Objects defined in the global environment can affect the analysis in your R Markdown file in unknown ways. For reproduciblity it’s best to always run the code in an empty environment.
The command set.seed(20190318) was run prior to running the code in the R Markdown file. Setting a seed ensures that any results that rely on randomness, e.g. subsampling or permutations, are reproducible.
Great job! Recording the operating system, R version, and package versions is critical for reproducibility.
Nice! There were no cached chunks for this analysis, so you can be confident that you successfully produced the results during this run.
Great! You are using Git for version control. Tracking code development and connecting the code version to the results is critical for reproducibility. The version displayed above was the version of the Git repository at the time these results were generated. 
 Note that you need to be careful to ensure that all relevant files for the analysis have been committed to Git prior to generating the results (you can use wflow_publish or wflow_git_commit). workflowr only checks the R Markdown file, but you know if there are other scripts or data files that it depends on. Below is the status of the Git repository when the results were generated:
Ignored files:
    Ignored:    .DS_Store
    Ignored:    .Rhistory
    Ignored:    .Rproj.user/
    Ignored:    analysis/.DS_Store
    Ignored:    analysis/.Rhistory
    Ignored:    data/.DS_Store
    Ignored:    docs/.DS_Store
    Ignored:    docs/figure/.DS_Store
    Ignored:    docs/figure/general-statistics.Rmd/.DS_Store
Untracked files:
    Untracked:  analysis/transmission-risk.Rmd
    Untracked:  code/build_all.R
    Untracked:  code/documentation.R
    Untracked:  code/plot_labels.R
    Untracked:  code/risk_fit_functions.R
Unstaged changes:
    Deleted:    analysis/build_all.R
    Modified:   analysis/general-statistics.Rmd
    Modified:   analysis/index.Rmd
    Deleted:    analysis/plot_labels.R
Note that any generated files, e.g. HTML, png, CSS, etc., are not included in this status report because it is ok for generated content to have uncommitted changes.
There are no past versions. Publish this analysis with wflow_publish() to start tracking its development.
library(tidyverse)
library(conflicted)
library(kableExtra)
library(cowplot)
conflict_prefer("filter", "dplyr")theme_set(
  theme_bw() +
    theme(panel.grid.minor = element_blank(),
          legend.position = "top")
)
exposure_data = read_csv("data/exposure_data.csv")Parsed with column specification:
cols(
  FamilyID = col_character(),
  virus = col_character(),
  infant_wks = col_double(),
  infectious_1wk = col_double(),
  final_infant_wk = col_double(),
  infected = col_double(),
  momhiv = col_character(),
  final_exposure = col_double(),
  interpolate_idpar = col_character(),
  M = col_double(),
  S = col_double(),
  HH = col_double(),
  obs_infected = col_double(),
  final_wk = col_double(),
  outcome_time = col_double(),
  enrollment_age = col_double()
)exposure_data_long = read_csv("data/exposure_data_long.csv") %>%
  mutate(exposure = if_else(count == 1, 0, 10^(count)))Parsed with column specification:
cols(
  FamilyID = col_character(),
  virus = col_character(),
  infant_wks = col_double(),
  infectious_1wk = col_double(),
  final_infant_wk = col_double(),
  infected = col_double(),
  momhiv = col_character(),
  final_exposure = col_double(),
  interpolate_idpar = col_character(),
  obs_infected = col_double(),
  final_wk = col_double(),
  outcome_time = col_double(),
  enrollment_age = col_double(),
  idpar = col_character(),
  count = col_double(),
  interpolated = col_logical()
)model_formulas = paste("infectious_rev", 
                       c("M_raw", "S_raw", "HH_raw"),
                       sep = " ~ ")The probability of being uninfected after a single, weekly exposure can written as following:
\[ s(i) = exp(-\beta_0 - \beta_{E}E_i) \] or \[ s(i) = exp(-\lambda(i)) \]
Instead of continuous time, we consider discretized time denoted by \(i \in \{1, ..., n+1\}\) for n+1 weeks of exposures (with n survived exposures). The likelihood follows for a single, infected participant (note that in discrete time we don’t apply an instantaneous hazard but use 1 - S(n) for the infectious week):
\[ L_j(n_j+1) = \prod_{i = 1}^{n_j} s_j(i) * (1-s_j(n_j+1))\]
for the j\(^{th}\) participant with a unique set of total exposures. We next setup the log-likelihood for the population (m participants) and use \(\Delta\) to denote an observed infection.
\[ \sum_{j = 1}^{m} log L_j(n_j) = \sum_{j = 1}^{m}\sum_{i = 1}^{n_j} log(s_j(i)) + \sum_{j = 1}^{m} \Delta_j * log(1-s_j(n_j+1))\]
The following assumptions are used: at-risk individuals are independent and the risk associated with a weekly exposures is unique from other exposures (i.e., non-infectious exposure weeks are exchangeable). From this formulation, we can find the maximum likelihood estimators for the parameters by minimizing the log likelihood. Both parameters are solved numerically.
The null model has the following form for weekly risk:
\[ s_0(i) = exp(-\beta_0) \]
I.e., risk is constant and not affected by household exposure. The null model has a simplified log-likelihood
\[ \sum_{j = 1}^{m} log L_j(n_j) = -\beta_0 \sum_{j = 1}^{m}n_j + log(1-exp(-\beta_0)) \sum_{j = 1}^{m} \Delta_j \]
with closed-form solution for the null risk
\[\hat{\beta_0} = log(1 + \frac{\sum_{j = 1}^{m} \Delta_j}{\sum_{j = 1}^{m}n_j})\]
null_risk_mod = exposure_data %>% 
  group_by(virus, FamilyID) %>%
  summarize(
    infected = max(infectious_1wk),
    surv_weeks = max(c(0, infant_wks[which(infectious_1wk == 0)]))
  ) %>%
  group_by(virus) %>%
  summarize(
    null_risk = log(1+sum(infected)/sum(surv_weeks)),
  )regression_fun = function(formula, virus, dat){
  eval(bquote(
    glm(.(formula), data = subset(dat, virus == .(virus)), 
      family = poisson(link = "log"))
    ))
}
process_reg = function(mod){
  suppressWarnings({
    san_zstat = broom::tidy(coef(mod)/sqrt(diag(sandwich::vcovHC(mod, type="HC")))) %>%
    rename(term = names, san_zstat = x) %>%
      mutate(san_pvalue = pnorm(-abs(san_zstat)))
  })
  
  broom::tidy(mod) %>%
    left_join(san_zstat, by = "term")
}regression_data = exposure_data %>%
  mutate(
    M_raw = 10^M,
    S_raw = 10^S,
    HH_raw = 10^HH,
    infectious_rev = 1 - infectious_1wk
  )
regression_mods = 
  crossing(
    virus = c("CMV", "HHV-6"),
    formula = model_formulas
  ) %>%
  group_by(virus, formula) %>%
  mutate(
    reg_mod = map2(virus, formula, 
                   ~regression_fun(as.formula(.y), .x, regression_data)),
    reg_mod_int = map2(virus, formula, 
                         ~regression_fun(
                           as.formula(str_c(
                             str_split_fixed(.y, " ~ ", n = 2)[,1], " ~ 1"
                             )),
                             .x, regression_data)),
    reg_mod_noint = map2(virus, formula, 
                         ~regression_fun(
                           as.formula(
                             str_replace_all(.y, " ~ ", " ~ 0 +")
                             ),
                             .x, regression_data)),
    reg_results = map(reg_mod, ~process_reg(.x)),
    predictor = str_split_fixed(formula, " ~ ", n = 2)[, 2],
    idpar = str_remove_all(predictor, "_raw")
  ) 
loglik_dat = regression_mods %>%
  select(-predictor) %>%
  gather(model, mod, reg_mod:reg_mod_noint) %>%
  mutate(
    loglik = map_dbl(mod, logLik)
  )
regression_mods %>%
  ungroup() %>%
  select(virus, idpar, reg_results) %>%
  unnest() %>%
  select(virus, idpar, term, estimate, p.value, san_pvalue)regression_mods %>%
  select(-reg_mod) %>%
  unnest() %>%
  filter(term != "(Intercept)") %>%
  ggplot(aes(x = term, y = abs(estimate),
           shape = p.value < 0.05, colour = factor(sign(estimate)))) +
  geom_point(size = 2, position = position_dodge(width = 0.5)) +
  scale_y_log10("Estimated per weekly risk coefficient") +
  scale_x_discrete("Exposure source", drop = F) +
  facet_grid(virus~idpar) +
  scale_shape_manual("Sig.", values = c(1,16)) +
  theme(legend.position = "top")test_doses = 0:14/2
pred_fun = function(mod, pred){
  exposure_max = log10(max(mod$data[, pred]))
  
  pred_dat = tibble(exposure = 10^(seq(0, exposure_max, length = 100)))
  pred_dat[, pred] = pred_dat$exposure
  pred_dat %>%
    mutate(
      risk = 1 - predict(mod, pred_dat, type = "response"),
    ) %>%
    select(exposure, risk)
}
risk_data = exposure_data_long %>%
  mutate(
    exposure_cat = floor(count) + 0.5
  ) %>%
  group_by(idpar, virus, exposure_cat) %>%
  summarize(
    total_infected = sum(infectious_1wk),
    risk = mean(infectious_1wk)
  )
# test
testthat::expect_equal(
  risk_data %>% group_by(idpar, virus) %>% 
  summarize(test1 = sum(total_infected)) %>%
    left_join(
      exposure_data %>% 
        group_by(virus) %>% 
        summarize(test2 = sum(infectious_1wk)), by = "virus"
      ) %>%
    filter(test1 != test2) %>%
    nrow(),
  expected = 0)
risk_prediction = regression_mods %>%
  group_by(virus, idpar, predictor) %>%
  mutate(
    pred_res = map(reg_mod, ~pred_fun(.x, predictor))
  ) %>%
  unnest(pred_res) 
risk_data  %>%
  ggplot(aes(x = exposure_cat, y = risk)) +
  geom_bar(stat = "identity") +
  geom_line(data = risk_prediction, aes(x = log10(exposure))) +
  scale_y_continuous("Estimated average risk", breaks = 0:4/4) +
  scale_x_continuous("Log10 Exposure viral load") +
  facet_grid(virus~idpar) +
  theme(legend.position = "top")test_regression_data = subset(regression_data, virus == "HHV-6") %>%
  mutate(pid = factor(FamilyID))
mcmc_mod = MCMCglmm(infectious_rev ~ S_raw, 
                    random = ~FamilyID,
         data = test_regression_data, family = "poisson")
xmod = regression_mods$reg_mod[[8]]
sandwich_se <- sqrt(diag(vcovHC(xmod, type="HC")))
z_stat <- coef(xmod)/sandwich_se
geeglm(infectious_rev ~ S_raw, id = pid, 
       data = subset(regression_data, virus == "HHV-6") %>%
         mutate(pid = factor(FamilyID)), std.err = "san.se", 
       family = poisson(link = "log")) %>%
  summary()
sessionInfo()R version 3.6.0 (2019-04-26)
Platform: x86_64-apple-darwin15.6.0 (64-bit)
Running under: macOS Mojave 10.14.5
Matrix products: default
BLAS:   /Library/Frameworks/R.framework/Versions/3.6/Resources/lib/libRblas.0.dylib
LAPACK: /Library/Frameworks/R.framework/Versions/3.6/Resources/lib/libRlapack.dylib
locale:
[1] en_US.UTF-8/en_US.UTF-8/en_US.UTF-8/C/en_US.UTF-8/en_US.UTF-8
attached base packages:
[1] stats     graphics  grDevices utils     datasets  methods   base     
other attached packages:
 [1] cowplot_0.9.4    kableExtra_1.1.0 conflicted_1.0.3 forcats_0.4.0   
 [5] stringr_1.4.0    dplyr_0.8.1      purrr_0.3.2      readr_1.3.1     
 [9] tidyr_0.8.3      tibble_2.1.1     ggplot2_3.1.1    tidyverse_1.2.1 
loaded via a namespace (and not attached):
 [1] tidyselect_0.2.5  xfun_0.7          haven_2.1.0      
 [4] lattice_0.20-38   colorspace_1.4-1  generics_0.0.2   
 [7] htmltools_0.3.6   viridisLite_0.3.0 yaml_2.2.0       
[10] rlang_0.3.4       pillar_1.4.0      glue_1.3.1       
[13] withr_2.1.2       modelr_0.1.4      readxl_1.3.1     
[16] plyr_1.8.4        munsell_0.5.0     gtable_0.3.0     
[19] workflowr_1.3.0   cellranger_1.1.0  rvest_0.3.4      
[22] evaluate_0.13     memoise_1.1.0     knitr_1.23       
[25] broom_0.5.2       Rcpp_1.0.1        scales_1.0.0     
[28] backports_1.1.4   webshot_0.5.1     jsonlite_1.6     
[31] fs_1.3.1          hms_0.4.2         digest_0.6.19    
[34] stringi_1.4.3     grid_3.6.0        rprojroot_1.3-2  
[37] cli_1.1.0         tools_3.6.0       magrittr_1.5     
[40] lazyeval_0.2.2    crayon_1.3.4      pkgconfig_2.0.2  
[43] xml2_1.2.0        lubridate_1.7.4   assertthat_0.2.1 
[46] rmarkdown_1.13    httr_1.4.0        rstudioapi_0.10  
[49] R6_2.4.0          nlme_3.1-140      git2r_0.25.2     
[52] compiler_3.6.0