| Type: | Package | 
| Title: | Tools for Creating, Updating, and Analyzing Survey Replicate Weights | 
| Version: | 0.9.1 | 
| Description: | Provides tools for creating and working with survey replicate weights, extending functionality of the 'survey' package from Lumley (2004) <doi:10.18637/jss.v009.i08>. Implements bootstrap methods for complex surveys, including the generalized survey bootstrap as described by Beaumont and Patak (2012) <doi:10.1111/j.1751-5823.2011.00166.x>. Methods are provided for applying nonresponse adjustments to both full-sample and replicate weights as described by Rust and Rao (1996) <doi:10.1177/096228029600500305>. Implements methods for sample-based calibration described by Opsomer and Erciulescu (2021) https://www150.statcan.gc.ca/n1/pub/12-001-x/2021002/article/00006-eng.htm. Diagnostic functions are included to compare weights and weighted estimates from different sets of replicate weights. | 
| License: | GPL (≥ 3) | 
| URL: | https://bschneidr.github.io/svrep/, https://github.com/bschneidr/svrep | 
| BugReports: | https://github.com/bschneidr/svrep/issues | 
| Encoding: | UTF-8 | 
| LazyData: | true | 
| RoxygenNote: | 7.3.3 | 
| Imports: | DBI, Matrix, methods, mvtnorm, rlang, sampling, stats, utils | 
| Suggests: | knitr, covr, testthat (≥ 3.0.0), rmarkdown, tidycensus, dplyr, srvyr, withr, prettydoc, RSQLite, torch, ggplot2, scales | 
| Config/testthat/edition: | 3 | 
| Depends: | R (≥ 4.1.0), survey (≥ 4.1) | 
| VignetteBuilder: | knitr, rmarkdown | 
| NeedsCompilation: | no | 
| Packaged: | 2025-10-07 21:52:43 UTC; benja | 
| Author: | Ben Schneider | 
| Maintainer: | Ben Schneider <benjamin.julius.schneider@gmail.com> | 
| Repository: | CRAN | 
| Date/Publication: | 2025-10-08 05:10:09 UTC | 
svrep: Tools for Creating, Updating, and Analyzing Survey Replicate Weights
Description
 
Provides tools for creating and working with survey replicate weights, extending functionality of the 'survey' package from Lumley (2004) doi:10.18637/jss.v009.i08. Implements bootstrap methods for complex surveys, including the generalized survey bootstrap as described by Beaumont and Patak (2012) doi:10.1111/j.1751-5823.2011.00166.x. Methods are provided for applying nonresponse adjustments to both full-sample and replicate weights as described by Rust and Rao (1996) doi:10.1177/096228029600500305. Implements methods for sample-based calibration described by Opsomer and Erciulescu (2021) https://www150.statcan.gc.ca/n1/pub/12-001-x/2021002/article/00006-eng.htm. Diagnostic functions are included to compare weights and weighted estimates from different sets of replicate weights.
Author(s)
Maintainer: Ben Schneider benjamin.julius.schneider@gmail.com (ORCID)
See Also
Useful links:
- Report bugs at https://github.com/bschneidr/svrep/issues 
Add Inactive Replicates to a Survey Design Object
Description
Adds inactive replicates to a survey design object. An inactive replicate is a replicate that does not contribute to variance estimates but adds to the matrix of replicate weights so that the matrix has the desired number of columns. The new replicates' values are simply equal to the full-sample weights.
Usage
add_inactive_replicates(design, n_total, n_to_add, location = "last")
Arguments
| design | A survey design object, created with either the  | 
| n_total | The total number of replicates
that the result should contain. If the design already contains  | 
| n_to_add | The number of additional replicates to add.
Can only use the  | 
| location | Either  | 
Value
An updated survey design object, where the number of columns
of replicate weights has potentially increased. The increase only happens
if the user specifies the n_to_add argument instead of n_total,
of if the user specifies n_total and n_total is less than the number
of columns of replicate weights that the design already had.
Statistical Details
Inactive replicates are also sometimes referred to as "dead replicates", for example in Ash (2014). The purpose of adding inactive replicates is to increase the number of columns of replicate weights without impacting variance estimates. This can be useful, for example, when combining data from a survey across multiple years, where different years use different number of replicates, but a consistent number of replicates is desired in the combined data file.
Suppose the initial replicate design has L replicates, with
respective constants c_k for k=1,\dots,L used to estimate variance
with the formula
v_{R} = \sum_{k=1}^L c_k\left(\hat{T}_y^{(k)}-\hat{T}_y\right)^2
where \hat{T}_y is the estimate produced using the full-sample weights
and \hat{T}_y^{(k)} is the estimate from replicate k.
Inactive replicates are simply replicates that are exactly equal to the full sample:
that is, the replicate k is called "inactive" if its vector of replicate
weights exactly equals the full-sample weights. In this case, when using the formula
above to estimate variances, these replicates contribute nothing to the variance estimate.
If the analyst uses the variant of the formula above where the full-sample estimate
\hat{T}_y is replaced by the average replicate estimate (i.e., L^{-1}\sum_{k=1}^{L}\hat{T}_y^{(k)}),
then variance estimates will differ before vs. after adding the inactive replicates.
For this reason, it is strongly recommend to explicitly specify mse=TRUE
when creating a replicate design object in R with functions such as svrepdesign(),
as_bootstrap_design(), etc. If working with an already existing replicate design,
you can update the mse option to TRUE simply by using code such as
my_design$mse <- TRUE.
References
Ash, S. (2014). "Using successive difference replication for estimating variances." Survey Methodology, Statistics Canada, 40(1), 47-59.
Examples
set.seed(2023)
# Create an example survey design object
  sample_data <- data.frame(
    PSU     = c(1,2,3)
  )
  survey_design <- svydesign(
    data = sample_data,
    ids = ~ PSU,
    weights = ~ 1
  )
  rep_design <- survey_design |>
    as.svrepdesign(type = "JK1", mse = TRUE)
# Inspect replicate weights
  rep_design |> weights(type = "analysis")
# Inspect replicates after adding inactive replicates
  rep_design |>
    add_inactive_replicates(n_total = 5, location = "first") |>
    weights(type = "analysis")
  rep_design |>
    add_inactive_replicates(n_to_add = 2, location = "last") |>
    weights(type = "analysis")
  rep_design |>
    add_inactive_replicates(n_to_add = 5, location = "random") |>
    weights(type = "analysis")
Convert Survey Design to Bootstrap Replicate Design
Description
Converts a survey design object to a replicate design object with replicate weights formed using a bootstrap method. Supports stratified, cluster samples with one or more stages of sampling. At each stage of sampling, either simple random sampling (with or without replacement) or unequal probability sampling (with or without replacement) may be used.
Usage
as_bootstrap_design(
  design,
  type = "Rao-Wu-Yue-Beaumont",
  replicates = 500,
  compress = TRUE,
  mse = getOption("survey.replicates.mse"),
  samp_method_by_stage = NULL
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| type | The type of bootstrap to use, which should be chosen based
on its applicability to the sampling method used for the survey.
The available types are the following:  
 | 
| replicates | Number of bootstrap replicates (should be as large as possible, given computer memory/storage limitations). A commonly-recommended default is 500. | 
| compress | Use a compressed representation of the replicate weights matrix. This reduces the computer memory required to represent the replicate weights and has no impact on estimates. | 
| mse | If  | 
| samp_method_by_stage | (Optional). By default, this function will automatically determine the sampling method used at each stage.
However, this argument can be used to ensure the correct sampling method is identified for each stage.  
 | 
Value
A replicate design object, with class svyrep.design, which can be used with the usual functions,
such as svymean() or svyglm().
Use weights(..., type = 'analysis') to extract the matrix of replicate weights. 
Use as_data_frame_with_weights() to convert the design object to a data frame with columns
for the full-sample and replicate weights.
References
Antal, E. and Tillé, Y. (2014). "A new resampling method for sampling designs without replacement: The doubled half bootstrap." Computational Statistics, 29(5), 1345-1363. https://doi.org/10.1007/s00180-014-0495-0
Beaumont, J.-F.; Émond, N. (2022). "A Bootstrap Variance Estimation Method for Multistage Sampling and Two-Phase Sampling When Poisson Sampling Is Used at the Second Phase." Stats, 5: 339-357. https://doi.org/10.3390/stats5020019
Canty, A.J.; Davison, A.C. (1999). "Resampling-based variance estimation for labour force surveys." The Statistician, 48: 379-391.
Preston, J. (2009). "Rescaled bootstrap for stratified multistage sampling." Survey Methodology, 35(2): 227-234.
Rao, J.N.K.; Wu, C.F.J.; Yue, K. (1992). "Some recent work on resampling methods for complex surveys." Survey Methodology, 18: 209-217.
See Also
Use estimate_boot_reps_for_target_cv to help choose the number of bootstrap replicates.
The underlying function for the Rao-Wu-Yue-Beaumont bootstrap
is make_rwyb_bootstrap_weights,
and the underlying function for the Antal-Tillé bootstrap 
is make_doubled_half_bootstrap_weights.
Other bootstrap methods are implemented using functions from the 'survey' package,
including: bootweights (Canty-Davison),
subbootweights (Rao-Wu),
and mrbweights (Preston).
For systematic samples, one-PSU-per-stratum designs, or other especially complex sample designs,
one can use the generalized survey bootstrap method. See as_gen_boot_design or make_gen_boot_factors.
Examples
# Example 1: A multistage sample with two stages of SRSWOR
  ## Load an example dataset from a multistage sample, with two stages of SRSWOR
  data("mu284", package = 'survey')
  multistage_srswor_design <- svydesign(data = mu284,
                                        ids = ~ id1 + id2,
                                        fpc = ~ n1 + n2)
  ## Convert the survey design object to a bootstrap design
  set.seed(2022)
  bootstrap_rep_design <- as_bootstrap_design(multistage_srswor_design,
                                              replicates = 500)
  ## Compare std. error estimates from bootstrap versus linearization
  data.frame(
    'Statistic' = c('total', 'mean', 'median'),
    'SE (bootstrap)' = c(SE(svytotal(x = ~ y1, design = bootstrap_rep_design)),
                         SE(svymean(x = ~ y1, design = bootstrap_rep_design)),
                         SE(svyquantile(x = ~ y1, quantile = 0.5,
                                        design = bootstrap_rep_design))),
    'SE (linearization)' = c(SE(svytotal(x = ~ y1, design = multistage_srswor_design)),
                             SE(svymean(x = ~ y1, design = multistage_srswor_design)),
                             SE(svyquantile(x = ~ y1, quantile = 0.5,
                                            design = multistage_srswor_design))),
    check.names = FALSE
  )
# Example 2: A multistage-sample,
# first stage selected with unequal probabilities without replacement
# second stage selected with simple random sampling without replacement
  data("library_multistage_sample", package = "svrep")
  multistage_pps <- svydesign(data = library_multistage_sample,
                              ids = ~ PSU_ID + SSU_ID,
                              fpc = ~ PSU_SAMPLING_PROB + SSU_SAMPLING_PROB,
                              pps = "brewer")
  bootstrap_rep_design <- as_bootstrap_design(
    multistage_pps, replicates = 500,
    samp_method_by_stage = c("PPSWOR", "SRSWOR")
  )
  ## Compare std. error estimates from bootstrap versus linearization
  data.frame(
      'Statistic' = c('total', 'mean'),
      'SE (bootstrap)' = c(
          SE(svytotal(x = ~ TOTCIR, na.rm = TRUE,
                      design = bootstrap_rep_design)),
          SE(svymean(x = ~ TOTCIR, na.rm = TRUE,
                     design = bootstrap_rep_design))),
      'SE (linearization)' = c(
          SE(svytotal(x = ~ TOTCIR, na.rm = TRUE,
                      design = multistage_pps)),
          SE(svymean(x = ~ TOTCIR, na.rm = TRUE,
                     design = multistage_pps))),
      check.names = FALSE
  )
Convert Survey Design to Data Frame
Description
Convert a survey design object to a data frame with weights stored as columns
Usage
as_data_frame_with_weights(
  design,
  full_wgt_name = "FULL_SAMPLE_WGT",
  rep_wgt_prefix = "REP_WGT_",
  vars_to_keep = NULL
)
Arguments
| design | A survey design object, created with either the  | 
| full_wgt_name | The column name to use for the full-sample weights | 
| rep_wgt_prefix | For replicate design objects, a prefix to use for the column names of the replicate weights. The column names will be created by appending the replicate number after the prefix. | 
| vars_to_keep | By default, all variables in the data will be kept. To select only a subset of the non-weight variables, you can supply a character vector of variable names to keep. | 
Value
A data frame, with new columns containing the weights from the survey design object
Examples
data("lou_vax_survey", package = 'svrep')
# Create a survey design object
survey_design <- svydesign(data = lou_vax_survey,
                           weights = ~ SAMPLING_WEIGHT,
                           ids = ~ 1)
rep_survey_design <- as.svrepdesign(survey_design,
                                    type = "boot",
                                    replicates = 10)
# Adjust the weights for nonresponse
nr_adjusted_design <- redistribute_weights(
  design = rep_survey_design,
  reduce_if = RESPONSE_STATUS == "Nonrespondent",
  increase_if = RESPONSE_STATUS == "Respondent",
  by = c("RACE_ETHNICITY", "EDUC_ATTAINMENT")
)
# Save the survey design object as a data frame
nr_adjusted_data <- as_data_frame_with_weights(
  nr_adjusted_design,
  full_wgt_name = "NR_ADJUSTED_WGT",
  rep_wgt_prefix = "NR_ADJUSTED_REP_WGT_"
)
head(nr_adjusted_data)
# Check the column names of the result
colnames(nr_adjusted_data)
Convert Survey Design to Fay's Generalized Replication Design
Description
Converts a survey design object to a replicate design object with replicate weights formed using the generalized replication method of Fay (1989). The generalized replication method forms replicate weights from a textbook variance estimator, provided that the variance estimator can be represented as a quadratic form whose matrix is positive semidefinite (this covers a large class of variance estimators).
Usage
as_fays_gen_rep_design(
  design,
  variance_estimator = NULL,
  aux_var_names = NULL,
  max_replicates = Inf,
  balanced = TRUE,
  psd_option = "warn",
  mse = TRUE,
  compress = TRUE
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| variance_estimator | The name of the variance estimator whose quadratic form matrix should be created. See variance-estimators for a detailed description of each variance estimator. Options include: 
 | 
| aux_var_names | (Only used if  | 
| max_replicates | The maximum number of replicates to allow (should be as large as possible, given computer memory/storage limitations).
A commonly-recommended default is 500. If the number of replicates needed
for a balanced, fully-efficient estimator is less than  | 
| balanced | If  | 
| psd_option | Either  | 
| mse | If  | 
| compress | This reduces the computer memory required to represent the replicate weights and has no impact on estimates. | 
Value
A replicate design object, with class svyrep.design, which can be used with the usual functions,
such as svymean() or svyglm().
Use weights(..., type = 'analysis') to extract the matrix of replicate weights.
Use as_data_frame_with_weights() to convert the design object to a data frame with columns
for the full-sample and replicate weights.
Statistical Details
See Fay (1989) for a full description of this replication method, or see the documentation in make_fays_gen_rep_factors for implementation details.
See variance-estimators for a description of each variance estimator available for use with this function.
Use rescale_replicates to eliminate negative adjustment factors.
Two-Phase Designs
For a two-phase design, variance_estimator should be a list of variance estimators' names,
with two elements, such as list('Ultimate Cluster', 'Poisson Horvitz-Thompson').
In two-phase designs, only the following estimators may be used for the second phase:
- "Ultimate Cluster" 
- "Stratified Multistage SRS" 
- "Poisson Horvitz-Thompson" 
For statistical details on the handling of two-phase designs, see the documentation for make_twophase_quad_form.
References
The generalized replication method was first proposed in Fay (1984). Fay (1989) refined the generalized replication method to produce "balanced" replicates, in the sense that each replicate contributes equally to variance estimates. The advantage of balanced replicates is that one can still obtain a reasonable variance estimate by using only a random subset of the replicates.
- Ash, S. (2014). "Using successive difference replication for estimating variances."
Survey Methodology, Statistics Canada, 40(1), 47-59.
 
- Beaumont, J.-F.; Émond, N. (2022).
"A Bootstrap Variance Estimation Method for Multistage Sampling and Two-Phase Sampling When Poisson Sampling Is Used at the Second Phase."
Stats, 5: 339-357.
https://doi.org/10.3390/stats5020019
 
- Breidt, F. J., Opsomer, J. D., & Sanchez-Borrego, I. (2016). 
"Nonparametric Variance Estimation Under Fine Stratification: An Alternative to Collapsed Strata." 
Journal of the American Statistical Association, 111(514), 822-833. https://doi.org/10.1080/01621459.2015.1058264
 
- Deville, J. C., and Tillé, Y. (2005). "Variance approximation under balanced sampling."
Journal of Statistical Planning and Inference, 128, 569-591.
 
- Dippo, Cathryn, Robert Fay, and David Morganstein. 1984. "Computing Variances from Complex Samples with Replicate Weights." In, 489-94. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_094.pdf.
 
- Fay, Robert. 1984. "Some Properties of Estimates of Variance Based on Replication Methods." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_095.pdf.
 
- Fay, Robert. 1989. "Theory And Application Of Replicate Weighting For Variance Calculations." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1989_033.pdf
 
- Matei, Alina, and Yves Tillé. (2005).
"Evaluation of Variance Approximations and Estimators
in Maximum Entropy Sampling with Unequal Probability and Fixed Sample Size."
Journal of Official Statistics, 21(4):543-70.
See Also
For greater customization of the method, make_quad_form_matrix can be used to
represent several common variance estimators as a quadratic form's matrix,
which can then be used as an input to make_fays_gen_rep_factors.
Examples
  ## Load an example systematic sample ----
  data('library_stsys_sample', package = 'svrep')
  ## First, ensure data are sorted in same order as was used in sampling
  library_stsys_sample <- library_stsys_sample |>
    sort_by(~ SAMPLING_SORT_ORDER)
  ## Create a survey design object
  design_obj <- svydesign(
    data = library_stsys_sample,
    strata = ~ SAMPLING_STRATUM,
    ids = ~ 1,
    fpc = ~ STRATUM_POP_SIZE
  )
  ## Convert to generalized replicate design
  gen_rep_design_sd2 <- as_fays_gen_rep_design(
    design = design_obj,
    variance_estimator = "SD2",
    max_replicates = 250,
    mse = TRUE
  )
  svytotal(x = ~ TOTSTAFF, na.rm = TRUE, design = gen_rep_design_sd2)
Convert Survey Design to Generalized Bootstrap Replicate Design
Description
Converts a survey design object to a replicate design object with replicate weights formed using the generalized bootstrap method. The generalized survey bootstrap is a method for forming bootstrap replicate weights from a textbook variance estimator, provided that the variance estimator can be represented as a quadratic form whose matrix is positive semidefinite (this covers a large class of variance estimators).
Usage
as_gen_boot_design(
  design,
  variance_estimator = NULL,
  aux_var_names = NULL,
  replicates = 500,
  tau = 1,
  exact_vcov = FALSE,
  psd_option = "warn",
  mse = getOption("survey.replicates.mse"),
  compress = TRUE
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| variance_estimator | The name of the variance estimator whose quadratic form matrix should be created. See variance-estimators for a detailed description of each variance estimator. Options include: 
 | 
| aux_var_names | (Only used if  | 
| replicates | Number of bootstrap replicates (should be as large as possible, given computer memory/storage limitations). A commonly-recommended default is 500. | 
| tau | Either  | 
| exact_vcov | If  | 
| psd_option | Either  | 
| mse | If  | 
| compress | This reduces the computer memory required to represent the replicate weights and has no impact on estimates. | 
Value
A replicate design object, with class svyrep.design, which can be used with the usual functions,
such as svymean() or svyglm().
Use weights(..., type = 'analysis') to extract the matrix of replicate weights.
Use as_data_frame_with_weights() to convert the design object to a data frame with columns
for the full-sample and replicate weights.
Statistical Details
Let v( \hat{T_y}) be the textbook variance estimator for an estimated population total \hat{T}_y of some variable y.
The base weight for case i in our sample is w_i, and we let \breve{y}_i denote the weighted value w_iy_i.
Suppose we can represent our textbook variance estimator as a quadratic form: v(\hat{T}_y) = \breve{y}\Sigma\breve{y}^T,
for some n \times n matrix \Sigma.
The only constraint on \Sigma is that, for our sample, it must be symmetric and positive semidefinite.
The bootstrapping process creates B sets of replicate weights, where the b-th set of replicate weights is a vector of length n denoted \mathbf{a}^{(b)}, whose k-th value is denoted a_k^{(b)}.
This yields B replicate estimates of the population total, \hat{T}_y^{*(b)}=\sum_{k \in s} a_k^{(b)} \breve{y}_k, for b=1, \ldots B, which can be used to estimate sampling variance.
  v_B\left(\hat{T}_y\right)=\frac{\sum_{b=1}^B\left(\hat{T}_y^{*(b)}-\hat{T}_y\right)^2}{B}
This bootstrap variance estimator can be written as a quadratic form:
    v_B\left(\hat{T}_y\right) =\mathbf{\breve{y}}^{\prime}\Sigma_B \mathbf{\breve{y}}
  
where
    \boldsymbol{\Sigma}_B = \frac{\sum_{b=1}^B\left(\mathbf{a}^{(b)}-\mathbf{1}_n\right)\left(\mathbf{a}^{(b)}-\mathbf{1}_n\right)^{\prime}}{B}
  
Note that if the vector of adjustment factors \mathbf{a}^{(b)} has expectation \mathbf{1}_n and variance-covariance matrix \boldsymbol{\Sigma},
then we have the bootstrap expectation E_{*}\left( \boldsymbol{\Sigma}_B \right) = \boldsymbol{\Sigma}. Since the bootstrap process takes the sample values \breve{y} as fixed, the bootstrap expectation of the variance estimator is E_{*} \left( \mathbf{\breve{y}}^{\prime}\Sigma_B \mathbf{\breve{y}}\right)= \mathbf{\breve{y}}^{\prime}\Sigma \mathbf{\breve{y}}.
Thus, we can produce a bootstrap variance estimator with the same expectation as the textbook variance estimator simply by randomly generating \mathbf{a}^{(b)} from a distribution with the following two conditions:
Condition 1: \quad \mathbf{E}_*(\mathbf{a})=\mathbf{1}_n
Condition 2: \quad \mathbf{E}_*\left(\mathbf{a}-\mathbf{1}_n\right)\left(\mathbf{a}-\mathbf{1}_n\right)^{\prime}=\mathbf{\Sigma}
 
While there are multiple ways to generate adjustment factors satisfying these conditions,
the simplest general method is to simulate from a multivariate normal distribution: \mathbf{a} \sim MVN(\mathbf{1}_n, \boldsymbol{\Sigma}).
This is the method used by this function.
Details on Rescaling to Avoid Negative Adjustment Factors
Let \mathbf{A} = \left[ \mathbf{a}^{(1)} \cdots \mathbf{a}^{(b)} \cdots \mathbf{a}^{(B)} \right] denote the (n \times B) matrix of bootstrap adjustment factors.
To eliminate negative adjustment factors, Beaumont and Patak (2012) propose forming a rescaled matrix of nonnegative replicate factors \mathbf{A}^S by rescaling each adjustment factor a_k^{(b)} as follows:
   a_k^{S,(b)} = \frac{a_k^{(b)} + \tau - 1}{\tau}
 
where \tau \geq 1 - a_k^{(b)} \geq 1 for all k in \left\{ 1,\ldots,n \right\} and all b in \left\{1, \ldots, B\right\}.
The value of \tau can be set based on the realized adjustment factor matrix \mathbf{A} or by choosing \tau prior to generating the adjustment factor matrix \mathbf{A} so that \tau is likely to be large enough to prevent negative bootstrap weights.
If the adjustment factors are rescaled in this manner, it is important to adjust the scale factor used in estimating the variance with the bootstrap replicates, which becomes \frac{\tau^2}{B} instead of \frac{1}{B}.
 \textbf{Prior to rescaling: } v_B\left(\hat{T}_y\right) = \frac{1}{B}\sum_{b=1}^B\left(\hat{T}_y^{*(b)}-\hat{T}_y\right)^2
 
 \textbf{After rescaling: } v_B\left(\hat{T}_y\right) = \frac{\tau^2}{B}\sum_{b=1}^B\left(\hat{T}_y^{S*(b)}-\hat{T}_y\right)^2
When sharing a dataset that uses rescaled weights from a generalized survey bootstrap, the documentation for the dataset should instruct the user to use replication scale factor \frac{\tau^2}{B} rather than \frac{1}{B} when estimating sampling variances.
This rescaling method does not affect variance estimates for linear statistics,
but its impact on non-smooth statistics such as quantiles is unclear.
Two-Phase Designs
For a two-phase design, variance_estimator should be a list of variance estimators' names,
with two elements, such as list('Ultimate Cluster', 'Poisson Horvitz-Thompson').
In two-phase designs, only the following estimators may be used for the second phase:
- "Ultimate Cluster" 
- "Stratified Multistage SRS" 
- "Poisson Horvitz-Thompson" 
For statistical details on the handling of two-phase designs, see the documentation for make_twophase_quad_form.
References
The generalized survey bootstrap was first proposed by Bertail and Combris (1997).
See Beaumont and Patak (2012) for a clear overview of the generalized survey bootstrap.
The generalized survey bootstrap represents one strategy for forming replication variance estimators
in the general framework proposed by Fay (1984) and Dippo, Fay, and Morganstein (1984).
 
- Ash, S. (2014). "Using successive difference replication for estimating variances."
Survey Methodology, Statistics Canada, 40(1), 47-59.
 
- Bellhouse, D.R. (1985). "Computing Methods for Variance Estimation in Complex Surveys."
Journal of Official Statistics, Vol.1, No.3.
 
- Breidt, F. J., Opsomer, J. D., & Sanchez-Borrego, I. (2016). 
"Nonparametric Variance Estimation Under Fine Stratification: An Alternative to Collapsed Strata." 
Journal of the American Statistical Association, 111(514), 822-833. https://doi.org/10.1080/01621459.2015.1058264
 
- Beaumont, Jean-François, and Zdenek Patak. 2012. "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling: Generalized Bootstrap for Sample Surveys." International Statistical Review 80 (1): 127-48. https://doi.org/10.1111/j.1751-5823.2011.00166.x.
 
- Bertail, and Combris. 1997. "Bootstrap Généralisé d'un Sondage." Annales d'Économie Et de Statistique, no. 46: 49. https://doi.org/10.2307/20076068.
 
- Deville, J. C., and Tillé, Y. (2005). "Variance approximation under balanced sampling."
Journal of Statistical Planning and Inference, 128, 569-591.
 
- Dippo, Cathryn, Robert Fay, and David Morganstein. 1984. "Computing Variances from Complex Samples with Replicate Weights." In, 489-94. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_094.pdf.
 
- Fay, Robert. 1984. "Some Properties of Estimates of Variance Based on Replication Methods." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_095.pdf.
 
- Matei, Alina, and Yves Tillé. (2005).
"Evaluation of Variance Approximations and Estimators
in Maximum Entropy Sampling with Unequal Probability and Fixed Sample Size."
Journal of Official Statistics, 21(4):543-70.
See Also
Use estimate_boot_reps_for_target_cv to help choose the number of bootstrap replicates. 
For greater customization of the method, make_quad_form_matrix can be used to
represent several common variance estimators as a quadratic form's matrix,
which can then be used as an input to make_gen_boot_factors.
The function rescale_replicates is used to implement
the rescaling of the bootstrap adjustment factors.
See variance-estimators for a description of each variance estimator.
Examples
# Example 1: Bootstrap based on the Yates-Grundy estimator ----
   set.seed(2014)
   data('election', package = 'survey')
   ## Create survey design object
   pps_design_yg <- svydesign(
     data = election_pps,
     id = ~1, fpc = ~p,
     pps = ppsmat(election_jointprob),
     variance = "YG"
   )
   ## Convert to generalized bootstrap replicate design
   gen_boot_design_yg <- pps_design_yg |>
     as_gen_boot_design(variance_estimator = "Yates-Grundy",
                        replicates = 1000, tau = "auto")
   svytotal(x = ~ Bush + Kerry, design = pps_design_yg)
   svytotal(x = ~ Bush + Kerry, design = gen_boot_design_yg)
# Example 2: Bootstrap based on the successive-difference estimator ----
   data('library_stsys_sample', package = 'svrep')
   ## First, ensure data are sorted in same order as was used in sampling
   library_stsys_sample <- library_stsys_sample |>
     sort_by(~ SAMPLING_SORT_ORDER)
   ## Create a survey design object
   design_obj <- svydesign(
     data = library_stsys_sample,
     strata = ~ SAMPLING_STRATUM,
     ids = ~ 1,
     fpc = ~ STRATUM_POP_SIZE
   )
   ## Convert to generalized bootstrap replicate design
   gen_boot_design_sd2 <- as_gen_boot_design(
     design = design_obj,
     variance_estimator = "SD2",
     replicates = 2000
   )
   ## Estimate sampling variances
   svytotal(x = ~ TOTSTAFF, na.rm = TRUE, design = gen_boot_design_sd2)
   svytotal(x = ~ TOTSTAFF, na.rm = TRUE, design = design_obj)
# Example 3: Two-phase sample ----
# -- First stage is stratified systematic sampling,
# -- second stage is response/nonresponse modeled as Poisson sampling
  nonresponse_model <- glm(
    data = library_stsys_sample,
    family = quasibinomial('logit'),
    formula = I(RESPONSE_STATUS == "Survey Respondent") ~ 1,
    weights = 1/library_stsys_sample$SAMPLING_PROB
  )
  library_stsys_sample[['RESPONSE_PROPENSITY']] <- predict(
    nonresponse_model,
    newdata = library_stsys_sample,
    type = "response"
  )
  twophase_design <- twophase(
    data = library_stsys_sample,
    # Identify cases included in second phase sample
    subset = ~ I(RESPONSE_STATUS == "Survey Respondent"),
    strata = list(~ SAMPLING_STRATUM, NULL),
    id = list(~ 1, ~ 1),
    probs = list(NULL, ~ RESPONSE_PROPENSITY),
    fpc = list(~ STRATUM_POP_SIZE, NULL),
  )
  twophase_boot_design <- as_gen_boot_design(
    design = twophase_design,
    variance_estimator = list(
      "SD2", "Poisson Horvitz-Thompson"
    )
  )
  svytotal(x = ~ LIBRARIA, design = twophase_boot_design)
Convert Survey Design to Random Group Jackknife Replicate Design
Description
Forms a specified number of jackknife replicates based on grouping primary sampling units (PSUs) into random, (approximately) equal-sized groups.
Usage
as_random_group_jackknife_design(
  design,
  replicates = 50,
  var_strat = NULL,
  var_strat_frac = NULL,
  sort_var = NULL,
  adj_method = "variance-stratum-psus",
  scale_method = "variance-stratum-psus",
  group_var_name = ".random_group",
  compress = TRUE,
  mse = getOption("survey.replicates.mse")
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| replicates | The number of replicates to create
for each variance stratum. The total number of replicates
created is the number of variance strata times  | 
| var_strat | Specifies the name of a variable
in the data that defines variance strata to use
for the grouped jackknife. If  | 
| var_strat_frac | Specifies the sampling fraction
to use for finite population corrections in each
value of  | 
| sort_var | (Optional) Specifies the name of a variable
in the data which should be used to sort the data before
assigning random groups. If a variable is specified for
 | 
| adj_method | Specifies how to calculate the
replicate weight adjustment factor.
Available options for  
 See the section "Adjustment and Scale Methods" for details. | 
| scale_method | Specifies how to calculate the
scale factor for each replicate.
Available options for  
 See the section "Adjustment and Scale Methods" for details. | 
| group_var_name | (Optional) The name of a new variable created to save
identifiers for which random group each PSU was grouped into
for the purpose of forming replicates.
Specify  | 
| compress | Use a compressed representation of the replicate weights matrix. This reduces the computer memory required to represent the replicate weights and has no impact on estimates. | 
| mse | If  | 
Value
A replicate design object, with class svyrep.design, which can be used with the usual functions,
such as svymean() or svyglm().
Use weights(..., type = 'analysis') to extract the matrix of replicate weights. 
Use as_data_frame_with_weights() to convert the design object to a data frame with columns
for the full-sample and replicate weights.
Formation of Random Groups
Within each value of VAR_STRAT,
the data are sorted by first-stage sampling strata,
and then the PSUs in each stratum are randomly arranged.
Groups are then formed by serially placing PSUs
into each group.
The first PSU in the VAR_STRAT is placed into the first group,
the second PSU into the second group, and so on.
Once a PSU has been assigned to the last group,
the process begins again by assigning the next PSU to the first group,
the PSU after that to the second group, and so on.
The random group that each observation is assigned to
can be saved as a variable in the data
by using the function argument group_var_name.
Adjustment and Scale Methods
The jackknife replication variance estimator based on R replicates takes the following form:
  v(\hat{\theta}) = \sum_{r=1}^{R} (1 - f_r) \times c_r \times \left(\hat{\theta}_r - \hat{\theta}\right)^2
where r indexes one of the R sets of replicate weights,
c_r is a corresponding scale factor for the r-th replicate,
and 1 - f_r is an optional finite population correction factor
that can potentially differ across variance strata.
To form the replicate weights, the PSUs are divided into \tilde{H} variance strata,
and the \tilde{h}-th variance stratum contains G_{\tilde{h}}
random groups. The number of replicates R equals the total number
of random groups across all variance strata:
R = \sum_{\tilde{h}}^{\tilde{H}} G_{\tilde{h}}. In other words,
each replicate corresponds to one of the random groups from one of the variance strata.
The weights for replicate r corresponding to random group g within
variance stratum \tilde{h} is defined as follows.
If case i
is not in variance stratum \tilde{h}, then w_{i}^{(r)} = w_i.
If case i is in variance stratum \tilde{h} and not in random group g,
then w_{i}^{(r)} = a_{\tilde{h}g} w_i.
Otherwise, if case i is in random group g
of variance stratum \tilde{h}, then w_{i}^{(r)} = 0.
The R function argument adj_method determines how
the adjustment factor a_{\tilde{h} g} is calculated.
When adj_method = "variance-units", then
a_{\tilde{h} g} is calculated based on G_{\tilde{h}},
which is the number of random groups in variance stratum \tilde{h}.
When adj_method = "variance-stratum-psus", then
a_{\tilde{h} g} is calculated based on n_{\tilde{h}g},
which is the number of PSUs in random group g in variance stratum \tilde{h},
as well as n_{\tilde{h}}, the total number of PSUs in variance stratum \tilde{h}.
If adj_method = "variance-units", then: 
a_{\tilde{h}g} = \frac{G_{\tilde{h}}}{G_{\tilde{h}} - 1}
If adj_method = "variance-stratum-psus", then: 
a_{\tilde{h}g} = \frac{n_{\tilde{h}}}{n_{\tilde{h}} - n_{\tilde{h}g}}
The scale factor c_r for replicate r
corresponding to random group g within variance stratum \tilde{h} is
calculated according to the function argument scale_method.
If scale_method = "variance-units", then: 
c_r = \frac{G_{\tilde{h}} - 1}{G_{\tilde{h}}}
If scale_method = "variance-stratum-psus", then: 
c_r = \frac{n_{\tilde{h}} - n_{\tilde{h}g}}{n_{\tilde{h}}}
The sampling fraction f_r used for finite population correction 1 - f_r
is by default assumed to equal 0. However, the user can supply a sampling fraction
for each variance stratum using the argument var_strat_frac.
When variance units in a variance stratum
have differing numbers of PSUs,
the combination adj_method = "variance-stratum-psus"
and scale_method = "variance-units" is
recommended by Valliant, Brick, and Dever (2008),
corresponding to their method "GJ2".
The random-groups jackknife method often referred to as "DAGJK"
corresponds to the options var_strat = NULL,
adj_method = "variance-units", and scale_method = "variance-units".
The DAGJK method will yield upwardly-biased variance estimates for totals
if the total number of PSUs is not a multiple of the total number of replicates (Valliant, Brick, and Dever 2008).
References
See Section 15.5 of Valliant, Dever, and Kreuter (2018) for an introduction to the grouped jackknife and guidelines for creating the random groups.
- Valliant, R., Dever, J., Kreuter, F. (2018). "Practical Tools for Designing and Weighting Survey Samples, 2nd edition." New York: Springer.
See Valliant, Brick, and Dever (2008)
for statistical details related to the
adj_method and scale_method arguments.
- Valliant, Richard, Michael Brick, and Jill Dever. 2008. "Weight Adjustments for the Grouped Jackknife Variance Estimator." Journal of Official Statistics. 24: 469-88.
See Chapter 4 of Wolter (2007) for additional details of the jackknife, including the method based on random groups.
- Wolter, Kirk. 2007. "Introduction to Variance Estimation." New York, NY: Springer New York. https://doi.org/10.1007/978-0-387-35099-8.
Examples
# Load example data
 data('api', package = 'survey')
 api_strat_design <- svydesign(
   data = apistrat,
   id = ~ 1,
   strata = ~stype,
   weights = ~pw
 )
# Create a random-groups jackknife design
 jk_design <- as_random_group_jackknife_design(
   api_strat_design,
   replicates = 15
 )
 print(jk_design)
Convert Survey Design to Successive Differences Replicate Design
Description
Converts a survey design object to a replicate design object with replicate weights formed using the successive differences replication (SDR) method. The SDR method is suitable for designs that use systematic sampling or finely-stratified sampling designs.
Usage
as_sdr_design(
  design,
  replicates,
  sort_variable = NULL,
  use_normal_hadamard = FALSE,
  compress = TRUE,
  mse = TRUE
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| replicates | The target number of replicates to create.
This will determine the order of the Hadamard matrix to use when
creating replicate factors.
If  | 
| sort_variable | A character string specifying the name
of a sorting variable. This variable should give
the sort order used in sampling. If the design includes strata,
then the replicate factors will be assigned after first sorting by the 
first-stage strata identifier
and then sorting by the value of  | 
| use_normal_hadamard | Whether to use a normal Hadamard matrix: that is, a matrix whose first row and first column only have entries equal to 1. This means that one of the replicates will be an "inactive" replicate. See the "Details" section for more information. | 
| compress | Use a compressed representation of the replicate weights matrix. This reduces the computer memory required to represent the replicate weights and has no impact on estimates. | 
| mse | If  | 
Value
A replicate design object, with class svyrep.design, which can be used with the usual functions,
such as svymean() or svyglm().
Use weights(..., type = 'analysis') to extract the matrix of replicate weights. 
Use as_data_frame_with_weights() to convert the design object to a data frame with columns
for the full-sample and replicate weights.
Statistical Overview
The successive difference replication method was proposed by Fay and Train (1995) as a replication method appropriate for samples selected using systematic sampling. It is designed to yield variance estimates for totals that are equivalent to successive difference variance estimators described in Fay and Train (1995). There are different methods for forming the replicate factors depending on whether the replicate variance estimator is meant to be equivalent to the SD2 variance estimator (i.e., the circular successive difference estimator) or the SD1 variance estimator (the non-circular successive difference estimator) described in Ash (2014). This function uses the approach based on the SD2 variance estimator. For multistage designs, this replication method only takes into account information about the first stage of sampling.
The scale factor to be used for variance estimation with the replicate weights
is 4/R, where R is the number of replicates. This scale factor will 
be used even when there are finite population corrections; see the subsection below.
As an alternative to the successive difference replication estimator, one can use a generalized replication method where the target variance estimator is the "SD1" or "SD2" estimator. See the functions as_gen_boot_design or as_fays_gen_rep_design for more details on generalized replication and see the help section variance-estimators for more details on the "SD1" and "SD2" variance estimators.
Details on Stratification and Finite Population Corrections
If the design includes strata,
then the replicate factors will be assigned after first sorting by the 
first-stage strata identifier and then sorting by the value of sort_variable 
within each stratum.
If there are finite population correction factors, then these finite population correction factors will be applied to the replicate factors. This means that variance estimates with the finite population correction do not require any adjustment to the overall scale factor used in variance estimation. This is the approach used by the U.S. Census Bureau for the 5-year American Community Survey (ACS) replicate weights (U.S. Census Bureau, 2022, p. 12-8). This approach is used regardless of whether the design has one overall finite population correction factor or has different finite population correction factors for different strata.
Details on Row Assignments for Creating Replicate Factors
The number of replicates must match the order of an available Hadamard matrix.
A Hadamard matrix can either be normal or non-normal: a normal Hadamard matrix
is one where the entries in the first row and in the first column are all equal to one.
If the user specifies use_normal_hadamard = TRUE, then there are more choices
of Hadamard matrix sizes available, and so greater flexibility in choosing the
number of replicates to create. When a normal Hadamard matrix is used, this will result
in the creation of an inactive replicate (sometimes referred to as a "dead" replicate),
which is a replicate where all the replicate factors equal one. Inactive replicates
are perfectly valid for variance estimation, though some users may find them
confusing.
An important part of the process of creating replicate weights is the assignment of rows of the Hadamard matrix
to primary sampling units. The method of Ash (2014) referred to as "RA1" is used for row assignments,
which means that the replication-based variance estimates for totals will
be equivalent to the SD2 variance estimator described by Ash (2014). The number of cycles
used with the "RA1" method is the smallest integer greater than n/R, where
n is the number of primary sample units and R is the number of replicates.
References
Ash, S. (2014). "Using successive difference replication for estimating variances." Survey Methodology, Statistics Canada, 40(1), 47-59.
Fay, R.E. and Train, G.F. (1995). "Aspects of Survey and Model-Based Postcensal Estimation of Income and Poverty Characteristics for States and Counties." Joint Statistical Meetings, Proceedings of the Section on Government Statistics, 154-159.
U.S. Census Bureau. (2022). "American Community Survey and Puerto Rico Community Survey Design and Methodology, Version 3.0."
Examples
library(survey)
# Load example stratified systematic sample
data('library_stsys_sample', package = 'svrep')
## First, ensure data are sorted in same order as was used in sampling
library_stsys_sample <- library_stsys_sample |>
  sort_by(~ SAMPLING_SORT_ORDER)
## Create a survey design object
design_obj <- svydesign(
  data   = library_stsys_sample,
  strata = ~ SAMPLING_STRATUM,
  ids    = ~ 1,
  fpc    = ~ STRATUM_POP_SIZE
)
## Convert to SDR replicate design
sdr_design <- as_sdr_design(
  design              = design_obj,
  replicates          = 180,
  sort_variable       = "SAMPLING_SORT_ORDER",
  use_normal_hadamard = TRUE
)
## Compare to generalized bootstrap
## based on the SD2 estimator that SDR approximates
gen_boot_design <- as_gen_boot_design(
  design             = design_obj,
  variance_estimator = "SD2",
  replicates         = 180,
  exact_vcov         = TRUE
)
## Estimate sampling variances
svytotal(x = ~ TOTSTAFF, na.rm = TRUE, design = sdr_design)
svytotal(x = ~ TOTSTAFF, na.rm = TRUE, design = gen_boot_design)
Row Assignment for Successive Difference Replication
Description
Creates a row assignment matrix:
for each row of a dataset of size n, assigns two rows
of a Hadamard matrix.
Usage
assign_hadamard_rows(
  n,
  hadamard_order,
  number_of_cycles = ceiling(n/hadamard_order),
  use_first_row = TRUE,
  circular = TRUE
)
Arguments
| n | The sample size of the data. | 
| hadamard_order | The order of the Hadamard matrix (i.e., the number of rows/columns) | 
| number_of_cycles | The number of cycles to use in the row assignment.
Must be at least as large as  | 
| use_first_row | Whether to use the first row of the Hadamard matrix. The first row of a Hadamard matrix is often all 1's, and so using the first row to create replicate factors leads to the creation of a replicate whose weights exactly match the full-sample weights. Thus, using the first row of the Hadamard matrix may be undesirable for practical purposes, even if it is valid for the purpose of variance estimation. | 
| circular | 
 | 
Details
Implements row-assignment methods described in Ash (2014)
and in Fay and Train (1995). The row-assignment method
depends on the number of available rows of the Hadamard matrix used.
The number of available rows
is hadamard_order when use_first_row = TRUE,
and hadamard_order - 1 when use_first_row = FALSE.
When the number of available Hadamard rows is at least as large as n,
then the row assignment is as follows. Let i=1,\dots,n be the index
for the data that will receive row assignments, 
and let a_j denote row j of a Hadamard matrix. 
For i < n, the assignments
are entries a_i and a_{i+1} when use_first_row = TRUE,
and when use_first_row = FALSE, the assignments are entries
a_{i+1} and a_{i+2}. The assignment for i=n depends on 
whether circular = TRUE. If circular=TRUE, then the assignment
for i=n is entries a_i and a_1 if use_first_row = TRUE,
and entries a_{i+1} and a_2 if use_first_row = FALSE.
When the number of available Hadamard rows is less than n,
then the row assignment method is the method denoted as RA1 in Ash (2014).
This method uses the argument number_of_cycles and 
does not use the argument circular.
Value
A matrix with n rows and two columns. Each row
gives the assignment of two rows of a Hadamard matrix to the row of data.
References
Ash, S. (2014). "Using successive difference replication for estimating variances." Survey Methodology, Statistics Canada, 40(1), 47-59.
Sample-based Calibration to An Estimate
Description
Calibrate the weights of a primary survey to match estimated totals from a control survey,
using adjustments to the replicate weights to account for the variance of the estimated control totals.
The adjustments to replicate weights are conducted using the method proposed by Fuller (1998).
This method can be used to implement general calibration as well as post-stratification or raking specifically
(see the details for the calfun parameter).
Usage
calibrate_to_estimate(
  rep_design,
  estimate,
  vcov_estimate,
  cal_formula,
  calfun = survey::cal.linear,
  bounds = list(lower = -Inf, upper = Inf),
  verbose = FALSE,
  maxit = 50,
  epsilon = 1e-07,
  variance = NULL,
  col_selection = NULL
)
Arguments
| rep_design | A replicate design object for the primary survey, created with either the  | 
| estimate | A vector of estimated control totals.
The names of entries must match the names from calling  | 
| vcov_estimate | A variance-covariance matrix for the estimated control totals.
The column names and row names must match the names of  | 
| cal_formula | A formula listing the variables to use for calibration.
All of these variables must be included in  | 
| calfun | A calibration function from the  | 
| bounds | Parameter passed to grake for calibration. See calibrate for details. | 
| verbose | Parameter passed to grake for calibration. See calibrate for details. | 
| maxit | Parameter passed to grake for calibration. See calibrate for details. | 
| epsilon | Parameter passed to grake for calibration.  | 
| variance | Parameter passed to grake for calibration. See calibrate for details. | 
| col_selection | Optional parameter to determine which replicate columns
will have their control totals perturbed. If supplied,  | 
Details
With the Fuller method, each of k randomly-selected replicate columns from the primary survey
are calibrated to control totals formed by perturbing the k-dimensional vector of
estimated control totals using a spectral decomposition of the variance-covariance matrix
of the estimated control totals. Other replicate columns are simply calibrated to the unperturbed control totals.
Because the set of replicate columns whose control totals are perturbed should be random,
there are multiple ways to ensure that this matching is reproducible.
The user can either call set.seed before using the function,
or supply a vector of randomly-selected column indices to the argument col_selection.
Value
A replicate design object, with full-sample weights calibrated to totals from estimate,
and replicate weights adjusted to account for variance of the control totals.
The element col_selection indicates, for each replicate column of the calibrated primary survey,
which column of replicate weights it was matched to from the control survey.
Syntax for Common Types of Calibration
For ratio estimation with an auxiliary variable X,
use the following options: 
- cal_formula = ~ -1 + X 
- variance = 1, 
- cal.fun = survey::cal.linear
For post-stratification, use the following option:
- cal.fun = survey::cal.linear
For raking, use the following option:
- cal.fun = survey::cal.raking
References
Fuller, W.A. (1998). "Replication variance estimation for two-phase samples." Statistica Sinica, 8: 1153-1164.
Opsomer, J.D. and A. Erciulescu (2021). "Replication variance estimation after sample-based calibration." Survey Methodology, 47: 265-277.
See Also
[calibrate_to_sample()] as an alternative when the control survey has replicate weights.
Examples
# Load example data for primary survey ----
  data(api)
  primary_survey <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc) |>
    as.svrepdesign(type = "JK1")
# Load example data for control survey ----
  control_survey <- svydesign(id = ~ 1, fpc = ~fpc, data = apisrs) |>
    as.svrepdesign(type = "JK1")
# Estimate control totals ----
  estimated_controls <- svytotal(x = ~ stype + enroll,
                                 design = control_survey)
  control_point_estimates <- coef(estimated_controls)
  control_vcov_estimate <- vcov(estimated_controls)
# Calibrate totals for one categorical variable and one numeric ----
  calibrated_rep_design <- calibrate_to_estimate(
    rep_design = primary_survey,
    estimate = control_point_estimates,
    vcov_estimate = control_vcov_estimate,
    cal_formula = ~ stype + enroll
  )
# Inspect estimates before and after calibration ----
  ##_ For the calibration variables, estimates and standard errors
  ##_ from calibrated design will match those of the control survey
    svytotal(x = ~ stype + enroll, design = primary_survey)
    svytotal(x = ~ stype + enroll, design = control_survey)
    svytotal(x = ~ stype + enroll, design = calibrated_rep_design)
  ##_ Estimates from other variables will be changed as well
    svymean(x = ~ api00 + api99, design = primary_survey)
    svymean(x = ~ api00 + api99, design = control_survey)
    svymean(x = ~ api00 + api99, design = calibrated_rep_design)
# Inspect weights before and after calibration ----
  summarize_rep_weights(primary_survey, type = 'overall')
  summarize_rep_weights(calibrated_rep_design, type = 'overall')
# For reproducibility, specify which columns are randomly selected for Fuller method ----
  column_selection <- calibrated_rep_design$col_selection
  print(column_selection)
  calibrated_rep_design <- calibrate_to_estimate(
    rep_design = primary_survey,
    estimate = control_point_estimates,
    vcov_estimate = control_vcov_estimate,
    cal_formula = ~ stype + enroll,
    col_selection = column_selection
  )
Sample-based Calibration with Replicates
Description
Calibrate the weights of a primary survey to match estimated totals from a control survey,
using adjustments to the replicate weights to account for the variance of the estimated control totals.
Both surveys must have replicate weights.
The adjustments to replicate weights are conducted using the method proposed by Opsomer and Erciulescu (2021).
This method can be used to implement general calibration as well as post-stratification or raking specifically
(see the details for the calfun parameter).
Usage
calibrate_to_sample(
  primary_rep_design,
  control_rep_design,
  cal_formula,
  calfun = survey::cal.linear,
  bounds = list(lower = -Inf, upper = Inf),
  verbose = FALSE,
  maxit = 50,
  epsilon = 1e-07,
  variance = NULL,
  control_col_matches = NULL
)
Arguments
| primary_rep_design | A replicate design object for the primary survey, created with either the  | 
| control_rep_design | A replicate design object for the control survey. | 
| cal_formula | A formula listing the variables to use for calibration.
All of these variables must be included in both  | 
| calfun | A calibration function from the  | 
| bounds | Parameter passed to grake for calibration. See calibrate for details. | 
| verbose | Parameter passed to grake for calibration. See calibrate for details. | 
| maxit | Parameter passed to grake for calibration. See calibrate for details. | 
| epsilon | Parameter passed to grake for calibration.  | 
| variance | Parameter passed to grake for calibration. See calibrate for details. | 
| control_col_matches | Optional parameter to specify which control survey replicate
is matched to each primary survey replicate. If the  | 
Details
With the Opsomer-Erciulescu method, each column of replicate weights from the control survey
is randomly matched to a column of replicate weights from the primary survey,
and then the column from the primary survey is calibrated to control totals estimated by
perturbing the control sample's full-sample estimates using the estimates from the
matched column of replicate weights from the control survey.
 
If there are fewer columns of replicate weights in the control survey than in the primary survey,
then not all primary replicate columns will be matched to a replicate column from the control survey. 
If there are more columns of replicate weights in the control survey than in the primary survey,
then the columns of replicate weights in the primary survey will be duplicated k times, where k is the smallest
positive integer such that the resulting number of columns of replicate weights for the primary survey is greater than or equal
to the number of columns of replicate weights in the control survey. 
Because replicate columns of the control survey are matched at random to primary survey replicate columns,
there are multiple ways to ensure that this matching is reproducible.
The user can either call set.seed before using the function,
or supply a mapping to the argument control_col_matches.
Value
A replicate design object, with full-sample weights calibrated to totals from control_rep_design,
and replicate weights adjusted to account for variance of the control totals.
If primary_rep_design had fewer columns of replicate weights than control_rep_design,
then the number of replicate columns and the length of rscales will be increased by a multiple k,
and the scale will be updated by dividing by k. 
 
The element control_column_matches indicates, for each replicate column of the calibrated primary survey,
which column of replicate weights it was matched to from the control survey.
Columns which were not matched to control survey replicate column are indicated by NA. 
 
The element degf will be set to match that of the primary survey
to ensure that the degrees of freedom are not erroneously inflated by
potential increases in the number of columns of replicate weights.
Syntax for Common Types of Calibration
For ratio estimation with an auxiliary variable X,
use the following options: 
- cal_formula = ~ -1 + X 
- variance = 1, 
- cal.fun = survey::cal.linear
For post-stratification, use the following option:
- cal.fun = survey::cal.linear
For raking, use the following option:
- cal.fun = survey::cal.raking
References
Opsomer, J.D. and A. Erciulescu (2021). "Replication variance estimation after sample-based calibration." Survey Methodology, 47: 265-277.
See Also
[calibrate_to_estimate()] as an alternative when the control survey's data are not available or it doesn't have replicate weights, but an estimate and its variance-covariance are available.
Examples
# Load example data for primary survey ----
  data(api)
  primary_survey <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc) |>
    as.svrepdesign(type = "JK1")
# Load example data for control survey ----
  control_survey <- svydesign(id = ~ 1, fpc = ~fpc, data = apisrs) |>
    as.svrepdesign(type = "JK1")
# Calibrate totals for one categorical variable and one numeric ----
  calibrated_rep_design <- calibrate_to_sample(
    primary_rep_design = primary_survey,
    control_rep_design = control_survey,
    cal_formula = ~ stype + enroll,
  )
# Inspect estimates before and after calibration ----
  ##_ For the calibration variables, estimates and standard errors
  ##_ from calibrated design will match those of the control survey
    svytotal(x = ~ stype + enroll, design = primary_survey)
    svytotal(x = ~ stype + enroll, design = control_survey)
    svytotal(x = ~ stype + enroll, design = calibrated_rep_design)
  ##_ Estimates from other variables will be changed as well
    svymean(x = ~ api00 + api99, design = primary_survey)
    svymean(x = ~ api00 + api99, design = control_survey)
    svymean(x = ~ api00 + api99, design = calibrated_rep_design)
# Inspect weights before and after calibration ----
  summarize_rep_weights(primary_survey, type = 'overall')
  summarize_rep_weights(calibrated_rep_design, type = 'overall')
# For reproducibility, specify how to match replicates between surveys ----
  column_matching <- calibrated_rep_design$control_col_matches
  print(column_matching)
  calibrated_rep_design <- calibrate_to_sample(
    primary_rep_design = primary_survey,
    control_rep_design = control_survey,
    cal_formula = ~ stype + enroll,
    control_col_matches = column_matching
  )
Produce a compressed representation of a survey design object
Description
Produce a compressed representation of a survey design object
Usage
compress_design(design, vars_to_keep = NULL)
Arguments
| design | A survey design object | 
| vars_to_keep | (Optional) A character vector of variables in the design to keep in the compressed design. By default, none of the variables are retained. | 
Value
A list with two elements. The design_subset
element is a a design object with only the minimal rows
needed to represent the survey design.
The index element links each row of the original design
to a row of design_subset, so that the design can be "uncompressed."
Compute the eigendecomposition of a matrix
Description
Compute the eigendecomposition of a matrix
Usage
compute_eigen_decomposition(Sigma)
Arguments
| Sigma | A symmetric matrix | 
Details
Computes the eigendecomposition of a symmetric matrix,
either using the base R function eigen() or instead using the 'torch'
package if the user has 'torch' installed and
has set options(svrep.torch_device = "cpu")
or options(svrep.torch_device = "cuda").
Value
A list object with two named components:
-  values: A vector of eigenvalues.
-  vectors: A matrix with eigenvectors corresponding to the eigenvalues.
Helper function to turn a cluster-level matrix into an element-level matrix by duplicating rows or columns of the matrix
Description
Turns a cluster-level matrix into an element-level matrix by suitably duplicating rows or columns of the matrix.
Usage
distribute_matrix_across_clusters(
  cluster_level_matrix,
  cluster_ids,
  rows = TRUE,
  cols = TRUE
)
Arguments
| cluster_level_matrix | A square matrix, whose number of rows/columns matches the number of clusters. | 
| cluster_ids | A vector of cluster identifiers.
If  | 
| rows | Whether to duplicate rows of the  | 
| cols | Whether to duplicate columns of the  | 
Value
The input cluster_level_matrix has its rows/columns
duplicated so that the number of rows (if rows=TRUE) or columns (if cols=TRUE)
equals the length of cluster_ids.
Draw a replicate sample using the method of Antal and Tille (2014)
Description
Draw a replicate sample using the method described in Section 7 of Antal and Tillé (2014).
Usage
draw_antal_tille_resample(sel_probs)
Arguments
| sel_probs | A vector of selection probabilities (i.e., inclusion probabilities) for every unit in the sample. | 
Value
A vector the same length as sel_probs,
with elements equal to 0, 1, 2, or 3.
This vector indicate how many times each unit
is resampled.
References
Antal, E. and Tillé, Y. (2014). "A new resampling method for sampling designs without replacement: The doubled half bootstrap." Computational Statistics, 29(5), 1345-1363. https://doi.org/10.1007/s00180-014-0495-0
Draw a doubled half-sample
Description
Draw a doubled half-sample using the method described in Antal and Tille (2014)
Usage
draw_doubled_half_sample(n)
Arguments
| n | An integer greater than 1. | 
Value
A vector of length n,
with elements equal to 0, 1, 2, or 3.
This vector indicate how many times each unit
is resampled. 
When n is even,
half the values will be 0 and the other half will be 2.
When n is odd, the values can be 0, 1, 2, or 3.
Control Bootstrap Simulation Error
Description
This function estimates the number of bootstrap replicates needed to reduce the simulation error of a bootstrap variance estimator to a target level, where "simulation error" is defined as error caused by using only a finite number of bootstrap replicates and this simulation error is measured as a simulation coefficient of variation ("simulation CV").
Usage
estimate_boot_reps_for_target_cv(svrepstat, target_cv = 0.05)
Arguments
| svrepstat | An estimate obtained from a bootstrap replicate survey design object,
with a function such as  | 
| target_cv | A numeric value (or vector of numeric values) between 0 and 1. This is the target simulation CV for the bootstrap variance estimator. | 
Value
An object of class sim_cv_curve.
The functions summary(), plot(), and print() can be used on this object.
Call summary() to obtain a summary data frame.
The summary data frame has one row for each value of target_cv.
The column TARGET_CV gives the target coefficient of variation.
The column MAX_REPS gives the maximum number of replicates needed
for all of the statistics included in svrepstat. The remaining columns
give the number of replicates needed for each statistic.
Calling plot() produces a plot with 'ggplot2'.
Suggested Usage
- Step 1: Determine the largest acceptable level of simulation error for key survey estimates, where the level of simulation error is measured in terms of the simulation CV. We refer to this as the "target CV." A conventional value for the target CV is 5%.
- Step 2: Estimate key statistics of interest using a large number of bootstrap replicates (such as 5,000)
and save the estimates from each bootstrap replicate. This can be conveniently done using a function
from the survey package such as svymean(..., return.replicates = TRUE) or withReplicates(..., return.replicates = TRUE).
- Step 3: Use the function estimate_boot_reps_for_target_cv() to estimate the minimum number of bootstrap
replicates needed to attain the target CV.
Statistical Details
Unlike other replication methods such as the jackknife or balanced repeated replication, the bootstrap variance estimator's precision can always be improved by using a larger number of replicates, as the use of only a finite number of bootstrap replicates introduces simulation error to the variance estimation process. Simulation error can be measured as a "simulation coefficient of variation" (CV), which is the ratio of the standard error of a bootstrap estimator to the expectation of that bootstrap estimator, where the expectation and standard error are evaluated with respect to the bootstrapping process given the selected sample.
For a statistic \hat{\theta}, the simulation CV of the bootstrap variance estimator
v_{B}(\hat{\theta}) based on B replicate estimates \hat{\theta}^{\star}_1,\dots,\hat{\theta}^{\star}_B is defined as follows:
   CV_{\star}(v_{B}(\hat{\theta})) = \frac{\sqrt{var_{\star}(v_B(\hat{\theta}))}}{E_{\star}(v_B(\hat{\theta}))} = \frac{CV_{\star}(E_2)}{\sqrt{B}}
 
where
   E_2 = (\hat{\theta}^{\star} - \hat{\theta})^2
 
   CV_{\star}(E_2) = \frac{\sqrt{var_{\star}(E_2)}}{E_{\star}(E_2)}
 
and var_{\star} and E_{\star} are evaluated with respect to
the bootstrapping process, given the selected sample.
 
The simulation CV, denoted CV_{\star}(v_{B}(\hat{\theta})), is estimated for a given number of replicates B
by estimating CV_{\star}(E_2) using observed values and dividing this by \sqrt{B}. If the bootstrap errors
are assumed to be normally distributed, then CV_{\star}(E_2)=\sqrt{2} and so CV_{\star}(v_{B}(\hat{\theta})) would not need to be estimated.
Using observed replicate estimates to estimate the simulation CV instead of assuming normality allows simulation CV to be
used for a a wide array of bootstrap methods.
References
See Section 3.3 and Section 8 of Beaumont and Patak (2012) for details and an example where the simulation CV is used to determine the number of bootstrap replicates needed for various alternative bootstrap methods in an empirical illustration.
Beaumont, J.-F. and Z. Patak. (2012), "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling." International Statistical Review, 80: 127-148. doi:10.1111/j.1751-5823.2011.00166.x.
See Also
Use estimate_boot_sim_cv to estimate the simulation CV for the number of bootstrap replicates actually used.
Examples
set.seed(2022)
# Create an example bootstrap survey design object ----
data('api', package = 'survey')
boot_design <- svydesign(id=~1,strata=~stype, weights=~pw,
                         data=apistrat, fpc=~fpc) |>
 svrep::as_bootstrap_design(replicates = 5000)
# Calculate estimates of interest and retain estimates from each replicate ----
estimated_means_and_proportions <- svymean(x = ~ api00 + api99 + stype, design = boot_design,
                                           return.replicates = TRUE)
custom_statistic <- withReplicates(design = boot_design,
                                   return.replicates = TRUE,
                                   theta = function(wts, data) {
                                      numerator   <- sum(data$api00 * wts)
                                      denominator <- sum(data$api99 * wts)
                                      statistic   <- numerator/denominator
                                      return(statistic)
                                   })
# Determine minimum number of bootstrap replicates needed to obtain given simulation CVs ----
  ## For means and proportions
  sim_cv_curve <- estimate_boot_reps_for_target_cv(
    svrepstat = estimated_means_and_proportions,
    target_cv = c(0.01, 0.05, 0.10)
  )
  sim_cv_curve
  if (require('ggplot2')) {
    plot(sim_cv_curve)
  }
  ## For custom statistic
  estimate_boot_reps_for_target_cv(
    svrepstat = custom_statistic,
    target_cv = c(0.01, 0.05, 0.10)
  )
Estimate Bootstrap Simulation Error
Description
Estimates the bootstrap simulation error, expressed as a "simulation coefficient of variation" (CV).
Usage
estimate_boot_sim_cv(svrepstat)
Arguments
| svrepstat | An estimate obtained from a bootstrap replicate survey design object,
with a function such as  | 
Value
An object of class sim_cv_estimate,
with methods print() and summary().
Call summary() to get a data frame with one row for each statistic.
The column STATISTIC gives the name of the statistic.
The column SIMULATION_CV gives the estimated simulation CV of the statistic.
The column N_REPLICATES gives the number of bootstrap replicates.
This object has no plot method. To produce plots, use the 
closely-related function estimate_boot_reps_for_target_cv.
Statistical Details
Unlike other replication methods such as the jackknife or balanced repeated replication, the bootstrap variance estimator's precision can always be improved by using a larger number of replicates, as the use of only a finite number of bootstrap replicates introduces simulation error to the variance estimation process. Simulation error can be measured as a "simulation coefficient of variation" (CV), which is the ratio of the standard error of a bootstrap estimator to the expectation of that bootstrap estimator, where the expectation and standard error are evaluated with respect to the bootstrapping process given the selected sample.
For a statistic \hat{\theta}, the simulation CV of the bootstrap variance estimator
v_{B}(\hat{\theta}) based on B replicate estimates \hat{\theta}^{\star}_1,\dots,\hat{\theta}^{\star}_B is defined as follows:
   CV_{\star}(v_{B}(\hat{\theta})) = \frac{\sqrt{var_{\star}(v_B(\hat{\theta}))}}{E_{\star}(v_B(\hat{\theta}))} = \frac{CV_{\star}(E_2)}{\sqrt{B}}
 
where
   E_2 = (\hat{\theta}^{\star} - \hat{\theta})^2
 
   CV_{\star}(E_2) = \frac{\sqrt{var_{\star}(E_2)}}{E_{\star}(E_2)}
 
and var_{\star} and E_{\star} are evaluated with respect to
the bootstrapping process, given the selected sample.
 
The simulation CV, denoted CV_{\star}(v_{B}(\hat{\theta})), is estimated for a given number of replicates B
by estimating CV_{\star}(E_2) using observed values and dividing this by \sqrt{B}. If the bootstrap errors
are assumed to be normally distributed, then CV_{\star}(E_2)=\sqrt{2} and so CV_{\star}(v_{B}(\hat{\theta})) would not need to be estimated.
Using observed replicate estimates to estimate the simulation CV instead of assuming normality allows simulation CV to be
used for a a wide array of bootstrap methods.
References
See Section 3.3 and Section 8 of Beaumont and Patak (2012) for details and an example where the simulation CV is used to determine the number of bootstrap replicates needed for various alternative bootstrap methods in an empirical illustration.
Beaumont, J.-F. and Z. Patak. (2012), "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling." International Statistical Review, 80: 127-148. doi:10.1111/j.1751-5823.2011.00166.x.
See Also
Use estimate_boot_reps_for_target_cv to help choose the number of bootstrap replicates.
Examples
set.seed(2022)
# Create an example bootstrap survey design object ----
data('api', package = 'survey')
boot_design <- svydesign(id=~1,strata=~stype, weights=~pw,
                         data=apistrat, fpc=~fpc) |>
  as_bootstrap_design(replicates = 5000)
# Calculate estimates of interest and retain estimates from each replicate ----
estimated_means_and_proportions <- svymean(
  x = ~ api00 + api99 + stype, 
  design = boot_design,
  return.replicates = TRUE
)
custom_statistic <- withReplicates(
  design = boot_design,
  return.replicates = TRUE,
  theta = function(wts, data) {
     numerator   <- sum(data$api00 * wts)
     denominator <- sum(data$api99 * wts)
     statistic   <- numerator/denominator
     return(statistic)
  }
)
# Estimate simulation CV of bootstrap estimates ----
  estimate_boot_sim_cv(
    svrepstat = estimated_means_and_proportions
  )
  estimate_boot_sim_cv(
    svrepstat = custom_statistic
  )
Find the smallest Hadamard order available in the 'survey' package
Description
Identifies the order of the smallest Hadamard
matrix available in the 'survey' package, such that
the order is greater than or equal to n.
This is useful for identifying the minimum number of
replicates that can be constructed for replication methods
such as BRR or Fay's generalized replication method.
Usage
find_minimum_hadamard_order(n)
Arguments
| n | A single positive integer. | 
Details
To get the Hadamard matrix of this size with the 'survey' package,
use survey::hadamard(k - 1), where k is the
output of find_minimum_hadamard_order().
Value
A single positive integer.
Quadratic Form Matrix of Variance Estimator for a Survey Design
Description
Determines the quadratic form matrix of a specified variance estimator, by parsing the information stored in a survey design object created using the 'survey' package.
Usage
get_design_quad_form(
  design,
  variance_estimator,
  ensure_psd = FALSE,
  aux_var_names = NULL
)
Arguments
| design | A survey design object created using the 'survey' (or 'srvyr') package,
with class  | 
| variance_estimator | The name of the variance estimator
whose quadratic form matrix should be created.  
 | 
| ensure_psd | If  | 
| aux_var_names | Only required if  | 
Value
A matrix representing the quadratic form of a specified variance estimator, based on extracting information about clustering, stratification, and selection probabilities from the survey design object.
Variance Estimators
See variance-estimators for a description of each variance estimator.
Two-Phase Designs
For a two-phase design, variance_estimator should be a list of variance estimators' names,
with two elements, such as list('Ultimate Cluster', 'Poisson Horvitz-Thompson').
In two-phase designs, only the following estimators may be used for the second phase:
- "Ultimate Cluster" 
- "Stratified Multistage SRS" 
- "Poisson Horvitz-Thompson" 
For statistical details on the handling of two-phase designs, see the documentation for make_twophase_quad_form.
References
- Ash, S. (2014). "Using successive difference replication for estimating variances."
Survey Methodology, Statistics Canada, 40(1), 47-59.
 
- Beaumont, Jean-François, and Zdenek Patak. (2012). "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling: Generalized Bootstrap for Sample Surveys."
International Statistical Review 80 (1): 127-48.
 
- Bellhouse, D.R. (1985). "Computing Methods for Variance Estimation in Complex Surveys."
Journal of Official Statistics, Vol.1, No.3.
 
- Breidt, F. J., Opsomer, J. D., & Sanchez-Borrego, I. (2016). 
"Nonparametric Variance Estimation Under Fine Stratification: An Alternative to Collapsed Strata." 
Journal of the American Statistical Association, 111(514), 822-833. https://doi.org/10.1080/01621459.2015.1058264
 
- Deville, J.C., and Tillé, Y. (2005). "Variance approximation under balanced sampling."
Journal of Statistical Planning and Inference, 128, 569-591.
 
- Särndal, C.E., Swensson, B., & Wretman, J. (1992). "Model Assisted Survey Sampling." Springer New York.
Examples
# Example 1: Quadratic form for successive-difference variance estimator ----
   data('library_stsys_sample', package = 'svrep')
   ## First, ensure data are sorted in same order as was used in sampling
   library_stsys_sample <- library_stsys_sample |>
     sort_by(~ SAMPLING_SORT_ORDER)
   ## Create a survey design object
   design_obj <- svydesign(
     data = library_stsys_sample,
     strata = ~ SAMPLING_STRATUM,
     ids = ~ 1,
     fpc = ~ STRATUM_POP_SIZE
   )
   ## Obtain quadratic form
   quad_form_matrix <- get_design_quad_form(
     design = design_obj,
     variance_estimator = "SD2"
   )
   ## Estimate variance of estimated population total
   y <- design_obj$variables$LIBRARIA
   wts <- weights(design_obj, type = 'sampling')
   y_wtd <- as.matrix(y) * wts
   y_wtd[is.na(y_wtd)] <- 0
   pop_total <- sum(y_wtd)
   var_est <- t(y_wtd) %*% quad_form_matrix %*% y_wtd
   std_error <- sqrt(var_est)
   print(pop_total); print(std_error)
   # Compare to estimate from assuming SRS
   svytotal(x = ~ LIBRARIA, na.rm = TRUE,
            design = design_obj)
# Example 2: Two-phase design (second phase is nonresponse) ----
  ## Estimate response propensities, separately by stratum
  library_stsys_sample[['RESPONSE_PROB']] <- svyglm(
    design = design_obj,
    formula = I(RESPONSE_STATUS == "Survey Respondent") ~ SAMPLING_STRATUM,
    family = quasibinomial(link = 'logit')
  ) |> predict(type = 'response')
  ## Create a survey design object,
  ## where nonresponse is treated as a second phase of sampling
  twophase_design <- twophase(
    data = library_stsys_sample,
    strata = list(~ SAMPLING_STRATUM, NULL),
    id = list(~ 1, ~ 1),
    fpc = list(~ STRATUM_POP_SIZE, NULL),
    probs = list(NULL, ~ RESPONSE_PROB),
    subset = ~ I(RESPONSE_STATUS == "Survey Respondent")
  )
  ## Obtain quadratic form for the two-phase variance estimator,
  ## where first phase variance contribution estimated
  ## using the successive differences estimator
  ## and second phase variance contribution estimated
  ## using the Horvitz-Thompson estimator
  ## (with joint probabilities based on assumption of Poisson sampling)
  get_design_quad_form(
    design = twophase_design,
    variance_estimator = list(
      "SD2",
      "Poisson Horvitz-Thompson"
    )
  )
Positive Semidefinite Matrix Approximation
Description
Approximates a symmetric, real matrix by the nearest positive semidefinite matrix in the Frobenius norm, using the method of Higham (1988). For a real, symmetric matrix, this is equivalent to "zeroing out" negative eigenvalues. See the "Details" section for more information.
Usage
get_nearest_psd_matrix(X)
Arguments
| X | A symmetric, real matrix with no missing values. | 
Details
Let A denote a symmetric, real matrix which is not positive semidefinite.
Then we can form the spectral decomposition A=\Gamma \Lambda \Gamma^{\prime},
where \Lambda is the diagonal matrix
whose entries are eigenvalues of A.
The method of Higham (1988) is to  approximate
A with \tilde{A} = \Gamma \Lambda_{+} \Gamma^{\prime},
where the ii-th entry of \Lambda_{+} is \max(\Lambda_{ii}, 0).
Value
The nearest positive semidefinite matrix
of the same dimension as X.
References
- Higham, N. J. (1988). "Computing a nearest symmetric positive semidefinite matrix." Linear Algebra and Its Applications, 103, 103-118.
Examples
X <- matrix(
  c(2, 5, 5,
    5, 2, 5,
    5, 5, 2),
  nrow = 3, byrow = TRUE
)
get_nearest_psd_matrix(X)
Access Replication Scale Coefficients
Description
Get the scale coefficients used for variance estimation in a replicate design object.
Usage
get_rep_scale_coefs(rep_design, type = "combined")
Arguments
| rep_design | A replicate design object | 
| type | Either  | 
Details
For a statistic \hat{\theta},
replication methods estimate the sampling variance
using R replicate estimates, with the estimate
for the r-th replicate denoted \hat{\theta}_r.
The formula for the variance estimate is the following:
  v(\hat{\theta}) = C \sum_{r=1}^{R} c_r (\hat{\theta_r} - \hat{\theta})^2
The terms C and c_r, r=1,\dots,R are scale coefficients.
C is the overall coefficient,
and c_r, r=1,\dots,R are replicate-specific coefficients.
Specifying get_rep_scale_coefs(type='overall') returns
the overall coefficient C. Specifying type='specific'
returns the replicate-specific coefficients c_r, r=1,\dots,R.
Specifying type='combined' returns a vector with 
R elements,
where the r-th element is C \times c_r.
Value
If type = 'overall', the result is a single number.
Otherwise, the result is a vector with length matching
the number of replicates.
Examples
data('api', package = 'survey')
api_design <- svydesign(
  data    = apistrat, 
  id      = ~ 1, 
  strata  = ~ stype,
  weights = ~ pw,
  nest    = TRUE
)
jk_design <- api_design |>
  as_random_group_jackknife_design(
    replicates = 12
  )
jk_design |>
  get_rep_scale_coefs('overall')
jk_design |>
  get_rep_scale_coefs('specific')
jk_design |>
  get_rep_scale_coefs('combined')
Access Type of Replication Method
Description
Identify the type of replication method used for the replicates in a replicate design object.
Usage
get_rep_type(rep_design)
Arguments
| rep_design | A replicate design object | 
Value
A character string giving the type of replication method.
Examples
data('scd', package = 'survey')
scd_design <- svydesign(
  data   = scd, 
  id     = ~ ambulance, 
  prob   = ~ 1,
  strata = ~ ESA,
  nest   = TRUE
)
scd_design |>
  as_bootstrap_design(replicates = 5) |>
  get_rep_type()
scd_design |>
  as_fays_gen_rep_design(
    variance_estimator = "Ultimate Cluster"
  ) |>
  get_rep_type()
Get variables from a database
Description
A database helper function copied from the 'survey' package
Usage
getvars(
  formula,
  dbconnection,
  tables,
  db.only = TRUE,
  updates = NULL,
  subset = NULL
)
Arguments
| formula | Either a formula or a character vector giving names of variables | 
| dbconnection | A database connection | 
| tables | Name(s) of table(s) to pull from | 
| db.only | Unclear parameter inherited from the 'survey' package | 
| updates | Updates to potentially make | 
| subset | Optional indices of data to subset when returning result | 
Value
A data frame
Compute the matrix of joint inclusion probabilities from the quadratic form of a Horvitz-Thompson variance estimator.
Description
Compute the matrix of joint inclusion probabilities from the quadratic form of a Horvitz-Thompson variance estimator.
Usage
ht_matrix_to_joint_probs(ht_quad_form)
Arguments
| ht_quad_form | The matrix of the quadratic form representing the Horvitz-Thompson variance estimator. | 
Details
The quadratic form matrix of the Horvitz-Thompson variance estimator
has ij-th entry equal to (1-\frac{\pi_i \pi_j}{\pi_{ij}}).
The matrix of joint probabilities has ij-th entry equal to \pi_{ij}.
Value
The matrix of joint inclusion probabilities
Check if Matrix is Positive Semidefinite
Description
Check whether a matrix is positive semidefinite, based on checking for symmetric and negative eigenvalues.
Usage
is_psd_matrix(X, tolerance = sqrt(.Machine$double.eps))
Arguments
| X | A matrix with no missing or infinite values. | 
| tolerance | Tolerance for controlling whether
a tiny computed eigenvalue will actually be considered negative.
Computed negative eigenvalues will be considered
negative if they are less than which are less than
 | 
Value
A logical value. TRUE if the matrix is deemed positive semidefinite.
Negative otherwise (including if X is not symmetric).
See Also
The function get_nearest_psd_matrix()
can be used to approximate a symmetric matrix which is not positive semidefinite,
by a similar positive semidefinite matrix.
Examples
X <- matrix(
  c(2, 5, 5,
    5, 2, 5,
    5, 5, 2),
  nrow = 3, byrow = TRUE
)
is_psd_matrix(X)
eigen(X)$values
U.S. Public Libraries Survey
Description
Data taken from a complete census of public libraries in the United States in FY2020 (April 2020 to March 2021).
The Public Libraries Survey (PLS) is an annual census of public libraries in the U.S.,
including all public libraries identified by state library administrative
agencies in the 50 states, the District of Columbia, and the outlying territories
of American Samoa, Guam, the Northern Mariana Islands, and the U.S. Virgin Islands
(Puerto Rico did not participate in FY2020). 
 
The primary dataset, library_census, represents the full microdata from the census.
The datasets library_multistage_sample and library_stsys_sample
are samples drawn from library_census using different sampling methods.
Usage
data(library_census)
data(library_multistage_sample)
data(library_stsys_sample)
Format
Library Census (library_census):  
 
The dataset includes 9,245 records (one per library) and 23 variables.
Each column has a variable label, accessible using the function var_label() from the 'labelled' package
or simply by calling attr(x, 'label') to a given column.
These data include a subset of the variables included in the public-use data published by PLS,
specifically from the Public Library System Data File. Particularly relevant variables include:
 
Identifier variables and survey response status:
- FSCSKEY: A unique identifier for libraries. 
- LIBNAME: The name of the library. 
- RESPONSE_STATUS: Response status for the Public Library Survey: indicates whether the library was a respondent, nonrespondent, or was closed. 
Numeric summaries:
- TOTCIR: Total circulation 
- VISITS: Total visitors 
- REGBOR: Total number of registered users 
- TOTSTAFF: Total staff (measured in full-time equivalent staff) 
- LIBRARIA: Total librarians (measured in full-time equivalent staff) 
- TOTOPEXP: Total operating expenses 
- TOTINCM: Total income 
- BRANLIB: Number of library branches 
- CENTLIB: Number of central library locations 
Location:
- LONGITUD: Geocoded longitude (in WGS84 CRS) 
- LATITUD: Geocoded latitude (in WGS84 CRS) 
- STABR: Two-letter state abbreviation 
- CBSA: Five-digit identifier for a core-based statistical area (CBSA) 
- MICROF: Flag for a metropolitan or micropolitan statistical area 
Library Multistage Sample (library_multistage_sample):  
 
These data represent a two-stage sample (PSUs and SSUs),
where the first stage sample is selected using unequal probability sampling
without replacement (PPSWOR) and the second stage sample is selected
using simple random sampling without replacement (SRSWOR). 
 
Includes the same variables as library_census,
but with additional design variables.
- PSU_ID: A unique identifier for primary sampling units 
- SSU_ID: A unique identifier for secondary sampling units 
- SAMPLING_PROB: Overall inclusion probability 
- PSU_SAMPLING_PROB: Inclusion probability for the PSU 
- SSU_SAMPLING_PROB: Inclusion probability for the SSU 
- PSU_POP_SIZE: The number of PSUs in the population 
- SSU_POP_SIZE: The number of population SSUs within the PSU 
Library Stratified Systematic Sample (library_stsys_sample):  
 
These data represent a stratified systematic sample. 
 
Includes the same variables as library_census,
but with additional design variables.
- SAMPLING_STRATUM: Unique identifier for sampling strata 
- STRATUM_POP_SIZE: The population size in the stratum 
- SAMPLING_SORT_ORDER: The sort order used before selecting a random systematic sample 
- SAMPLING_PROB: Overall inclusion probability 
References
Pelczar, M., Soffronoff, J., Nielsen, E., Li, J., & Mabile, S. (2022). Data File Documentation: Public Libraries in the United States Fiscal Year 2020. Institute of Museum and Library Services: Washington, D.C.
Auxiliary Data for Louisville Vaccination Survey
Description
Auxiliary data that can be used to produce control totals
for the Louisville Vaccination Survey.
Consists of person-level microdata from the American Community Survey (ACS) 2015-2019
public-use microdata sample (PUMS) data for Louisville, KY. This microdata sample
represents all adults (persons aged 18 or over) in Louisville, KY. 
These data include replicate weights to use for variance estimation.
Usage
data(lou_pums_microdata)
Format
A data frame with 80 rows and 85 variables
- UNIQUE_ID: Unique identifier for records 
- AGE: Age in years (copied from the AGEP variable in the ACS microdata) 
- RACE_ETHNICITY: Race and Hispanic/Latino ethnicity derived from RAC1P and HISP variables of ACS microdata and collapsed to a smaller number of categories. 
- SEX: Male or Female 
- EDUC_ATTAINMENT: Highest level of education attained ('Less than high school' or 'High school or beyond') derived from SCHL variable in ACS microdata and collapsed to a smaller number of categories. 
- PWGTP: Weights for the full-sample 
- PWGTP1-PWGTP80: 80 columns of replicate weights created using the Successive Differences Replication (SDR) method. 
Examples
data(lou_pums_microdata)
# Prepare the data for analysis with the survey package
  lou_pums_rep_design <- svrepdesign(
    data       = lou_pums_microdata,
    variables  = ~ UNIQUE_ID + AGE + SEX + RACE_ETHNICITY + EDUC_ATTAINMENT,
    weights    = ~ PWGTP, 
    repweights = "PWGTP\\d{1,2}",
    type       = "successive-difference",
    mse        = TRUE
  )
# Estimate population proportions
  svymean(~ SEX, design = lou_pums_rep_design)
Data of Louisville Vaccination Survey
Description
A survey measuring Covid-19 vaccination status and a handful of demographic variables,
based on a simple random sample of 1,000 residents of Louisville, Kentucky
with an approximately 50% response rate. 
These data were created using simulation.
Usage
data(lou_vax_survey)
Format
A data frame with 1,000 rows and 6 variables
- RESPONSE_STATUS
- Response status to the survey ('Respondent' or 'Nonrespondent') 
- RACE_ETHNICITY
- Race and Hispanic/Latino ethnicity derived from RAC1P and HISP variables of ACS microdata and collapsed to a smaller number of categories. 
- SEX
- Male or Female 
- EDUC_ATTAINMENT
- Highest level of education attained ('Less than high school' or 'High school or beyond') derived from SCHL variable in ACS microdata and collapsed to a smaller number of categories. 
- VAX_STATUS
- Covid-19 vaccination status ('Vaccinated' or 'Unvaccinated') 
- SAMPLING_WEIGHT
- Sampling weight: equal for all cases since data come from a simple random sample 
Control Totals for Louisville Vaccination Survey
Description
Control totals to use for raking or post-stratification
for the Louisville Vaccination Survey data. Control totals are population size estimates
from the ACS 2015-2019 5-year Public Use Microdata Sample (PUMS)
for specific demographic categories among adults in Jefferson County, KY. 
These data were created using simulation.
Usage
data(lou_vax_survey_control_totals)
Format
A nested list object with two lists, poststratification and raking,
each of which contains two elements: estimates and variance-covariance.
- poststratification
- Control totals for the combination of - RACE_ETHNICITY,- SEX, and- EDUC_ATTAINMENT.- estimates: A numeric vector of estimated population totals. 
- variance-covariance: A variance-covariance matrix for the estimated population totals. 
 
- raking
- Separate control totals for each of - RACE_ETHNICITY,- SEX, and- EDUC_ATTAINMENT.- estimates: A numeric vector of estimated population totals. 
- variance-covariance: A variance-covariance matrix for the estimated population totals. 
 
Create a quadratic form's matrix for a Deville-Tillé variance estimator for balanced samples
Description
Creates the quadratic form matrix for a variance estimator for balanced samples, proposed by Deville and Tillé (2005).
Usage
make_deville_tille_matrix(probs, aux_vars)
Arguments
| probs | A vector of first-order inclusion probabilities | 
| aux_vars | A matrix of auxiliary variables,
with the number of rows matching the number of elements of  | 
Details
See Section 6.8 of Tillé (2020) for more detail on this estimator, including an explanation of its quadratic form. See Deville and Tillé (2005) for the results of a simulation study comparing this and other alternative estimators for balanced sampling.
The estimator can be written as follows:
  v(\hat{Y})=\sum_{k \in S} \frac{c_k}{\pi_k^2}\left(y_k-\hat{y}_k^*\right)^2,
where
  \hat{y}_k^*=\mathbf{z}_k^{\top}\left(\sum_{\ell \in S} c_{\ell} \frac{\mathbf{z}_{\ell} \mathbf{z}_{\ell}^{\prime}}{\pi_{\ell}^2}\right)^{-1} \sum_{\ell \in S} c_{\ell} \frac{\mathbf{z}_{\ell} y_{\ell}}{\pi_{\ell}^2}
and \mathbf{z}_k denotes the vector of auxiliary variables for observation k
included in sample S, with inclusion probability \pi_k. The value c_k is set to \frac{n}{n-q}(1-\pi_k),
where n is the number of observations and q is the number of auxiliary variables.
See Li, Chen, and Krenzke (2014) for an example of this estimator's use as the basis for a generalized replication estimator. See Breidt and Chauvet (2011) for a discussion of alternative simulation-based estimators for the specific application of variance estimation for balanced samples selected using the cube method.
Value
A symmetric matrix whose dimension matches the length of probs.
References
- Breidt, F.J. and Chauvet, G. (2011). "Improved variance estimation for balanced samples drawn via the cube method." Journal of Statistical Planning and Inference, 141, 411-425.
- Deville, J.C., and Tillé, Y. (2005). "Variance approximation under balanced sampling." Journal of Statistical Planning and Inference, 128, 569-591.
- Li, J., Chen, S., and Krenzke, T. (2014). "Replication Variance Estimation for Balanced Sampling: An Application to the PIAAC Study." Proceedings of the Survey Research Methods Section, 2014: 985-994. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_094.pdf.
- Tillé, Y. (2020). "Sampling and estimation from finite populations." (I. Hekimi, Trans.). Wiley.
Weights for "Doubled Half Bootstrap" of Antal and Tillé (2014)
Description
Creates bootstrap replicate weights using the method of Antal and Tillé (2014). This method is applicable to single-stage sample designs, potentially with stratification and clustering. It can be used for designs that use simple random sampling without replacement or unequal probability sampling without replacement. One advantage of this method is that it yields integer replicate factors of 0, 1, 2, or 3.
Usage
make_doubled_half_bootstrap_weights(
  num_replicates = 100,
  samp_unit_ids,
  strata_ids,
  samp_unit_sel_probs,
  output = "weights"
)
Arguments
| num_replicates | Positive integer giving the number of bootstrap replicates to create. | 
| samp_unit_ids | Vector of sampling unit IDs. | 
| strata_ids | Vector of strata IDs for each sampling unit at each stage of sampling. | 
| samp_unit_sel_probs | Vector of selection probabilities for each sampling unit. | 
| output | Either  | 
Details
For stratified sampling, the replicate factors are generated independently in each stratum. For cluster sampling at a given stage, the replicate factors are generated at the cluster level and then the cluster's replicate factors are applied to all units in the cluster.
In the case of unequal probability sampling, this bootstrap method is only recommended for high entropy sampling methods (i.e., most methods other than systematic sampling).
See Section 7 of Antal and Tillé (2014) 
for a clear description of how the replicates are formed.
The paper presents two options for the resampling probabilities
used in replication: the R function uses the option
referred to in the paper as "the \pi-bootstrap."
Value
A matrix of with the same number of rows as samp_unit_ids
and the number of columns equal to the value of the argument num_replicates.
Specifying output = "factors" returns a matrix of replicate adjustment factors which can later be multiplied by
the full-sample weights to produce a matrix of replicate weights.
Specifying output = "weights" returns the matrix of replicate weights,
where the full-sample weights are inferred using samp_unit_sel_probs.
References
Antal, E. and Tillé, Y. (2014). "A new resampling method for sampling designs without replacement: The doubled half bootstrap." Computational Statistics, 29(5), 1345-1363. https://doi.org/10.1007/s00180-014-0495-0
See Also
If the survey design can be accurately represented using svydesign,
then it is easier to simply use as_bootstrap_design with argument type = "Antal-Tille".
Use estimate_boot_reps_for_target_cv to help choose the number of bootstrap replicates.
Examples
 
 # Example 1: A cluster sample
 
   data('library_multistage_sample', package = 'svrep')
  
   replicate_factors <- make_doubled_half_bootstrap_weights(
     num_replicates      = 5,
     samp_unit_ids       = library_multistage_sample$PSU_ID,
     strata_ids          = rep(1, times = nrow(library_multistage_sample)),
     samp_unit_sel_probs = library_multistage_sample$PSU_SAMPLING_PROB,
     output              = "factors"
   )
 # Example 2: A single-stage sample selected with unequal probabilities, without replacement
   ## Load an example dataset of U.S. counties states with 2004 Presidential vote counts
   data("election", package = 'survey')
   pps_wor_design <- svydesign(data = election_pps,
                               pps = "overton",
                               fpc = ~ p, # Inclusion probabilities
                               ids = ~ 1)
   ## Create bootstrap replicate weights
   set.seed(2022)
   bootstrap_replicate_weights <- make_doubled_half_bootstrap_weights(
     num_replicates      = 5000,
     samp_unit_ids       = pps_wor_design$cluster[,1],
     strata_ids          = pps_wor_design$strata[,1],
     samp_unit_sel_probs = pps_wor_design$prob
   )
   ## Create a replicate design object with the survey package
   bootstrap_rep_design <- svrepdesign(
     data       = pps_wor_design$variables,
     repweights = bootstrap_replicate_weights,
     weights    = weights(pps_wor_design, type = "sampling"),
     type       = "bootstrap"
   )
   ## Compare std. error estimates from bootstrap versus linearization
   data.frame(
     'Statistic' = c('total', 'mean'),
     'SE (bootstrap)' = c(SE(svytotal(x = ~ Bush, design = bootstrap_rep_design)),
                          SE(svymean(x = ~ I(Bush/votes),
                                     design = bootstrap_rep_design))),
     'SE (Overton\'s PPS approximation)' = c(SE(svytotal(x = ~ Bush,
                                                         design = pps_wor_design)),
                                             SE(svymean(x = ~ I(Bush/votes),
                                                        design = pps_wor_design))),
     check.names = FALSE
   )
Factors for Fay's Generalized Replication Method
Description
Generate a matrix of replication factors using Fay's generalized replication method. This method yields a fully efficient variance estimator if a sufficient number of replicates is used.
Usage
make_fays_gen_rep_factors(Sigma, max_replicates = Inf, balanced = TRUE)
Arguments
| Sigma | A quadratic form matrix corresponding to a target variance estimator. Must be positive semidefinite. | 
| max_replicates | The maximum number of replicates to allow.
The function will attempt to create the minimum number of replicates
needed to produce a fully-efficient variance estimator.
If more replicates are needed than  | 
| balanced | If  | 
Value
A matrix of replicate factors,
with the number of rows matching the number of rows of Sigma
and the number of columns less than or equal to max_replicates.
To calculate variance estimates using these factors,
use the overall scale factor given by calling
attr(x, "scale") on the result.
Statistical Details
See Fay (1989) for a full explanation of Fay's generalized replication method. This documentation provides a brief overview.
Let \boldsymbol{\Sigma} be the quadratic form matrix for a target variance estimator,
which is assumed to be positive semidefinite.
Suppose the rank of \boldsymbol{\Sigma} is k,
and so \boldsymbol{\Sigma} can be represented by the spectral decomposition
of k eigenvectors and eigenvalues, where the r-th eigenvector and eigenvalue
are denoted \mathbf{v}_{(r)} and \lambda_r, respectively.
\boldsymbol{\Sigma} = \sum_{r=1}^k \lambda_r \mathbf{v}_{(r)} \mathbf{v^{\prime}}_{(r)}
If balanced = FALSE, then we let \mathbf{H} denote an identity matrix
with k' = k rows/columns. If balanced = TRUE, then we let \mathbf{H} be a Hadamard matrix (with all entries equal to 1 or -1),
of order k^{\prime} \geq k. Let \mathbf{H}_{mr} denote the entry in row
m and column r of \mathbf{H}.
Then k^{\prime} replicates are formed as follows.
Let r denote a given replicate, with r = 1, ..., k^{\prime},
and let c denote some positive constant (yet to be specified).
The r-th replicate adjustment factor \mathbf{f}_{r} is formed as:
  \mathbf{f}_{r} = 1 + c \sum_{m=1}^k H_{m r} \lambda_{(m)}^{\frac{1}{2}} \mathbf{v}_{(m)}
If balanced = FALSE, then c = 1. If balanced = TRUE,
then c = \frac{1}{\sqrt{k^{\prime}}}.
If any of the replicates
are negative, you can use rescale_replicates,
which recalculates the replicate factors with a smaller value of c.
If all k^{\prime} replicates are used, then variance estimates are calculated as:
  v_{rep}\left(\hat{T}_y\right) = \sum_{r=1}^{k^{\prime}}\left(\hat{T}_y^{*(r)}-\hat{T}_y\right)^2
For population totals, this replication variance estimator
will exactly match the target variance estimator
if the number of replicates k^{\prime} matches the rank of \Sigma.
The Number of Replicates
If balanced=TRUE, the number of replicates created
may need to increase slightly.
This is due to the fact that a Hadamard matrix
of order k^{\prime} \geq k is used to balance the replicates,
and it may be necessary to use order k^{\prime} > k.
If the number of replicates k^{\prime} is too large for practical purposes,
then one can simply retain only a random subset of R of the k^{\prime} replicates.
In this case, variances are calculated as follows:
  v_{rep}\left(\hat{T}_y\right) = \frac{k^{\prime}}{R} \sum_{r=1}^{R}\left(\hat{T}_y^{*(r)}-\hat{T}_y\right)^2
This is what happens if max_replicates is less than the
matrix rank of Sigma: only a random subset
of the created replicates will be retained.
Subsampling replicates is only recommended when
using balanced=TRUE, since in this case every replicate
contributes equally to variance estimates. If balanced=FALSE,
then randomly subsampling replicates is valid but may
produce large variation in variance estimates since replicates
in that case may vary greatly in their contribution to variance
estimates.
Reproducibility
If balanced=TRUE, a Hadamard matrix
is used as described above. The Hadamard matrix is
deterministically created using the function
hadamard() from the 'survey' package.
However, the order of rows/columns is randomly permuted
before forming replicates.
In general, column-ordering of the replicate weights is random.
To ensure exact reproducibility, it is recommended to call
set.seed() before using this function.
References
Fay, Robert. 1989. "Theory And Application Of Replicate Weighting For Variance Calculations." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1989_033.pdf
See Also
Use rescale_replicates to eliminate negative adjustment factors.
Examples
# Load an example dataset that uses unequal probability sampling ----
  data('election', package = 'survey')
# Create matrix to represent the Horvitz-Thompson estimator as a quadratic form ----
  n <- nrow(election_pps)
  pi <- election_jointprob
  horvitz_thompson_matrix <- matrix(nrow = n, ncol = n)
  for (i in seq_len(n)) {
    for (j in seq_len(n)) {
      horvitz_thompson_matrix[i,j] <- 1 - (pi[i,i] * pi[j,j])/pi[i,j]
    }
  }
  ## Equivalently:
  horvitz_thompson_matrix <- make_quad_form_matrix(
    variance_estimator = "Horvitz-Thompson",
    joint_probs = election_jointprob
  )
# Make generalized replication adjustment factors ----
  adjustment_factors <- make_fays_gen_rep_factors(
    Sigma = horvitz_thompson_matrix,
    max_replicates = 50
  )
  attr(adjustment_factors, 'scale')
# Compute the Horvitz-Thompson estimate and the replication estimate
ht_estimate <- svydesign(data = election_pps, ids = ~ 1,
                         prob = diag(election_jointprob),
                         pps = ppsmat(election_jointprob)) |>
  svytotal(x = ~ Kerry)
rep_estimate <- svrepdesign(
  data = election_pps,
  weights = ~ wt,
  repweights = adjustment_factors,
  combined.weights = FALSE,
  scale = attr(adjustment_factors, 'scale'),
  rscales = rep(1, times = ncol(adjustment_factors)),
  type = "other",
  mse = TRUE
) |>
  svytotal(x = ~ Kerry)
SE(rep_estimate)
SE(ht_estimate)
SE(rep_estimate) / SE(ht_estimate)
Factors for the Generalized Survey Bootstrap
Description
Creates replicate factors for the generalized survey bootstrap method. The generalized survey bootstrap is a method for forming bootstrap replicate weights from a textbook variance estimator, provided that the variance estimator can be represented as a quadratic form whose matrix is positive semidefinite (this covers a large class of variance estimators).
Usage
make_gen_boot_factors(Sigma, num_replicates, tau = 1, exact_vcov = FALSE)
Arguments
| Sigma | The matrix of the quadratic form used to represent the variance estimator. Must be positive semidefinite. | 
| num_replicates | The number of bootstrap replicates to create. | 
| tau | Either  | 
| exact_vcov | If  | 
Value
A matrix with the same number of rows as Sigma, and the number of columns
equal to num_replicates. The object has an attribute named tau which can be retrieved
by calling attr(which = 'tau') on the object. The value tau is a rescaling factor
which was used to avoid negative weights.
In addition, the object has attributes named scale and rscales which can be
passed directly to svrepdesign. Note that the value of scale is \tau^2/B,
while the value of rscales is vector of length B, with every entry equal to 1.
Statistical Details
Let v( \hat{T_y}) be the textbook variance estimator for an estimated population total \hat{T}_y of some variable y.
The base weight for case i in our sample is w_i, and we let \breve{y}_i denote the weighted value w_iy_i.
Suppose we can represent our textbook variance estimator as a quadratic form: v(\hat{T}_y) = \breve{y}\Sigma\breve{y}^T,
for some n \times n matrix \Sigma.
The only constraint on \Sigma is that, for our sample, it must be symmetric and positive semidefinite.
The bootstrapping process creates B sets of replicate weights, where the b-th set of replicate weights is a vector of length n denoted \mathbf{a}^{(b)}, whose k-th value is denoted a_k^{(b)}.
This yields B replicate estimates of the population total, \hat{T}_y^{*(b)}=\sum_{k \in s} a_k^{(b)} \breve{y}_k, for b=1, \ldots B, which can be used to estimate sampling variance.
  v_B\left(\hat{T}_y\right)=\frac{\sum_{b=1}^B\left(\hat{T}_y^{*(b)}-\hat{T}_y\right)^2}{B}
This bootstrap variance estimator can be written as a quadratic form:
    v_B\left(\hat{T}_y\right) =\mathbf{\breve{y}}^{\prime}\Sigma_B \mathbf{\breve{y}}
  
where
    \boldsymbol{\Sigma}_B = \frac{\sum_{b=1}^B\left(\mathbf{a}^{(b)}-\mathbf{1}_n\right)\left(\mathbf{a}^{(b)}-\mathbf{1}_n\right)^{\prime}}{B}
  
Note that if the vector of adjustment factors \mathbf{a}^{(b)} has expectation \mathbf{1}_n and variance-covariance matrix \boldsymbol{\Sigma},
then we have the bootstrap expectation E_{*}\left( \boldsymbol{\Sigma}_B \right) = \boldsymbol{\Sigma}. Since the bootstrap process takes the sample values \breve{y} as fixed, the bootstrap expectation of the variance estimator is E_{*} \left( \mathbf{\breve{y}}^{\prime}\Sigma_B \mathbf{\breve{y}}\right)= \mathbf{\breve{y}}^{\prime}\Sigma \mathbf{\breve{y}}.
Thus, we can produce a bootstrap variance estimator with the same expectation as the textbook variance estimator simply by randomly generating \mathbf{a}^{(b)} from a distribution with the following two conditions:
 
Condition 1: \quad \mathbf{E}_*(\mathbf{a})=\mathbf{1}_n
Condition 2: \quad \mathbf{E}_*\left(\mathbf{a}-\mathbf{1}_n\right)\left(\mathbf{a}-\mathbf{1}_n\right)^{\prime}=\mathbf{\Sigma}
 
While there are multiple ways to generate adjustment factors satisfying these conditions,
the simplest general method is to simulate from a multivariate normal distribution: \mathbf{a} \sim MVN(\mathbf{1}_n, \boldsymbol{\Sigma}).
This is the method used by this function.
Details on Rescaling to Avoid Negative Adjustment Factors
Let \mathbf{A} = \left[ \mathbf{a}^{(1)} \cdots \mathbf{a}^{(b)} \cdots \mathbf{a}^{(B)} \right] denote the (n \times B) matrix of bootstrap adjustment factors.
To eliminate negative adjustment factors, Beaumont and Patak (2012) propose forming a rescaled matrix of nonnegative replicate factors \mathbf{A}^S by rescaling each adjustment factor a_k^{(b)} as follows:
   a_k^{S,(b)} = \frac{a_k^{(b)} + \tau - 1}{\tau}
 
where \tau \geq 1 - a_k^{(b)} \geq 1 for all k in \left\{ 1,\ldots,n \right\} and all b in \left\{1, \ldots, B\right\}.
The value of \tau can be set based on the realized adjustment factor matrix \mathbf{A} or by choosing \tau prior to generating the adjustment factor matrix \mathbf{A} so that \tau is likely to be large enough to prevent negative bootstrap weights.
If the adjustment factors are rescaled in this manner, it is important to adjust the scale factor used in estimating the variance with the bootstrap replicates, which becomes \frac{\tau^2}{B} instead of \frac{1}{B}.
 \textbf{Prior to rescaling: } v_B\left(\hat{T}_y\right) = \frac{1}{B}\sum_{b=1}^B\left(\hat{T}_y^{*(b)}-\hat{T}_y\right)^2
 
 \textbf{After rescaling: } v_B\left(\hat{T}_y\right) = \frac{\tau^2}{B}\sum_{b=1}^B\left(\hat{T}_y^{S*(b)}-\hat{T}_y\right)^2
When sharing a dataset that uses rescaled weights from a generalized survey bootstrap, the documentation for the dataset should instruct the user to use replication scale factor \frac{\tau^2}{B} rather than \frac{1}{B} when estimating sampling variances.
References
The generalized survey bootstrap was first proposed by Bertail and Combris (1997).
See Beaumont and Patak (2012) for a clear overview of the generalized survey bootstrap.
The generalized survey bootstrap represents one strategy for forming replication variance estimators
in the general framework proposed by Fay (1984) and Dippo, Fay, and Morganstein (1984).
 
- Beaumont, Jean-François, and Zdenek Patak. 2012. "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling: Generalized Bootstrap for Sample Surveys." International Statistical Review 80 (1): 127-48. https://doi.org/10.1111/j.1751-5823.2011.00166.x.
 
- Bertail, and Combris. 1997. "Bootstrap Généralisé d'un Sondage." Annales d'Économie Et de Statistique, no. 46: 49. https://doi.org/10.2307/20076068.
 
- Dippo, Cathryn, Robert Fay, and David Morganstein. 1984. "Computing Variances from Complex Samples with Replicate Weights." In, 489-94. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_094.pdf.
 
- Fay, Robert. 1984. "Some Properties of Estimates of Variance Based on Replication Methods." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1984_095.pdf.
See Also
The function make_quad_form_matrix can be used to
represent several common variance estimators as a quadratic form's matrix,
which can then be used as an input to make_gen_boot_factors().
Examples
# Load an example dataset that uses unequal probability sampling ----
  data('election', package = 'survey')
# Create matrix to represent the Horvitz-Thompson estimator as a quadratic form ----
  n <- nrow(election_pps)
  pi <- election_jointprob
  horvitz_thompson_matrix <- matrix(nrow = n, ncol = n)
  for (i in seq_len(n)) {
    for (j in seq_len(n)) {
      horvitz_thompson_matrix[i,j] <- 1 - (pi[i,i] * pi[j,j])/pi[i,j]
    }
  }
  ## Equivalently:
  horvitz_thompson_matrix <- make_quad_form_matrix(
    variance_estimator = "Horvitz-Thompson",
    joint_probs = election_jointprob
  )
# Make generalized bootstrap adjustment factors ----
  bootstrap_adjustment_factors <- make_gen_boot_factors(
    Sigma = horvitz_thompson_matrix,
    num_replicates = 80,
    tau = 'auto'
  )
# Determine replication scale factor for variance estimation ----
  tau <- attr(bootstrap_adjustment_factors, 'tau')
  B <- ncol(bootstrap_adjustment_factors)
  replication_scaling_constant <- tau^2 / B
# Create a replicate design object ----
  election_pps_bootstrap_design <- svrepdesign(
    data = election_pps,
    weights = 1 / diag(election_jointprob),
    repweights = bootstrap_adjustment_factors,
    combined.weights = FALSE,
    type = "other",
    scale = attr(bootstrap_adjustment_factors, 'scale'),
    rscales = attr(bootstrap_adjustment_factors, 'rscales')
  )
# Compare estimates to Horvitz-Thompson estimator ----
  election_pps_ht_design <- svydesign(
    id = ~1,
    fpc = ~p,
    data = election_pps,
    pps = ppsmat(election_jointprob),
    variance = "HT"
  )
svytotal(x = ~ Bush + Kerry,
         design = election_pps_bootstrap_design)
svytotal(x = ~ Bush + Kerry,
         design = election_pps_ht_design)
Quadratic Form Matrix of Kernel-based Variance Estimator
Description
Constructs the quadratic form matrix for the kernel-based variance estimator of Breidt, Opsomer, and Sanchez-Borrego (2016). The bandwidth is automatically chosen to result in the smallest possible nonempty kernel window.
Usage
make_kernel_var_matrix(x, kernel = "Epanechnikov", bandwidth = "auto")
Arguments
| x | A numeric vector, giving the values of an auxiliary variable. | 
| kernel | The name of a kernel function. Currently only "Epanechnikov" is supported. | 
| bandwidth | The bandwidth to use for the kernel.
The default value is  | 
Details
This kernel-based variance estimator was proposed by Breidt, Opsomer, and Sanchez-Borrego (2016), for use with samples selected using systematic sampling or where only a single sampling unit is selected from each stratum (sometimes referred to as "fine stratification").
Suppose there are n sampled units, and
for each unit i there is a numeric population characteristic x_i
and there is a weighted total \hat{Y}_i, where
\hat{Y}_i is only observed in the selected sample but x_i
is known prior to sampling.
The variance estimator has the following form:
  \hat{V}_{ker}=\frac{1}{C_d} \sum_{i=1}^n (\hat{Y}_i-\sum_{j=1}^n d_j(i) \hat{Y}_j)^2
The terms d_j(i) are kernel weights given by
  d_j(i)=\frac{K(\frac{x_i-x_j}{h})}{\sum_{j=1}^n K(\frac{x_i-x_j}{h})}
where K(\cdot) is a symmetric, bounded kernel function
and h is a bandwidth parameter. The normalizing constant C_d
is computed as:
  C_d=\frac{1}{n} \sum_{i=1}^n(1-2 d_i(i)+\sum_{j=1}^H d_j^2(i))
If n=2, then the estimator is simply the estimator
used for simple random sampling without replacement.
If n=1, then the matrix simply has an entry equal to 0.
Value
The quadratic form matrix for the variance estimator,
with dimension equal to the length of x. The resulting
object has an attribute bandwidth that can be retrieved
using attr(Q, 'bandwidth')
References
Breidt, F. J., Opsomer, J. D., & Sanchez-Borrego, I. (2016). "Nonparametric Variance Estimation Under Fine Stratification: An Alternative to Collapsed Strata." Journal of the American Statistical Association, 111(514), 822-833. https://doi.org/10.1080/01621459.2015.1058264
Examples
# The auxiliary variable has the same value for all units
make_kernel_var_matrix(c(1, 1, 1))
# The auxiliary variable differs across units
make_kernel_var_matrix(c(1, 2, 3))
# View the bandwidth that was automatically selected
Q <- make_kernel_var_matrix(c(1, 2, 4))
attr(Q, 'bandwidth')
Create a quadratic form's matrix to represent a variance estimator for PPSWOR designs, based on commonly-used approximations
Description
Several variance estimators for designs that use unequal probability sampling without replacement (i.e., PPSWOR), variance estimation tends to be more accurate when using an approximation estimator that uses the first-order inclusion probabilities (i.e., the basic sampling weights) and ignores the joint inclusion probabilities. This function returns the matrix of the quadratic form used to represent such variance estimators.
Usage
make_ppswor_approx_matrix(probs, method = "Deville-1")
Arguments
| probs | A vector of first-order inclusion probabilities | 
| method | A string specifying the approximation method to use. See the "Details" section below. Options include: 
 | 
Value
A symmetric matrix whose dimension matches the length of probs.
Deville's Estimators
The "Deville-1" and "Deville-2" approximations have been shown to be effective for designs that use a fixed sample size with a high-entropy sampling method. This includes most PPSWOR sampling methods, but unequal-probability systematic sampling is an important exception.
Deville's variance estimators generally take the following form:
\hat{v}(\hat{Y}) = \sum_{i=1}^{n} c_i (\breve{y}_i - \frac{1}{\sum_{i=k}^{n}c_k}\sum_{k=1}^{n}c_k \breve{y}_k)^2
where \breve{y}_i = y_i/\pi_i is the weighted value of the the variable of interest,
and c_i are constants that depend on the approximation method used.  
 
The matrix of the quadratic form, denoted \Sigma, has
its ij-th entry defined as follows:
  \sigma_{ii} = c_i (1 - \frac{c_i}{\sum_{k=1}^{n}c_k}) \textit{ when } i = j \\
  \sigma_{ij}=\frac{-c_i c_j}{\sum_{k=1}^{n}c_k} \textit{ when } i \neq j \\
When \pi_{i} = 1 for every unit, then \sigma_{ij}=0 for all i,j.
If there is only one sampling unit, then \sigma_{11}=0; that is, the unit is treated as if it was sampled with certainty.
The constants c_i are defined for each approximation method as follows,
with the names taken directly from Matei and Tillé (2005).
-  "Deville-1": c_i=\left(1-\pi_i\right) \frac{n}{n-1}
-  "Deville-2": c_i = (1-\pi_i) \left[1 - \sum_{k=1}^{n} \left(\frac{1-\pi_k}{\sum_{k=1}^{n}(1-\pi_k)}\right)^2 \right]^{-1}
Both of the approximations "Deville-1" and "Deville-2" were shown in the simulation studies of Matei and Tillé (2005) to perform much better in terms of MSE compared to the strictly-unbiased Horvitz-Thompson and Yates-Grundy variance estimators. In the case of simple random sampling without replacement (SRSWOR), these estimators are identical to the usual Horvitz-Thompson variance estimator.
Beaumont-Emond Estimator
Beaumont and Emond (2022) proposed a variance estimator for unequal probability sampling without replacement. This estimator is simply the Horvitz-Thompson variance estimator with the following approximation for the joint inclusion probabilities.
  \pi_{kl} \approx \pi_k \pi_l \frac{n - 1}{(n-1) + \sqrt{(1-\pi_k)(1-\pi_l)}}
In the case of cluster sampling, this approximation should be applied to the clusters rather than the units within clusters.
References
Matei, Alina, and Yves Tillé. 2005. "Evaluation of Variance Approximations and Estimators in Maximum Entropy Sampling with Unequal Probability and Fixed Sample Size." Journal of Official Statistics 21(4):543-70.
Get Variance Estimator's Quadratic Form Matrix
Description
Common variance estimators for estimated population totals can be represented as a quadratic form.
Given a choice of variance estimator and information about the sample design,
this function constructs the matrix of the quadratic form.
 
In notation, let
v(\hat{Y}) = \mathbf{\breve{y}}^{\prime}\mathbf{\Sigma}\mathbf{\breve{y}},
where \breve{y} is the vector of weighted values, y_i/\pi_i, \space i=1,\dots,n.
This function constructs the n \times n matrix of the quadratic form, \mathbf{\Sigma}.
Usage
make_quad_form_matrix(
  variance_estimator = "Yates-Grundy",
  probs = NULL,
  joint_probs = NULL,
  cluster_ids = NULL,
  strata_ids = NULL,
  strata_pop_sizes = NULL,
  sort_order = NULL,
  aux_vars = NULL
)
Arguments
| variance_estimator | The name of the variance estimator whose quadratic form matrix should be created. See the section "Variance Estimators" below. Options include: 
 | 
| probs | Required if  | 
| joint_probs | Only used if  | 
| cluster_ids | Required unless  | 
| strata_ids | Required if  | 
| strata_pop_sizes | Required if  | 
| sort_order | Required if  | 
| aux_vars | Required if  | 
Value
The matrix of the quadratic form representing the variance estimator.
Variance Estimators
See variance-estimators for a description of each variance estimator.
Arguments required for each variance estimator
Below are the arguments that are required or optional for each variance estimator.
| variance_estimator | probs | joint_probs | cluster_ids | strata_ids | strata_pop_sizes | sort_order | aux_vars | 
| Stratified Multistage SRS | Required | Required | Required | ||||
| Ultimate Cluster | Required | Required | Optional | ||||
| SD1 | Required | Optional | Optional | Required | |||
| SD2 | Required | Optional | Optional | Required | |||
| Deville-1 | Required | Required | Optional | ||||
| Deville-2 | Required | Required | Optional | ||||
| Beaumont-Emond | Required | Required | Optional | ||||
| Deville-Tille | Required | Required | Optional | Required | |||
| BOSB | Required | Optional | Required | ||||
| Yates-Grundy | Required | ||||||
| Horvitz-Thompson | Required | ||||||
See Also
See variance-estimators for a description of each variance estimator.
For a two-phase design, the function make_twophase_quad_form combines the quadratic form matrix from each phase.
Examples
# Example 1: The Horvitz-Thompson Estimator
  library(survey)
  data("election", package = "survey")
  ht_quad_form_matrix <- make_quad_form_matrix(variance_estimator = "Horvitz-Thompson",
                                               joint_probs = election_jointprob)
  ##_ Produce variance estimate
  wtd_y <- as.matrix(election_pps$wt * election_pps$Bush)
  t(wtd_y) %*% ht_quad_form_matrix %*% wtd_y
  ##_ Compare against result from 'survey' package
  svytotal(x = ~ Bush,
           design = svydesign(data=election_pps,
                              variance = "HT",
                              pps = ppsmat(election_jointprob),
                              ids = ~ 1, fpc = ~ p)) |> vcov()
# Example 2: Stratified multistage Sample ----
  data("mu284", package = 'survey')
  multistage_srswor_design <- svydesign(data = mu284,
                                        ids = ~ id1 + id2,
                                        fpc = ~ n1 + n2)
  multistage_srs_quad_form <- make_quad_form_matrix(
    variance_estimator = "Stratified Multistage SRS",
    cluster_ids = mu284[,c('id1', 'id2')],
    strata_ids = matrix(1, nrow = nrow(mu284), ncol = 2),
    strata_pop_sizes = mu284[,c('n1', 'n2')]
  )
  wtd_y <- as.matrix(weights(multistage_srswor_design) * mu284$y1)
  t(wtd_y) %*% multistage_srs_quad_form %*% wtd_y
  ##_ Compare against result from 'survey' package
  svytotal(x = ~ y1, design = multistage_srswor_design) |> vcov()
# Example 3: Successive-differences estimator ----
  data('library_stsys_sample', package = 'svrep')
  sd1_quad_form <- make_quad_form_matrix(
    variance_estimator = 'SD1',
    cluster_ids = library_stsys_sample[,'FSCSKEY',drop=FALSE],
    strata_ids = library_stsys_sample[,'SAMPLING_STRATUM',drop=FALSE],
    strata_pop_sizes = library_stsys_sample[,'STRATUM_POP_SIZE',drop=FALSE],
    sort_order = library_stsys_sample[['SAMPLING_SORT_ORDER']]
  )
  wtd_y <- as.matrix(library_stsys_sample[['TOTCIR']] /
                      library_stsys_sample$SAMPLING_PROB)
  wtd_y[is.na(wtd_y)] <- 0
  t(wtd_y) %*% sd1_quad_form %*% wtd_y
# Example 4: Deville estimators ----
 data('library_multistage_sample', package = 'svrep')
 deville_quad_form <- make_quad_form_matrix(
     variance_estimator = 'Deville-1',
     cluster_ids = library_multistage_sample[,c("PSU_ID", "SSU_ID")],
     strata_ids = cbind(rep(1, times = nrow(library_multistage_sample)),
                        library_multistage_sample$PSU_ID),
     probs = library_multistage_sample[,c("PSU_SAMPLING_PROB",
                                          "SSU_SAMPLING_PROB")]
 )
Weights for Rao-Wu-Yue-Beaumont Bootstrap
Description
Creates bootstrap replicate weights for a multistage stratified sample design
using the method of Beaumont and Émond (2022), which is a generalization of the Rao-Wu-Yue bootstrap. 
 
The design may have different sampling methods used at different stages.
Each stage of sampling may potentially use unequal probabilities (with or without replacement)
and may potentially use Poisson sampling.
Usage
make_rwyb_bootstrap_weights(
  num_replicates = 100,
  samp_unit_ids,
  strata_ids,
  samp_unit_sel_probs,
  samp_method_by_stage = rep("PPSWOR", times = ncol(samp_unit_ids)),
  allow_final_stage_singletons = TRUE,
  output = "weights"
)
Arguments
| num_replicates | Positive integer giving the number of bootstrap replicates to create | 
| samp_unit_ids | Matrix or data frame of sampling unit IDs for each stage of sampling | 
| strata_ids | Matrix or data frame of strata IDs for each sampling unit at each stage of sampling | 
| samp_unit_sel_probs | Matrix or data frame of selection probabilities for each sampling unit at each stage of sampling. | 
| samp_method_by_stage | A vector with length equal to the number of stages of sampling,
corresponding to the number of columns in  
 | 
| allow_final_stage_singletons | Logical value indicating whether to allow
non-certainty singleton strata at the final sampling stage (rather than throw an error message).  | 
| output | Either  | 
Details
Beaumont and Émond (2022) describe a general algorithm for forming bootstrap replicate weights for multistage stratified samples, based on the method of Rao-Wu-Yue, with extensions to sampling without replacement and use of unequal probabilities of selection (i.e., sampling with probability proportional to size) as well as Poisson sampling. These methods are guaranteed to produce nonnegative replicate weights and provide design-unbiased and design-consistent variance estimates for totals, for designs where sampling uses one or more of the following methods:
- "SRSWOR" - Simple random sampling, without replacement 
- "SRSWR" - Simple random sampling, with replacement 
- "PPSWR" - Unequal probabilities of selection, with replacement 
- "Poisson" - Poisson sampling: each sampling unit is selected into the sample at most once, with potentially different probabilities of inclusion for each sampling unit. 
For designs where at least one stage's strata have sampling without replacement with unequal probabilities of selection ("PPSWOR"),
the bootstrap method of Beaumont and Émond (2022) is guaranteed to produce nonnegative weights, but is not design-unbiased,
since the method only approximates the joint selection probabilities which would be needed for unbiased estimation.
 
Unless any stages use simple random sampling without replacement, the resulting bootstrap replicate weights
are guaranteed to all be strictly positive, which may be useful for calibration or analyses of domains with small sample sizes.
If any stages use simple random sampling without replacement, it is possible for some replicate weights to be zero.
 
If there is survey nonresponse, it may be useful to represent the response/nonresponse as an additional
stage of sampling, where sampling is conducted with Poisson sampling
where each unit's "selection probability" at that stage is its response propensity (which typically has to be estimated).
The formulas and algorithms for the replication factors are described by Beaumont and Émond (2022). Below, we list the relevant equations and sections of the paper for each sampling method.
- "SRSWR" - Equation 19 of Beaumont and Émond (2022) 
- "PPSWR" - Equation 19 of Beaumont and Émond (2022) 
- "SRSWOR" - Equation 20 of Beaumont and Émond (2022) 
- "PPSWOR" - Equations 24 and 21 of Beaumont and Émond (2022) 
- "Poisson" - See section 3.1 of Beaumont and Émond (2022) 
For stratified sampling, the replicate factors are generated independently in each stratum. For cluster sampling at a given stage, the replicate factors are generated at the cluster level and then the cluster's replicate factors are applied to all units in the cluster.
For multistage sampling, replicate factors are generated using the method described in Section 7 ("Bootstrap for Multistage Sampling").
Value
A matrix of with the same number of rows as samp_unit_ids
and the number of columns equal to the value of the argument num_replicates.
Specifying output = "factors" returns a matrix of replicate adjustment factors which can later be multiplied by
the full-sample weights to produce a matrix of replicate weights.
Specifying output = "weights" returns the matrix of replicate weights,
where the full-sample weights are inferred using samp_unit_sel_probs.
References
Beaumont, J.-F.; Émond, N. (2022). "A Bootstrap Variance Estimation Method for Multistage Sampling and Two-Phase Sampling When Poisson Sampling Is Used at the Second Phase." Stats, 5: 339-357. https://doi.org/10.3390/stats5020019
Rao, J.N.K.; Wu, C.F.J.; Yue, K. (1992). "Some recent work on resampling methods for complex surveys." Survey Methodology, 18: 209-217.
See Also
If the survey design can be accurately represented using svydesign,
then it is easier to simply use as_bootstrap_design with argument type = "Rao-Wu-Yue-Beaumont".
Use estimate_boot_reps_for_target_cv to help choose the number of bootstrap replicates.
Examples
 # Example 1: A multistage sample with two stages of SRSWOR
     ## Load an example dataset from a multistage sample, with two stages of SRSWOR
     data("mu284", package = 'survey')
     multistage_srswor_design <- svydesign(data = mu284,
                                           ids = ~ id1 + id2,
                                           fpc = ~ n1 + n2)
     ## Create bootstrap replicate weights
     set.seed(2022)
     bootstrap_replicate_weights <- make_rwyb_bootstrap_weights(
       num_replicates = 5000,
       samp_unit_ids = multistage_srswor_design$cluster,
       strata_ids = multistage_srswor_design$strata,
       samp_unit_sel_probs = multistage_srswor_design$fpc$sampsize /
                             multistage_srswor_design$fpc$popsize,
       samp_method_by_stage = c("SRSWOR", "SRSWOR")
     )
     ## Create a replicate design object with the survey package
     bootstrap_rep_design <- svrepdesign(
       data = multistage_srswor_design$variables,
       repweights = bootstrap_replicate_weights,
       weights = weights(multistage_srswor_design, type = "sampling"),
       type = "bootstrap"
     )
     ## Compare std. error estimates from bootstrap versus linearization
     data.frame(
       'Statistic' = c('total', 'mean', 'median'),
       'SE (bootstrap)' = c(SE(svytotal(x = ~ y1, design = bootstrap_rep_design)),
                            SE(svymean(x = ~ y1, design = bootstrap_rep_design)),
                            SE(svyquantile(x = ~ y1, quantile = 0.5,
                                           design = bootstrap_rep_design))),
       'SE (linearization)' = c(SE(svytotal(x = ~ y1, design = multistage_srswor_design)),
                                SE(svymean(x = ~ y1, design = multistage_srswor_design)),
                                SE(svyquantile(x = ~ y1, quantile = 0.5,
                                               design = multistage_srswor_design))),
       check.names = FALSE
     )
 # Example 2: A single-stage sample selected with unequal probabilities, without replacement
     ## Load an example dataset of U.S. counties states with 2004 Presidential vote counts
     data("election", package = 'survey')
     pps_wor_design <- svydesign(data = election_pps,
                                 pps = "overton",
                                 fpc = ~ p, # Inclusion probabilities
                                 ids = ~ 1)
     ## Create bootstrap replicate weights
     set.seed(2022)
     bootstrap_replicate_weights <- make_rwyb_bootstrap_weights(
       num_replicates = 5000,
       samp_unit_ids = pps_wor_design$cluster,
       strata_ids = pps_wor_design$strata,
       samp_unit_sel_probs = pps_wor_design$prob,
       samp_method_by_stage = c("PPSWOR")
     )
     ## Create a replicate design object with the survey package
     bootstrap_rep_design <- svrepdesign(
       data = pps_wor_design$variables,
       repweights = bootstrap_replicate_weights,
       weights = weights(pps_wor_design, type = "sampling"),
       type = "bootstrap"
     )
     ## Compare std. error estimates from bootstrap versus linearization
     data.frame(
       'Statistic' = c('total', 'mean'),
       'SE (bootstrap)' = c(SE(svytotal(x = ~ Bush, design = bootstrap_rep_design)),
                            SE(svymean(x = ~ I(Bush/votes),
                                       design = bootstrap_rep_design))),
       'SE (Overton\'s PPS approximation)' = c(SE(svytotal(x = ~ Bush,
                                                           design = pps_wor_design)),
                                               SE(svymean(x = ~ I(Bush/votes),
                                                          design = pps_wor_design))),
       check.names = FALSE
     )
Create a quadratic form's matrix to represent a successive-difference variance estimator
Description
A successive-difference variance estimator can be represented as a quadratic form. This function determines the matrix of the quadratic form.
Usage
make_sd_matrix(n, f = 0, type = "SD1")
Arguments
| n | Number of rows or columns for the matrix | 
| f | A single number between  | 
| type | Either "SD1" or "SD2". See the "Details" section for definitions. | 
Details
Ash (2014) describes each estimator as follows:
  \hat{v}_{SD1}(\hat{Y}) = (1-f) \frac{n}{2(n-1)} \sum_{k=2}^n\left(\breve{y}_k-\breve{y}_{k-1}\right)^2
  \hat{v}_{SD2}(\hat{Y}) = \frac{1}{2}(1-f)\left[\sum_{k=2}^n\left(\breve{y}_k-\breve{y}_{k-1}\right)^2+\left(\breve{y}_n-\breve{y}_1\right)^2\right]
where \breve{y}_k is the weighted value y_k/\pi_k of unit k
with selection probability \pi_k, and f is the sampling fraction \frac{n}{N}.
Value
A matrix of dimension n
References
Ash, S. (2014). "Using successive difference replication for estimating variances." Survey Methodology, Statistics Canada, 40(1), 47-59.
Factors for the Successive Difference Replication Method
Description
Create matrix of replicate factors to use for Successive Difference Replication Method
Usage
make_sdr_replicate_factors(
  n,
  target_number_of_replicates,
  use_normal_hadamard = FALSE
)
Arguments
| n | The number of sampling units | 
| target_number_of_replicates | The target number of replicates to create.
This will determine the order of the Hadamard matrix to use when
creating replicate factors. The actual number of replicates will
be a multiple of 4.
If  | 
| use_normal_hadamard | Whether to use a normal Hadamard matrix: that is, a matrix whose first row and first column only have entries equal to 1. | 
Value
A matrix of replicate factors, with n rows
and the number of columns corresponding to the order of the Hadamard matrix used
(which is greater than or equal to target_number_of_replicates).
Examples
# Note that one of the replicates has every factor equal to 1
# Also note that this matches Table 1 in Ash (2014)
make_sdr_replicate_factors(
  n = 4,
  target_number_of_replicates = 4,
  use_normal_hadamard = TRUE
)
# Note the difference when using a non-normal Hadamard matrix
rep_factors <- make_sdr_replicate_factors(
  n = 4,
  target_number_of_replicates = 4,
  use_normal_hadamard = FALSE
)
print(rep_factors)
# These replicate factors are equivalent
# to the SD2 variance estimator
tcrossprod(rep_factors - 1)
# Compare to the quadratic form of the SD2 estimator
sd2_quad_form <- make_quad_form_matrix(
  variance_estimator = "SD2",
  cluster_ids        = matrix(1:4, ncol = 1),
  sort_order         = matrix(1:4, ncol = 1)
)
print(sd2_quad_form)
Create a quadratic form's matrix to represent the basic variance estimator for a total under simple random sampling without replacement
Description
The usual variance estimator for simple random sampling without replacement can be represented as a quadratic form. This function determines the matrix of the quadratic form.
Usage
make_srswor_matrix(n, f = 0)
Arguments
| n | Sample size | 
| f | A single number between  | 
Details
The basic variance estimator of a total for simple random sampling without replacement is as follows:
\hat{v}(\hat{Y}) = (1 - f)\frac{n}{n - 1} \sum_{i=1}^{n} (y_i - \bar{y})^2
where f is the sampling fraction \frac{n}{N}. 
 
If f=0, then the matrix of the quadratic form has all non-diagonal elements equal to -(n-1)^{-1},
and all diagonal elements equal to 1. If f > 0, then each element
is multiplied by (1-f). 
 
If n=1, then this function returns a 1 \times 1 matrix whose sole element equals 0
(essentially treating the sole sampled unit as a selection made with probability 1).
Value
A symmetric matrix of dimension n
Quadratic Form Matrix for a Two-phase Design
Description
This function combines quadratic forms from each phase of a two phase design, so that the combined variance of the entire two-phase sampling design can be estimated.
Usage
make_twophase_quad_form(
  sigma_1,
  sigma_2,
  phase_2_joint_probs,
  ensure_psd = TRUE
)
Arguments
| sigma_1 | The quadratic form for the first phase variance estimator, subsetted to only include cases selected in the phase two sample. | 
| sigma_2 | The quadratic form for the second phase variance estimator, conditional on the selection of the first phase sample. | 
| phase_2_joint_probs | The matrix of conditional joint inclusion probabilities for the second phase, given the selected first phase sample. | 
| ensure_psd | If  | 
Value
A quadratic form matrix that can be used to estimate the sampling variance from a two-phase sample design.
Statistical Details
The two-phase variance estimator has a quadratic form matrix \boldsymbol{\Sigma}_{ab} given by:
  \boldsymbol{\Sigma}_{ab} = {W}^{-1}_b(\boldsymbol{\Sigma}_{a^\prime} \circ D_b ){W}^{-1}_b + \boldsymbol{\Sigma}_b
The first term estimates the variance contribution from the first phase of sampling,
while the second term estimates the variance contribution from the second phase of sampling. 
The full quadratic form of the variance estimator is:
  v(\hat{t_y}) = \breve{\breve{y^{'}}} \boldsymbol{\Sigma}_{ab} \breve{\breve{y}}
where the weighted variable \breve{\breve{y}}_k = \frac{y_k}{\pi_{ak}\pi_{bk}},
is formed using the first phase inclusion probability, denoted \pi_{ak}, and
the conditional second phase inclusion probability (given the selected first phase sample),
denoted \pi_{bk}. 
The notation for this estimator is as follows: 
-  n_adenotes the first phase sample size.
-  n_bdenotes the second phase sample size.
-  \boldsymbol{\Sigma}_adenotes the matrix of dimensionn_a \times n_arepresenting the quadratic form for the variance estimator used for the full first-phase design.
-  \boldsymbol{\Sigma}_{a^\prime}denotes the matrix of dimensionn_b \times n_bformed by subsetting the rows and columns of\boldsymbol{\Sigma}_ato only include cases selected in the second-phase sample.
-  \boldsymbol{\Sigma}_{b}denotes the matrix of dimensionn_b \times n_brepresenting the Horvitz-Thompson estimator of variance for the second-phase sample, conditional on the selected first-phase sample.
-  \boldsymbol{D}_bdenotes then_b \times n_bmatrix of weights formed by the inverses of the second-phase joint inclusion probabilities, with elementklequal to\pi_{bkl}^{-1}, where\pi_{bkl}is the conditional probability that unitskandlare included in the second-phase sample, given the selected first-phase sample. Note that this matrix will often not be positive semidefinite, and so the two-phase variance estimator has a quadratic form which is not necessarily positive semidefinite.
-  \boldsymbol{W}_bdenotes the diagonaln_b \times n_bmatrix whosek-th diagonal entry is the second-phase weight\pi_{bk}^{-1}, where\pi_{bk}is the conditional probability that unitkis included in the second-phase sample, given the selected first-phase sample.
Ensuring the Result is Positive Semidefinite
Note that the matrix (\boldsymbol{\Sigma}_{a^\prime} \circ D_b ) may not be
positive semidefinite, since the matrix D_b is not guaranteed to be positive semidefinite.
If (\boldsymbol{\Sigma}_{a^\prime} \circ D_b ) is found not to be positive semidefinite,
then it is approximated by the nearest positive semidefinite matrix in the Frobenius norm,
using the method of Higham (1988). 
 
This approximation is discussed by Beaumont and Patak (2012) in the context
of forming replicate weights for two-phase samples. The authors argue that
this approximation should lead to only a small overestimation of variance. 
 
Since (\boldsymbol{\Sigma}_{a^\prime} \circ D_b )
is a real, symmetric matrix, this is equivalent to "zeroing out" negative eigenvalues.
To be more precise, denote A=(\boldsymbol{\Sigma}_{a^\prime} \circ D_b ).
Then we can form the spectral decomposition A=\Gamma \Lambda \Gamma^{\prime}, where \Lambda is the diagonal matrix
whose entries are eigenvalues of A. The method of Higham (1988)
is to  approximate
A with \tilde{A} = \Gamma \Lambda_{+} \Gamma^{\prime},
where the ii-th entry of \Lambda_{+} is \max(\Lambda_{ii}, 0).
References
See Section 7.5 of Tillé (2020) or Section 9.3 of Särndal, Swensson, and Wretman (1992)
for an overview of variance estimation for two-phase sampling. In the case where
the Horvitz-Thompson variance estimator is used for both phases, the method used in this function
is equivalent to equation (9.3.8) of Särndal, Swensson, and Wretman (1992)
and equation (7.7) of Tillé (2020). However, this function can be used
for any combination of first-phase and second-phase variance estimators,
provided that the joint inclusion probabilities from the second-phase design
are available and are all nonzero.
 
- Beaumont, Jean-François, and Zdenek Patak. (2012). "On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling: Generalized Bootstrap for Sample Surveys." International Statistical Review 80 (1): 127-48. 
 
 
- Higham, N. J. (1988). "Computing a nearest symmetric positive semidefinite matrix." Linear Algebra and Its Applications, 103, 103-118. 
 
 
- Särndal, C.-E., Swensson, B., & Wretman, J. (1992). "Model Assisted Survey Sampling." Springer New York. 
 
 
- Tillé, Y. (2020). "Sampling and estimation from finite populations." (I. Hekimi, Trans.). Wiley. 
See Also
For each phase of sampling, the function make_quad_form_matrix can be used to create the appropriate quadratic form matrix.
Examples
library(survey)
## ---------------------- Example 1 ------------------------##
## First phase is a stratified multistage sample            ##
## Second phase is a simple random sample                   ##
##----------------------------------------------------------##
data('library_multistage_sample', package = 'svrep')
# Load first-phase sample
  twophase_sample <- library_multistage_sample
# Select second-phase sample
  set.seed(2022)
  twophase_sample[['SECOND_PHASE_SELECTION']] <- sampling::srswor(
    n = 100,
    N = nrow(twophase_sample)
  ) |> as.logical()
# Declare survey design
  twophase_design <- twophase(
    method = "full",
    data = twophase_sample,
    # Identify the subset of first-phase elements
    # which were selected into the second-phase sample
    subset = ~ SECOND_PHASE_SELECTION,
    # Describe clusters, probabilities, and population sizes
    # at each phase of sampling
    id = list(~ PSU_ID + SSU_ID,
              ~ 1),
    probs = list(~ PSU_SAMPLING_PROB + SSU_SAMPLING_PROB,
                 NULL),
    fpc = list(~ PSU_POP_SIZE + SSU_POP_SIZE,
               NULL)
  )
# Get quadratic form matrix for the first phase design
  first_phase_sigma <- get_design_quad_form(
    design = twophase_design$phase1$full,
    variance_estimator = "Stratified Multistage SRS"
  )
# Subset to only include cases sampled in second phase
  first_phase_sigma <- first_phase_sigma[twophase_design$subset,
                                         twophase_design$subset]
# Get quadratic form matrix for the second-phase design
  second_phase_sigma <- get_design_quad_form(
    design = twophase_design$phase2,
    variance_estimator = "Ultimate Cluster"
  )
# Get second-phase joint probabilities
  n <- twophase_design$phase2$fpc$sampsize[1,1]
  N <- twophase_design$phase2$fpc$popsize[1,1]
  second_phase_joint_probs <- Matrix::Matrix((n/N)*((n-1)/(N-1)),
                                     nrow = n, ncol = n)
  diag(second_phase_joint_probs) <- rep(n/N, times = n)
# Get quadratic form for entire two-phase variance estimator
  twophase_quad_form <- make_twophase_quad_form(
   sigma_1 = first_phase_sigma,
   sigma_2 = second_phase_sigma,
   phase_2_joint_probs = second_phase_joint_probs
 )
 # Use for variance estimation
   rep_factors <- make_gen_boot_factors(
     Sigma = twophase_quad_form,
     num_replicates = 500
   )
   library(survey)
   combined_weights <- 1/twophase_design$prob
   twophase_rep_design <- svrepdesign(
     data = twophase_sample |>
       subset(SECOND_PHASE_SELECTION),
     type = 'other',
     repweights = rep_factors,
     weights = combined_weights,
     combined.weights = FALSE,
     scale = attr(rep_factors, 'scale'),
     rscales = attr(rep_factors, 'rscales')
   )
   svymean(x = ~ LIBRARIA, design = twophase_rep_design)
## ---------------------- Example 2 ------------------------##
## First phase is a stratified systematic sample            ##
## Second phase is nonresponse, modeled as Poisson sampling ##
##----------------------------------------------------------##
data('library_stsys_sample', package = 'svrep')
# Determine quadratic form for full first-phase sample variance estimator
  full_phase1_quad_form <- make_quad_form_matrix(
    variance_estimator = "SD2",
    cluster_ids = library_stsys_sample[,'FSCSKEY',drop=FALSE],
    strata_ids = library_stsys_sample[,'SAMPLING_STRATUM',drop=FALSE],
    strata_pop_sizes = library_stsys_sample[,'STRATUM_POP_SIZE',drop=FALSE],
    sort_order = library_stsys_sample$SAMPLING_SORT_ORDER
  )
# Identify cases included in phase two sample
# (in this example, respondents)
  phase2_inclusion <- (
    library_stsys_sample$RESPONSE_STATUS == "Survey Respondent"
  )
  phase2_sample <- library_stsys_sample[phase2_inclusion,]
# Estimate response propensities
  response_propensities <- glm(
    data = library_stsys_sample,
    family = quasibinomial('logit'),
    formula = phase2_inclusion ~ 1,
    weights = 1/library_stsys_sample$SAMPLING_PROB
  ) |>
    predict(type = "response",
            newdata = phase2_sample)
# Estimate conditional joint inclusion probabilities for second phase
  phase2_joint_probs <- outer(response_propensities, response_propensities)
  diag(phase2_joint_probs) <- response_propensities
# Determine quadratic form for variance estimator of second phase
# (Horvitz-Thompson estimator for nonresponse modeled as Poisson sampling)
  phase2_quad_form <- make_quad_form_matrix(
    variance_estimator = "Horvitz-Thompson",
    joint_probs = phase2_joint_probs
  )
# Create combined quadratic form for entire design
 twophase_quad_form <- make_twophase_quad_form(
   sigma_1 = full_phase1_quad_form[phase2_inclusion, phase2_inclusion],
   sigma_2 = phase2_quad_form,
   phase_2_joint_probs = phase2_joint_probs
 )
 combined_weights <- 1/(phase2_sample$SAMPLING_PROB * response_propensities)
# Use for variance estimation
  rep_factors <- make_gen_boot_factors(
    Sigma = twophase_quad_form,
    num_replicates = 500
  )
  twophase_rep_design <- svrepdesign(
    data = phase2_sample,
    type = 'other',
    repweights = rep_factors,
    weights = combined_weights,
    combined.weights = FALSE,
    scale = attr(rep_factors, 'scale'),
    rscales = attr(rep_factors, 'rscales')
  )
  svymean(x = ~ LIBRARIA, design = twophase_rep_design)
Weighting Class Adjustment
Description
Redistributes weight from one group to another: for example, from non-respondents to respondents. Redistribution is conducted for the full-sample weights as well as each set of replicate weights. This can be done separately for each combination of a set of grouping variables, for example to implement a nonresponse weighting class adjustment.
Usage
redistribute_weights(design, reduce_if, increase_if, by)
Arguments
| design | A survey design object, created with either the  | 
| reduce_if | An expression indicating which cases should have their weights set to zero. Must evaluate to a logical vector with only values of TRUE or FALSE. | 
| increase_if | An expression indicating which cases should have their weights increased. Must evaluate to a logical vector with only values of TRUE or FALSE. | 
| by | (Optional) A character vector with the names of variables used to group the redistribution of weights.
For example, if the data include variables named  | 
Value
The survey design object, but with updated full-sample weights and updated replicate weights.
The resulting survey design object always has its value of combined.weights set to TRUE.
References
See Chapter 2 of Heeringa, West, and Berglund (2017) or Chapter 13 of Valliant, Dever, and Kreuter (2018) for an overview of nonresponse adjustment methods based on redistributing weights.
- Heeringa, S., West, B., Berglund, P. (2017). Applied Survey Data Analysis, 2nd edition. Boca Raton, FL: CRC Press. "Applied Survey Data Analysis, 2nd edition." Boca Raton, FL: CRC Press.
- Valliant, R., Dever, J., Kreuter, F. (2018). "Practical Tools for Designing and Weighting Survey Samples, 2nd edition." New York: Springer.
Examples
# Load example data
suppressPackageStartupMessages(library(survey))
data(api)
dclus1 <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc)
dclus1$variables$response_status <- sample(x = c("Respondent", "Nonrespondent",
                                                 "Ineligible", "Unknown eligibility"),
                                           size = nrow(dclus1),
                                           replace = TRUE)
rep_design <- as.svrepdesign(dclus1)
# Adjust weights for cases with unknown eligibility
ue_adjusted_design <- redistribute_weights(
    design = rep_design,
    reduce_if = response_status %in% c("Unknown eligibility"),
    increase_if = !response_status %in% c("Unknown eligibility"),
    by = c("stype")
)
# Adjust weights for nonresponse
nr_adjusted_design <- redistribute_weights(
    design = ue_adjusted_design,
    reduce_if = response_status %in% c("Nonrespondent"),
    increase_if = response_status == "Respondent",
    by = c("stype")
)
Rescale Replicate Factors
Description
Rescale replicate factors. The main application of this rescaling is to ensure that all replicate weights are strictly positive.
Note that this rescaling has no impact on variance estimates for totals (or other linear statistics), but variance estimates for nonlinear statistics will be affected by the rescaling.
Usage
rescale_replicates(x, new_scale = NULL, min_wgt = 0.01, digits = 2)
Arguments
| x | Either a replicate survey design object,
or a numeric matrix of replicate weights.
If  | 
| new_scale | Either a single positive number, or  | 
| min_wgt | Should only be used if  | 
| digits | Only used if the argument  | 
Details
Let \mathbf{A} = \left[ \mathbf{a}^{(1)} \cdots \mathbf{a}^{(b)} \cdots \mathbf{a}^{(B)} \right] denote the (n \times B) matrix of replicate adjustment factors.
The overall scale factor C is used for estimating variances
with the formula 
v(\hat{y}) = C \sum_{b=1}^{B} (\hat{y}_b - \hat{y})^2
The scale factor is changed from C to C^{\prime}
by rescaling the replicate factor matrix \mathbf{A} using the transformation 
  1 + \sqrt{\frac{C}{C^{\prime}}}(\mathbf{A}-1)
Value
If the input is a numeric matrix, returns the rescaled matrix. If the input is a replicate survey design object, returns an updated replicate survey design object.
For a replicate survey design object, results depend on
whether the object has a matrix of replicate factors rather than
a matrix of replicate weights (which are the product of replicate factors and sampling weights).
If the design object has combined.weights=FALSE,
then the replication factors are adjusted.
If the design object has combined.weights=TRUE,
then the replicate weights are adjusted. It is strongly
recommended to only use the rescaling method for replication factors
rather than the weights.
For a replicate survey design object, the scale element
of the design object will be updated appropriately.
References
Rescaling was suggested by Fay (1989) for the specific application of creating replicate factors using his generalized replication method. This kind of rescaling is commony used in balanced repeated replication to implement Fay's method of balanced repeated replication. Beaumont and Patak (2012) provided an extended discussion of rescaling methods in the context of rescaling generalized bootstrap replication factors to avoid negative replicate weights.
- Beaumont, Jean-François, and Zdenek Patak. 2012.
"On the Generalized Bootstrap for Sample Surveys with Special Attention to Poisson Sampling: Generalized Bootstrap for Sample Surveys."
International Statistical Review 80 (1): 127-48.
https://doi.org/10.1111/j.1751-5823.2011.00166.x.
 
- Fay, Robert. 1989. "Theory And Application Of Replicate Weighting For Variance Calculations."
In, 495-500. Alexandria, VA: American Statistical Association.
http://www.asasrms.org/Proceedings/papers/1989_033.pdf
Examples
# Example 1: Rescaling a matrix of replicate weights to avoid negative weights
 rep_wgts <- matrix(
   c(1.69742746694909, -0.230761178913411, 1.53333377634192,
     0.0495043413294782, 1.81820367441039, 1.13229198793703,
     1.62482013925955, 1.0866133494029, 0.28856654131668,
     0.581930729719006, 0.91827012312825, 1.49979905894482,
     1.26281337410693, 1.99327362761477, -0.25608700039304),
   nrow = 3, ncol = 5
 )
 attr(rep_wgts, 'scale') <- 1/5
 rescaled_wgts <- rescale_replicates(rep_wgts, min_wgt = 0.01)
 print(rep_wgts)
 print(rescaled_wgts)
 
 # Example 2: Rescale with a new, specific scale value
 
 rescaled_wgts <- rescale_replicates(rep_wgts, new_scale = 1/10)
 print(rescaled_wgts)
 # Example 3: Rescaling replicate weights of a survey design object
 set.seed(2023)
 data('mu284', package = 'survey')
 ## First create a bootstrap design object
 svy_design_object <- svydesign(
   data = mu284,
   ids = ~ id1 + id2,
   fpc = ~  n1 +  n2
 )
 boot_design <- as_gen_boot_design(
   design = svy_design_object,
   variance_estimator = "Stratified Multistage SRS",
   replicates = 5
 )
 ## Rescale the weights
 rescaled_boot_design <- boot_design |>
   rescale_replicates(min_wgt = 0.01)
 boot_wgts <- weights(boot_design, "analysis")
 rescaled_boot_wgts <- weights(rescaled_boot_design, 'analysis')
 print(boot_wgts)
 print(rescaled_boot_wgts)
(Internal function) Shift weight from one set of cases to another
Description
You likely want to use redistribute_weights instead.
The function shift_weight is internal to this package and is used only "under-the-hood."
Usage
shift_weight(wt_set, is_upweight_case, is_downweight_case)
Arguments
| wt_set | A numeric vector of weights | 
| is_upweight_case | A logical vector indicating cases whose weight should be increased | 
| is_downweight_case | A logical vector indicating cases whose weight should be decreased | 
Value
A numeric vector of adjusted weights, of the same length as wt_set.
Shuffle Order of Replicates in a Replicate Design Object
Description
Shuffle the order of replicates in a survey design object. In other words, the order of the columns of replicate weights is randomly permuted.
Usage
shuffle_replicates(design)
Arguments
| design | A survey design object, created with either the  | 
Value
An updated survey design object, where the order of the replicates has been shuffled (i.e., the order has been randomly permuted).
Examples
library(survey)
set.seed(2023)
# Create an example survey design object
  sample_data <- data.frame(
    STRATUM = c(1,1,1,1,2,2,2,2),
    PSU     = c(1,2,3,4,5,6,7,8)
  )
  survey_design <- svydesign(
    data = sample_data,
    strata = ~ STRATUM,
    ids = ~ PSU,
    weights = ~ 1
  )
  rep_design <- survey_design |>
    as_fays_gen_rep_design(variance_estimator = "Ultimate Cluster")
# Inspect replicates before shuffling
  rep_design |> getElement("repweights")
# Inspect replicates after shuffling
  rep_design |>
    shuffle_replicates() |>
    getElement("repweights")
Combine Replicate Designs by Stacking
Description
Stack replicate designs: combine rows of data, rows of replicate weights, and the respective full-sample weights. This can be useful when comparing estimates before and after a set of adjustments made to the weights. Another more delicate application is when combining sets of replicate weights from multiple years of data for a survey, although this must be done carefully based on guidance from a data provider.
Usage
stack_replicate_designs(..., .id = "Design_Name")
Arguments
| ... | Replicate-weights survey design objects to combine. These can be supplied in one of two ways.  
 All objects must have the same specifications for  | 
| .id | A single character value, which becomes the name of a new column of identifiers
created in the output data to link each row to the design from which it was taken.  | 
Value
A replicate-weights survey design object, with class svyrep.design and svyrep.stacked.
The resulting survey design object always has its value of combined.weights set to TRUE.
Examples
# Load example data, creating a replicate design object
suppressPackageStartupMessages(library(survey))
data(api)
dclus1 <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc)
dclus1$variables$response_status <- sample(x = c("Respondent", "Nonrespondent",
                                                 "Ineligible", "Unknown eligibility"),
                                           size = nrow(dclus1),
                                           replace = TRUE)
orig_rep_design <- as.svrepdesign(dclus1)
# Adjust weights for cases with unknown eligibility
ue_adjusted_design <- redistribute_weights(
    design = orig_rep_design,
    reduce_if = response_status %in% c("Unknown eligibility"),
    increase_if = !response_status %in% c("Unknown eligibility"),
    by = c("stype")
)
# Adjust weights for nonresponse
nr_adjusted_design <- redistribute_weights(
    design = ue_adjusted_design,
    reduce_if = response_status %in% c("Nonrespondent"),
    increase_if = response_status == "Respondent",
    by = c("stype")
)
# Stack the three designs, using any of the following syntax options
stacked_design <- stack_replicate_designs(orig_rep_design, ue_adjusted_design, nr_adjusted_design,
                                          .id = "which_design")
stacked_design <- stack_replicate_designs('original' = orig_rep_design,
                                          'unknown eligibility adjusted' = ue_adjusted_design,
                                          'nonresponse adjusted' = nr_adjusted_design,
                                          .id = "which_design")
list_of_designs <- list('original' = orig_rep_design,
                        'unknown eligibility adjusted' = ue_adjusted_design,
                        'nonresponse adjusted' = nr_adjusted_design)
stacked_design <- stack_replicate_designs(list_of_designs, .id = "which_design")
Subsample Replicates in a Replicate Design Object
Description
Randomly subsamples the replicates of a survey design object, to keep only a subset. The scale factor used in estimation is increased to account for the subsampling.
Usage
subsample_replicates(design, n_reps)
Arguments
| design | A survey design object, created with either the  | 
| n_reps | The number of replicates to keep after subsampling | 
Value
An updated survey design object, where only a random selection
of the replicates has been retained. The overall 'scale' factor for the design
(accessed with design$scale) is increased to account for the sampling of replicates.
Statistical Details
Suppose the initial replicate design has L replicates, with
respective constants c_k for k=1,\dots,L used to estimate variance
with the formula
v_{R} = \sum_{k=1}^L c_k\left(\hat{T}_y^{(k)}-\hat{T}_y\right)^2
With subsampling of replicates, L_0 of the original L replicates
are randomly selected, and then variances are estimated using the formula:
v_{R} = \frac{L}{L_0} \sum_{k=1}^{L_0} c_k\left(\hat{T}_y^{(k)}-\hat{T}_y\right)^2
This subsampling is suggested for certain replicate designs in Fay (1989). Kim and Wu (2013) provide a detailed theoretical justification and also propose alternative methods of subsampling replicates.
References
Fay, Robert. 1989. "Theory And Application Of Replicate Weighting For Variance Calculations." In, 495-500. Alexandria, VA: American Statistical Association. http://www.asasrms.org/Proceedings/papers/1989_033.pdf
Kim, J.K. and Wu, C. 2013. "Sparse and Efficient Replication Variance Estimation for Complex Surveys." Survey Methodology, Statistics Canada, 39(1), 91-120.
Examples
library(survey)
set.seed(2023)
# Create an example survey design object
  sample_data <- data.frame(
    STRATUM = c(1,1,1,1,2,2,2,2),
    PSU     = c(1,2,3,4,5,6,7,8)
  )
  survey_design <- svydesign(
    data = sample_data,
    strata = ~ STRATUM,
    ids = ~ PSU,
    weights = ~ 1
  )
  rep_design <- survey_design |>
    as_fays_gen_rep_design(variance_estimator = "Ultimate Cluster")
# Inspect replicates before subsampling
  rep_design |> getElement("repweights")
# Inspect replicates after subsampling
  rep_design |>
    subsample_replicates(n_reps = 4) |>
    getElement("repweights")
Summarize Replicate Weights in a Replicate Design
Description
Summarize the replicate weights of a design
Usage
summarize_rep_weights(rep_design, type = "both", by)
Arguments
| rep_design | A replicate design object, created with either the  | 
| type | Default is  | 
| by | (Optional) A character vector with the names of variables used to group the summaries. | 
Value
If type = "both" (the default), the result is a list of data frames
with names "overall" and "specific". If type = "overall", the result is
a data frame providing an overall summary of the replicate weights. 
The contents of the "overall" summary are the following:
- "nrows": Number of rows for the weights 
- "ncols": Number of columns of replicate weights 
- "degf_svy_pkg": The degrees of freedom according to the survey package in R 
- "rank": The matrix rank as determined by a QR decomposition 
- "avg_wgt_sum": The average column sum 
- "sd_wgt_sums": The standard deviation of the column sums 
- "min_rep_wgt": The minimum value of any replicate weight 
- "max_rep_wgt": The maximum value of any replicate weight 
If type = "specific", the result is a data frame providing a
summary of each column of replicate weights, with each column of replicate weights
described in a given row of the data frame.
The contents of the "specific" summary are the following:
- "Rep_Column": The name of a given column of replicate weights. If columns are unnamed, the column number is used instead 
- "N": The number of entries 
- "N_NONZERO": The number of nonzero entries 
- "SUM": The sum of the weights 
- "MEAN": The average of the weights 
- "CV": The coefficient of variation of the weights (standard deviation divided by mean) 
- "MIN": The minimum weight 
- "MAX": The maximum weight 
Examples
# Load example data
data(api)
dclus1 <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc)
dclus1$variables$response_status <- sample(x = c("Respondent", "Nonrespondent",
                                                 "Ineligible", "Unknown eligibility"),
                                           size = nrow(dclus1),
                                           replace = TRUE)
rep_design <- as.svrepdesign(dclus1)
# Adjust weights for cases with unknown eligibility
ue_adjusted_design <- redistribute_weights(
    design = rep_design,
    reduce_if = response_status %in% c("Unknown eligibility"),
    increase_if = !response_status %in% c("Unknown eligibility"),
    by = c("stype")
)
# Summarize replicate weights
summarize_rep_weights(rep_design, type = "both")
# Summarize replicate weights by grouping variables
summarize_rep_weights(ue_adjusted_design, type = 'overall',
                      by = c("response_status"))
summarize_rep_weights(ue_adjusted_design, type = 'overall',
                      by = c("stype", "response_status"))
# Compare replicate weights
rep_wt_summaries <- lapply(list('original' = rep_design,
                                'adjusted' = ue_adjusted_design),
                           summarize_rep_weights,
                           type = "overall")
print(rep_wt_summaries)
Package-level Options for svrep
Description
This help page describes the overall
options that can be set for your R session,
using the function options().
Options for using the 'torch' package to speed up certain operations
The 'torch' package provides access to fast linear algebra routines and is a particularly convenient approach to working with GPUs or conducting multithreaded linear algebra operations.
Setting the following options will allow functions in 'svrep' to use the 'torch' package to speed up certain computationally intensive operations that occur when creating replicate weights, particularly for Fay's generalized replication method or generalized bootstrap methods.
The option svrep.torch_device accepts the following options:
-  options(svrep.torch_device = 'none'): The 'torch' package will not be used.
-  options(svrep.torch_device = 'cpu'): The 'torch' package will be used with all operations done on the CPU.
-  options(svrep.torch_device = 'cuda'): The 'torch' package will be used, with operations conducted on the GPU if possible. This requires the user's computer to have a CUDA-enabled GPU.
Note that precise values for matrix decompositions can vary between different linear algebra libraries (including among common BLAS/LAPACK), and so the replicate weights created with 'torch' may not exactly match those created without 'torch'; differences will generally be small.
The following function from 'torch' will control the number of threads used for computations, which can have a large impact on speed.
-  torch::set_num_threads(): Sets the number of threads that 'torch' can use.
Relevant options from the 'survey' package
The 'survey' package has the following options which are of particular relevance to users of 'svrep'.
-  options(survey.replicates.mse = TRUE/FALSE): The default value for this option isFALSE. This option controls the default value used for themseargument in the functionssvrepdesign()andas.svrepdesign().
Call help('survey.replicates.mse', package = 'survey') for more details.
In nearly all cases, it is safer to use
options(survey.replicates.mse = TRUE), or–better yet–
to always specify svrepdesign(..., mse = TRUE) or
as.svrepdesign(..., mse = TRUE) when using functions with an mse argument.
For replicate weights created using Fay's generalized replication method or
the generalized bootstrap, using mse = FALSE can result in badly biased
variance estimates.
-  options(survey.multicore = TRUE/FALSE): The default value for this option isFALSE. Setting this option toTRUEmeans that multiple processors will be used for certain variance calculations involving replicate weights, such as insvyglm().
This can potentially speed up calculations but is not guaranteed to do so.
Call help('survey.multicore', package = 'survey') for more details.
Survey Statistics for Multiple Replicate Design Objects
Description
A modified version of the svyby() function from the survey package.
Whereas svyby() calculates statistics separately for each subset formed by a specified grouping variable,
svyby_repwts() calculates statistics separately for each replicate design, in addition to any additional user-specified grouping variables.
Usage
svyby_repwts(
  rep_designs,
  formula,
  by,
  FUN,
  ...,
  deff = FALSE,
  keep.var = TRUE,
  keep.names = TRUE,
  verbose = FALSE,
  vartype = c("se", "ci", "ci", "cv", "cvpct", "var"),
  drop.empty.groups = TRUE,
  return.replicates = FALSE,
  na.rm.by = FALSE,
  na.rm.all = FALSE,
  multicore = getOption("survey.multicore")
)
Arguments
| rep_designs | The replicate-weights survey designs to be compared. Supplied either as: 
 The designs must all have the same number of columns of replicate weights, of the same type (bootstrap, JKn, etc.) | 
| formula | A formula specifying the variables to pass to  | 
| by | A formula specifying factors that define subsets | 
| FUN | A function taking a formula and survey design object as its first two arguments.
Usually a function from the  | 
| ... | Other arguments to  | 
| deff | A value of  | 
| keep.var | A value of  | 
| keep.names | Define row names based on the subsets | 
| verbose | If  | 
| vartype | Report variability as one or more of standard error, confidence interval, coefficient of variation, percent coefficient of variation, or variance | 
| drop.empty.groups | If  | 
| return.replicates | If  | 
| na.rm.by | If true, omit groups defined by  | 
| na.rm.all | If true, check for groups with no non-missing observations for variables defined by  | 
| multicore | Use  | 
Value
An object of class "svyby": a data frame showing the grouping factors and results of FUN for each combination of the grouping factors.
The first grouping factor always consists of indicators for which replicate design was used for an estimate.
Examples
data(api)
dclus1 <- svydesign(id=~dnum, weights=~pw, data=apiclus1, fpc=~fpc)
dclus1$variables$response_status <- sample(x = c("Respondent", "Nonrespondent",
                                                 "Ineligible", "Unknown eligibility"),
                                           size = nrow(dclus1),
                                           replace = TRUE)
orig_rep_design <- as.svrepdesign(dclus1)
# Adjust weights for cases with unknown eligibility
ue_adjusted_design <- redistribute_weights(
    design = orig_rep_design,
    reduce_if = response_status %in% c("Unknown eligibility"),
    increase_if = !response_status %in% c("Unknown eligibility"),
    by = c("stype")
)
# Adjust weights for nonresponse
nr_adjusted_design <- redistribute_weights(
    design = ue_adjusted_design,
    reduce_if = response_status %in% c("Nonrespondent"),
    increase_if = response_status == "Respondent",
    by = c("stype")
)
# Compare estimates from the three sets of replicate weights
  list_of_designs <- list('original' = orig_rep_design,
                          'unknown eligibility adjusted' = ue_adjusted_design,
                          'nonresponse adjusted' = nr_adjusted_design)
  ##_ First compare overall means for two variables
  means_by_design <- svyby_repwts(formula = ~ api00 + api99,
                                  FUN = svymean,
                                  rep_design = list_of_designs)
  print(means_by_design)
  ##_ Next compare domain means for two variables
  domain_means_by_design <- svyby_repwts(formula = ~ api00 + api99,
                                         by = ~ stype,
                                         FUN = svymean,
                                         rep_design = list_of_designs)
  print(domain_means_by_design)
# Calculate confidence interval for difference between estimates
ests_by_design <- svyby_repwts(rep_designs = list('NR-adjusted' = nr_adjusted_design,
                                                  'Original' = orig_rep_design),
                               FUN = svymean, formula = ~ api00 + api99)
differences_in_estimates <- svycontrast(stat = ests_by_design, contrasts = list(
  'Mean of api00: NR-adjusted vs. Original' = c(1,-1,0,0),
  'Mean of api99: NR-adjusted vs. Original' = c(0,0,1,-1)
))
print(differences_in_estimates)
confint(differences_in_estimates, level = 0.95)
Variance Estimators
Description
This help page describes variance estimators
which are commonly used for survey samples. These variance estimators
can be used as the basis of the generalized replication methods, implemented
with the functions as_fays_gen_rep_design(),
as_gen_boot_design(),
make_fays_gen_rep_factors(),
or make_gen_boot_factors()
Shared Notation
Let s denote the selected sample of size n, with elements i=1,\dots,n.
Element i in the sample had probability \pi_i of being included in the sample.
The pair of elements ij was sampled with probability \pi_{ij}.
The population total for a variable is denoted Y = \sum_{i \in U}y_i,
and the Horvitz-Thompson estimator for \hat{Y} is
denoted \hat{Y} = \sum_{i \in s} y_i/\pi_i. For convenience,
we denote \breve{y}_i = y_i/\pi_i.
The true sampling variance of \hat{Y} is denoted V(\hat{Y}),
while an estimator of this sampling variance is denoted v(\hat{Y}).
Horvitz-Thompson
The Horvitz-Thompson variance estimator:
  v(\hat{Y}) = \sum_{i \in s}\sum_{j \in s} (1 - \frac{\pi_i \pi_j}{\pi_{ij}}) \frac{y_i}{\pi_i} \frac{y_j}{\pi_j}
Yates-Grundy
The Yates-Grundy variance estimator:
  v(\hat{Y}) = -\frac{1}{2}\sum_{i \in s}\sum_{j \in s} (1 - \frac{\pi_i \pi_j}{\pi_{ij}}) (\frac{y_i}{\pi_i} - \frac{y_j}{\pi_j})^2
Poisson Horvitz-Thompson
The Poisson Horvitz-Thompson variance estimator
is simply the Horvitz-Thompson variance estimator, but
where \pi_{ij}=\pi_i \times \pi_j, which is the case for Poisson sampling.
 
Stratified Multistage SRS
The Stratified Multistage SRS variance estimator is the recursive variance estimator proposed by Bellhouse (1985) and used in the 'survey' package's function svyrecvar. In the case of simple random sampling without replacement (with one or more stages), this estimator exactly matches the Horvitz-Thompson estimator.
The estimator can be used for any number of sampling stages. For illustration, we describe its use for two sampling stages.
  v(\hat{Y}) = \hat{V}_1 + \hat{V}_2
where
  \hat{V}_1 = \sum_{h=1}^{H} (1 - \frac{n_h}{N_h})\frac{n_h}{n_h - 1} \sum_{i=1}^{n_h} (y_{hi.} - \bar{y}_{hi.})^2
and
  \hat{V}_2 = \sum_{h=1}^{H} \frac{n_h}{N_h} \sum_{i=1}^{n_h}v_{hi}(y_{hi.})
where n_h is the number of sampled clusters in stratum h,
N_h is the number of population clusters in stratum h,
y_{hi.} is the weighted cluster total in cluster i of stratum h,
\bar{y}_{hi.} is the mean weighted cluster total of stratum h,
(\bar{y}_{hi.} = \frac{1}{n_h}\sum_{i=1}^{n_h}y_{hi.}), and
v_{hi}(y_{hi.}) is the estimated sampling variance of y_{hi.}.
 
Ultimate Cluster
The Ultimate Cluster variance estimator is simply the stratified multistage SRS variance estimator, but ignoring variances from later stages of sampling.
  v(\hat{Y}) = \hat{V}_1
This is the variance estimator used in the 'survey' package when the user specifies
option(survey.ultimate.cluster = TRUE) or uses svyrecvar(..., one.stage = TRUE).
When the first-stage sampling fractions are small, analysts often omit the finite population corrections (1-\frac{n_h}{N_h})
when using the ultimate cluster estimator.
SD1 and SD2 (Successive Difference Estimators)
The SD1 and SD2 variance estimators are "successive difference" estimators sometimes used for systematic sampling designs. Ash (2014) describes each estimator as follows:
  \hat{v}_{S D 1}(\hat{Y}) = \left(1-\frac{n}{N}\right) \frac{n}{2(n-1)} \sum_{k=2}^n\left(\breve{y}_k-\breve{y}_{k-1}\right)^2
  \hat{v}_{S D 2}(\hat{Y}) = \left(1-\frac{n}{N}\right) \frac{1}{2}\left[\sum_{k=2}^n\left(\breve{y}_k-\breve{y}_{k-1}\right)^2+\left(\breve{y}_n-\breve{y}_1\right)^2\right]
where \breve{y}_k = y_k/\pi_k is the weighted value of unit k
with selection probability \pi_k. The SD1 estimator is recommended by Wolter (1984).
The SD2 estimator is the basis of the successive difference replication estimator commonly
used for systematic sampling designs and is more conservative. See Ash (2014) for details.
 
For multistage samples, SD1 and SD2 are applied to the clusters at each stage, separately by stratum.
For later stages of sampling, the variance estimate from a stratum is multiplied by the product
of sampling fractions from earlier stages of sampling. For example, at a third stage of sampling,
the variance estimate from a third-stage stratum is multiplied by \frac{n_1}{N_1}\frac{n_2}{N_2},
which is the product of sampling fractions from the first-stage stratum and second-stage stratum.
Beaumont-Emond
The "Beaumont-Emond" variance estimator was proposed by Beaumont and Emond (2022), intended for designs that use fixed-size, unequal-probability random sampling without replacement. The variance estimator is simply the Horvitz-Thompson variance estimator with the following approximation for the joint inclusion probabilities.
  \pi_{kl} \approx \pi_k \pi_l \frac{n - 1}{(n-1) + \sqrt{(1-\pi_k)(1-\pi_l)}}
In the case of cluster sampling, this approximation is
applied to the clusters rather than the units within clusters,
with n denoting the number of sampled clusters. and the probabilities \pi
referring to the cluster's sampling probability. For stratified samples,
the joint probability for units k and l in different strata
is simply the product of \pi_k and \pi_l.
For multistage samples, this approximation is applied to the clusters at each stage, separately by stratum.
For later stages of sampling, the variance estimate from a stratum is multiplied by the product
of sampling probabilities from earlier stages of sampling. For example, at a third stage of sampling,
the variance estimate from a third-stage stratum is multiplied by \pi_1 \times \pi_{(2 | 1)},
where \pi_1 is the sampling probability of the first-stage unit
and \pi_{(2|1)} is the sampling probability of the second-stage unit
within the first-stage unit.
Deville 1 and Deville 2
The "Deville-1" and "Deville-2" variance estimators are clearly described in Matei and Tillé (2005), and are intended for designs that use fixed-size, unequal-probability random sampling without replacement. These variance estimators have been shown to be effective for designs that use a fixed sample size with a high-entropy sampling method. This includes most PPSWOR sampling methods, but unequal-probability systematic sampling is an important exception.
These variance estimators take the following form:
\hat{v}(\hat{Y}) = \sum_{i=1}^{n} c_i (\breve{y}_i - \frac{1}{\sum_{i=k}^{n}c_k}\sum_{k=1}^{n}c_k \breve{y}_k)^2
where \breve{y}_i = y_i/\pi_i is the weighted value of the the variable of interest,
and c_i depend on the method used:
-  "Deville-1": c_i=\left(1-\pi_i\right) \frac{n}{n-1}
-  "Deville-2": c_i = (1-\pi_i) \left[1 - \sum_{k=1}^{n} \left(\frac{1-\pi_k}{\sum_{k=1}^{n}(1-\pi_k)}\right)^2 \right]^{-1}
In the case of simple random sampling without replacement (SRSWOR), these estimators are both identical to the usual stratified multistage SRS estimator (which is itself a special case of the Horvitz-Thompson estimator).
For multistage samples, "Deville-1" and "Deville-2" are applied to the clusters at each stage, separately by stratum.
For later stages of sampling, the variance estimate from a stratum is multiplied by the product
of sampling probabilities from earlier stages of sampling. For example, at a third stage of sampling,
the variance estimate from a third-stage stratum is multiplied by \pi_1 \times \pi_{(2 | 1)},
where \pi_1 is the sampling probability of the first-stage unit
and \pi_{(2|1)} is the sampling probability of the second-stage unit
within the first-stage unit.
BOSB
This kernel-based variance estimator was proposed by Breidt, Opsomer, and Sanchez-Borrego (2016), for use with samples selected using systematic sampling or where only a single sampling unit is selected from each stratum (sometimes referred to as "fine stratification").
Suppose there are n sampled units, and
for each unit i there is a numeric population characteristic x_i
and there is a weighted total \hat{Y}_i, where
\hat{Y}_i is only observed in the selected sample but x_i
is known prior to sampling.
The variance estimator has the following form:
  \hat{V}_{ker}=\frac{1}{C_d} \sum_{i=1}^n (\hat{Y}_i-\sum_{j=1}^n d_j(i) \hat{Y}_j)^2
The terms d_j(i) are kernel weights given by
  d_j(i)=\frac{K(\frac{x_i-x_j}{h})}{\sum_{j=1}^n K(\frac{x_i-x_j}{h})}
where K(\cdot) is a symmetric, bounded kernel function
and h is a bandwidth parameter. The normalizing constant C_d 
is computed as:
  C_d=\frac{1}{n} \sum_{i=1}^n(1-2 d_i(i)+\sum_{j=1}^H d_j^2(i))
For most functions in the 'svrep' package, the kernel function
is the Epanechnikov kernel and the bandwidth is automatically selected
to yield the smallest possible nonempty kernel window, as was recommended
by Breidt, Opsomer, and Sanchez-Borrego (2016). That's the case for
the functions as_fays_gen_rep_design(), as_gen_boot_design(),
make_quad_form_matrix(), etc. However, users can construct the quadratic
form matrix of this variance estimator using a different kernel and a different bandwidth
by directly working with the function make_kernel_var_matrix().
Deville-Tillé
See Section 6.8 of Tillé (2020) for more detail on this estimator, including an explanation of its quadratic form. See Deville and Tillé (2005) for the results of a simulation study comparing this and other alternative estimators for balanced sampling.
The estimator can be written as follows:
  v(\hat{Y})=\sum_{k \in S} \frac{c_k}{\pi_k^2}\left(y_k-\hat{y}_k^*\right)^2,
where
  \hat{y}_k^*=\mathbf{z}_k^{\top}\left(\sum_{\ell \in S} c_{\ell} \frac{\mathbf{z}_{\ell} \mathbf{z}_{\ell}^{\prime}}{\pi_{\ell}^2}\right)^{-1} \sum_{\ell \in S} c_{\ell} \frac{\mathbf{z}_{\ell} y_{\ell}}{\pi_{\ell}^2}
and \mathbf{z}_k denotes the vector of auxiliary variables for observation k
included in sample S, with inclusion probability \pi_k. The value c_k is set to \frac{n}{n-q}(1-\pi_k),
where n is the number of observations and q is the number of auxiliary variables.
References
Ash, S. (2014). "Using successive difference replication for estimating variances." Survey Methodology, Statistics Canada, 40(1), 47-59.
Beaumont, J.F.; Émond, N. (2022). "A Bootstrap Variance Estimation Method for Multistage Sampling and Two-Phase Sampling When Poisson Sampling Is Used at the Second Phase." Stats, 5: 339-357. https://doi.org/10.3390/stats5020019
Bellhouse, D.R. (1985). "Computing Methods for Variance Estimation in Complex Surveys." Journal of Official Statistics, Vol.1, No.3.
Breidt, F. J., Opsomer, J. D., & Sanchez-Borrego, I. (2016). "Nonparametric Variance Estimation Under Fine Stratification: An Alternative to Collapsed Strata." Journal of the American Statistical Association, 111(514), 822-833. https://doi.org/10.1080/01621459.2015.1058264
Deville, J.C., and Tillé, Y. (2005). "Variance approximation under balanced sampling." Journal of Statistical Planning and Inference, 128, 569-591.
Tillé, Y. (2020). "Sampling and estimation from finite populations." (I. Hekimi, Trans.). Wiley.
Matei, Alina, and Yves Tillé. (2005). "Evaluation of Variance Approximations and Estimators in Maximum Entropy Sampling with Unequal Probability and Fixed Sample Size." Journal of Official Statistics, 21(4):543-70.
Create the "hat matrix" for weighted least squares regression
Description
Create the "hat matrix" for weighted least squares regression
Usage
wls_hat_matrix(X, w)
Arguments
| X | Matrix of predictor variables, with  | 
| w | Vector of weights (should all be nonnegative), of length  | 
Value
An n \times n matrix. This is the "hat matrix" for a WLS regression.