| Type: | Package | 
| Title: | An R Package for Facilitating Large-Scale Latent Variable Analyses in Mplus | 
| Version: | 1.2 | 
| Date: | 2025-08-25 | 
| Maintainer: | Michael Hallquist <michael.hallquist@gmail.com> | 
| Description: | Leverages the R language to automate latent variable model estimation and interpretation using 'Mplus', a powerful latent variable modeling program developed by Muthen and Muthen (https://www.statmodel.com). Specifically, this package provides routines for creating related groups of models, running batches of models, and extracting and tabulating model parameters and fit statistics. | 
| License: | LGPL-3 | 
| URL: | https://michaelhallquist.github.io/MplusAutomation/ | 
| BugReports: | https://github.com/michaelhallquist/MplusAutomation/issues | 
| Depends: | R (≥ 3.5.0), methods | 
| Imports: | utils, boot, plyr, gsubfn, coda, xtable, lattice, texreg, pander, digest, parallel, ggplot2, data.table, fastDummies, checkmate | 
| Suggests: | rhdf5, tcltk, relimp, knitr, testthat (≥ 3.0.0), rmarkdown | 
| LazyLoad: | yes | 
| LazyData: | yes | 
| VignetteBuilder: | knitr | 
| RoxygenNote: | 7.3.2 | 
| Encoding: | UTF-8 | 
| Config/testthat/edition: | 3 | 
| NeedsCompilation: | no | 
| Packaged: | 2025-08-26 12:13:27 UTC; hallquist | 
| Author: | Michael Hallquist [aut, cre], Joshua Wiley [aut], Caspar van Lissa [ctb], Daniel Morillo [ctb] | 
| Repository: | CRAN | 
| Date/Publication: | 2025-09-02 20:50:47 UTC | 
Clean data and calculate the md5 hash
Description
Internal utility function, primarily for prepareMplusData.
Internal utility function, primarily for prepareMplusData.
Usage
.cleanHashData(df, keepCols = NULL, dropCols = NULL, imputed = FALSE)
.hashifyFile(filename, hash, useexisting = FALSE)
Arguments
| df | The R data.frame to be prepared for Mplus | 
| keepCols | A character vector specifying the variable names
within  | 
| dropCols | A character vector specifying the variable names
within  | 
| imputed | A logical whether data are multiply imputed.  Defaults
to  | 
| filename | A character vector containing the filename | 
| hash | A character vector with the hash to use | 
| useexisting | A logical whether to use an existing file name
if one is found containing the hash.  Defaults to  | 
Value
A list of the data and the md5 hash.
A list of the filename (plus hash) and a logical value whether a filename with the hash already existed or not.
Examples
## Not run: 
## basic example
MplusAutomation:::.cleanHashData(mtcars)
## has changes when data changes
MplusAutomation:::.cleanHashData(mtcars[-15,])
## example on a list (e.g., for multiply imputed data)
MplusAutomation:::.cleanHashData(
 list(
   data.frame(a = 1:4),
   data.frame(a = c(2, 2, 3, 4))),
  imputed = TRUE)
## End(Not run)
MplusAutomation:::.hashifyFile("testit.dat", "abc")
Convert a matrix or data frame to numeric or integer for Mplus
Description
Primarily an internal utility function, for prepareMplusData.
Usage
.convertData(df, dummyCode = NULL)
Arguments
| df | A matrix or data frame | 
Value
An error if it cannot be converted or a matrix or data frame with all variables converted to numeric or integer classes
Examples
## Not run: 
df1 <- df2 <- df3 <- df4 <- mtcars
df2$cyl <- factor(df2$cyl)
df2$am <- as.logical(df2$am)
df3$mpg <- as.character(df3$mpg)
df4$vs <- as.Date(df4$vs, origin = "1989-01-01")
df5 <- as.matrix(cars)
df6 <- matrix(c(TRUE, TRUE, FALSE, FALSE), ncol = 2)
df7 <- as.list(mtcars)
MplusAutomation:::.convertData(df1)
MplusAutomation:::.convertData(df2)
MplusAutomation:::.convertData(df3)
MplusAutomation:::.convertData(df4)
MplusAutomation:::.convertData(df5)
MplusAutomation:::.convertData(df6)
MplusAutomation:::.convertData(df7)
rm(df1, df2, df3, df4, df5, df6, df7)
## End(Not run)
Internal Function for Multinomial Regression in Mplus
Description
Internal Function for Multinomial Regression in Mplus
Usage
.mplusMultinomial(
  dv,
  iv,
  data,
  idvar = "",
  integration = 1000,
  processors = 2,
  OR = TRUE,
  pairwise = TRUE,
  ...
)
Arguments
| dv | A character string with the variable name for the dependent (outcome) variable. | 
| iv | A character vector with the variable name(s) for the independent (predictor/explanatory) variable(s). | 
| data | A dataset. | 
| idvar | Optional. A character string indicating the name of the ID variable. Not currently used but may be used in future. | 
| integration | An integer indicating the number of Monte Carlo integration points to use. Defaults to 1000. | 
| processors | An integer indicating the number of processors to use. Passed to Mplus. Defaults to 2. | 
| OR | A logical value whether odds ratios should be returned.
Defaults to  | 
| pairwise | A logical value indicating whether all pairwise
tests should be computed. Defaults to  | 
| ... | Additional arguments passed to  | 
Value
A list of results and Mplus model object.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
## Not run: 
set.seed(1234)
tmpd <- data.frame(
  x1 = rnorm(200),
  x2 = rnorm(200),
  x3 = cut(rnorm(200),
           breaks = c(-Inf, -.7, .7, Inf),
           labels = c("a", "b", "c")))
tmpd$y <- cut(rnorm(200, sd = 2) + tmpd$x1 + tmpd$x2 + I(tmpd$x3 == "b"),
              breaks = c(-Inf, -.5, 1, Inf),
              labels = c("L", "M", "H"))
tmpres <- MplusAutomation:::.mplusMultinomial(
  dv = "y",
  iv = c("x1", "x2"),
  data = tmpd,
  pairwise = TRUE)
tmpres2 <- MplusAutomation:::.mplusMultinomial(
  dv = "y",
  iv = c("x1", "x2"),
  data = tmpd,
  pairwise = FALSE)
tmpres3 <- MplusAutomation:::.mplusMultinomial(
  dv = "y",
  iv = c("x1@0", "x2@0"),
  data = tmpd,
  pairwise = FALSE)
## End(Not run)
Create an HTML file containing a summary table of Mplus model statistics
Description
Creates an HTML file containing a summary table of model fit statistics extracted using the extractModelSummaries function.
By default, the following summary statistics are included: Title, LL, Parameters, AIC, AICC, BIC, RMSEA_Estimate,
but these are customizable using the keepCols and dropCols parameters.
Usage
HTMLSummaryTable(
  modelList,
  filename = file.path(getwd(), "Model Comparison.html"),
  keepCols,
  dropCols,
  sortBy = NULL,
  display = FALSE
)
Arguments
| modelList | A list of models (as a  | 
| filename | The name of the HTML file to be created. Can be an absolute or relative path. If  | 
| keepCols | A vector of character strings indicating which columns/variables to display in the summary.
Only columns included in this list will be displayed (all others excluded). By default,  | 
| dropCols | A vector of character strings indicating which columns/variables to omit from the summary.
Any column not included in this list will be displayed. By default,  | 
| sortBy | optional. Field name (as character string) by which to sort the table. Typically an information criterion
(e.g., "AIC" or "BIC") is used to sort the table.
Defaults to  | 
| display | optional. This parameter specifies whether to display the table in a web
browser upon creation ( | 
Value
No value is returned by this function. It is solely used to create an HTML file containing summary statistics.
Note
You must choose between keepCols and dropCols because it is not sensible to use these
together to include and exclude columns. The function will error if you include both parameters.
Author(s)
Michael Hallquist
See Also
extractModelSummaries, showSummaryTable, LatexSummaryTable
Examples
# make me!!!
Display summary table of Mplus model statistics in separate window
Description
Creates a LaTex-formatted summary table of model fit statistics extracted using the extractModelSummaries function.
The table syntax is returned by the function, which is useful for embedding LaTex tables using Sweave.
By default, the following summary statistics are included: Title, LL, Parameters, AIC, AICC, BIC, RMSEA_Estimate,
but these are customizable using the keepCols and dropCols parameters.
Usage
LatexSummaryTable(
  modelList,
  keepCols,
  dropCols,
  sortBy = NULL,
  label = NULL,
  caption = NULL
)
Arguments
| modelList | A list of models (as a  | 
| keepCols | A vector of character strings indicating which columns/variables to display in the summary. Only columns
included in this list will be displayed (all others excluded). By default,  | 
| dropCols | A vector of character strings indicating which columns/variables to omit from the summary.
Any column not included in this list will be displayed. By default,  | 
| sortBy | optional. Field name (as character string) by which to sort the table.
Typically an information criterion (e.g., "AIC" or "BIC") is used to sort the table.
Defaults to  | 
| label | optional. A character string specifying the label for the LaTex table, which can be used for referencing the table. | 
| caption | optional. A character string specifying the caption for the LaTex table. | 
Value
A LaTex-formatted table summarizing the modelList is returned (created by xtable).
Note
You must choose between keepCols and dropCols because it is not sensible to use these together
to include and exclude columns. The function will error if you include both parameters.
Author(s)
Michael Hallquist
See Also
extractModelSummaries, HTMLSummaryTable, showSummaryTable, Sweave
Examples
# make me!!!
Automating Mplus Model Estimation and Interpretation
Description
The MplusAutomation package leverages the flexibility of the R language to automate latent variable model estimation and interpretation using 'Mplus', a powerful latent variable modeling program developed by Muthen and Muthen (http://www.statmodel.com). Specifically, MplusAutomation provides routines for creating related groups of models, running batches of models, and extracting and tabulating model parameters and fit statistics.
Details
The MplusAutomation package has four primary purposes:
- To automatically run groups/batches of models. 
- To provide routines to extract model fit statistics, parameter estimates, and raw data from 'Mplus' output files. 
- To facilitate comparisons among models 
- To provide a template language that allows for the creation of related input files. The core routine for running batches of models is - runModels, with an easy-to-use GUI wrapper,- runModels_Interactive.
The core routine for extracting information from 'Mplus' outputs is readModels, which
returns a list containing all output sections that the package can extract.
To extract summaries, parameters, modification indices, SAVEDATA output, and all other sections that the package
can understand, use the readModels function. This is the recommended way to extract 'Mplus'
output with this package. If the target argument to readModels is a single .out file,
an mplus.model (that is also a list) will be returned containing all output sections that
the package can extract. If target is a directory, a list of mplus.model objects will be returned,
named according to the output filenames.
Note: extractModelSummaries is deprecated and readModels should be preferred.
To extract model summary statistics from one or more output files, see
extractModelSummaries, which returns a data.frame of
fit statistics for models located within a directory. Model fit results can
be summarized in tabular form (for comparing among models) using
showSummaryTable (displays table in separate window),
HTMLSummaryTable (creates HTML file containing summary table),
or LatexSummaryTable (returns a LaTex-formatted table of
summary statistics).
Detailed model fit and parameter comparisons between two models can be obtained using
compareModels.
To create a group of related models from a single template, see createModels.
Please read the MplusAutomation vignette provided along with the package (and on the CRAN website)
in order to understand the template language: vignette("Vignette", package="MplusAutomation").
In addition to the major functions above, a function for converting an R data.frame
for use with 'Mplus' is provided: prepareMplusData. This converts the
data.frame to a tab-delimited file and provides an 'Mplus' syntax stub for variable names.
| Package: | MplusAutomation | 
| Type: | Package | 
| Version: | 1.2 | 
| Date: | 2025-08-25 | 
| License: | LGPL-3 | 
| LazyLoad: | yes | 
Author(s)
Michael Hallquist michael.hallquist@gmail.com, Joshua F. Wiley jwiley.psych@gmail.com
Maintainer: Michael Hallquist michael.hallquist@gmail.com
References
Mplus software. Muthen and Muthen. http://www.statmodel.com
See Also
See runModels for an example running a model.
Functions to identify the operating system
Description
Functions to identify the operating system
Usage
is.windows()
is.macos()
is.linux()
os()
Value
A logical value for the is.* functions and a character string for os()
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
MplusAutomation:::is.windows()
MplusAutomation:::is.macos()
MplusAutomation:::is.linux()
MplusAutomation:::os()
Create a summary table of Mplus model statistics
Description
Creates output (optionally sent to a file) containing a summary table of model fit statistics
extracted using the extractModelSummaries function.
By default, the following summary statistics are included:
Title, LL, Parameters, AIC, AICC, BIC, RMSEA_Estimate,
but these are customizable using the keepCols and dropCols parameters.
Usage
SummaryTable(
  modelList,
  type = c("none", "screen", "popup", "html", "latex", "markdown"),
  filename = "",
  keepCols,
  dropCols,
  sortBy = NULL,
  caption = "",
  display = FALSE,
  ...,
  include.rownames = FALSE
)
Arguments
| modelList | A list of models returned from the  | 
| type | A character vector indicating the type of output format to be generated. One of: “none”, “screen”, “popup”, “html”, “latex”, or “markdown”. Screen results in a simple summary table being sent to the R console. | 
| filename | The name of the file to be created. Can be an absolute or relative path. If  | 
| keepCols | A vector of character strings indicating which columns/variables to display in the summary.
Only columns included in this list will be displayed (all others excluded). By default,  | 
| dropCols | A vector of character strings indicating which columns/variables to omit from the summary.
Any column not included in this list will be displayed. By default,  | 
| sortBy | optional. Field name (as character string) by which to sort the table. Typically an information criterion
(e.g., "AIC" or "BIC") is used to sort the table.
Defaults to  | 
| caption | A character string, the caption to be given to the table. Currently only applies to types “html”, “latex”, and “markdown”. | 
| display | optional logical (defaults to  | 
| include.rownames | optional logical whether to include rownames or not. | 
| ... | additional arguments passed on to specific formatting types. | 
Value
Invisibly returns the summary table, which can be used if the printing options avaiable are not sufficient.
Note
You must choose between keepCols and dropCols because it is not sensible to use these
together to include and exclude columns. The function will error if you include both parameters.
Author(s)
Joshua F. Wiley based on code by Michael Hallquist
See Also
Examples
## Not run: 
 m1 <- mplusObject(TITLE = "Reduced",
  MODEL = "mpg ON wt;", rdata = mtcars)
 m1.fit <- mplusModeler(m1, "mtcars.dat", run = 1L)
 m2 <- mplusObject(TITLE = "Full",
  MODEL = "mpg ON wt hp qsec;", rdata = mtcars)
 m2.fit <- mplusModeler(m2, "mtcars.dat", run = 1L)
 SummaryTable(list(m1.fit, m2.fit))
 SummaryTable(list(m1.fit, m2.fit), type = "popup")
 SummaryTable(list(m1.fit, m2.fit), type = "markdown",
   keepCols = c("Title", "Parameters", "LL", "AIC", "CFI", "SRMR"),
   caption = "Table of Model Fit Statistics",
   split.tables = 200)
 # remove files
 unlink("mtcars.dat")
 unlink("mtcars.inp")
 unlink("mtcars.out")
 unlink("Mplus Run Models.log")
 closeAllConnections()
## End(Not run)
Add a node to a GRAPHVIZ model
Description
To do: add details
Usage
addNode(dotModel, name, role, type)
Arguments
| dotModel | Basic model | 
| name | name of model | 
| role | The role of a variable (can be multiple) | 
| type | The type of variable | 
Value
the dotModel with added node
Change directory
Description
The function takes a path and changes the current working directory to the path. If the directory specified in the path does not currently exist, it will be created.
Usage
cd(base, pre, num)
Arguments
| base | a character string with the base path to the directory. This is required. | 
| pre | an optional character string with the prefix to add to the base path. Non character strings will be coerced to character class. | 
| num | an optional character string, prefixed by  | 
Details
The function has been designed to be platform independent,
although it has had limited testing. Path creation is done using
file.path, the existence of the directory is checked using
file.exists and the directory created with dir.create.
Only the first argument, is required.  The other optional arguments
are handy when one wants to create many similar directories with a common base.
Value
NULL, changes the current working directory
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
## Not run: 
# an example just using the base
cd("~/testdir")
# an example using the optional arguments
base <- "~/testdir"
pre <- "test_"
cd(base, pre, 1)
cd(base, pre, 2)
## End(Not run)
check on the status of submitted Mplus jobs on the cluster
Description
check on the status of submitted Mplus jobs on the cluster
Usage
checkSubmission(mplus_submission_df = NULL, quiet = FALSE)
Arguments
| mplus_submission_df | The data.frame returned by  | 
| quiet | If  | 
Value
invisibly, the mplus_submission_df with $status amd $status_time updated
Classifies Tags
Description
Accepts a vector of tags to be classified as well as the iterators. Tags are classified as ‘iterator’, ‘array’, ‘conditional’, or ‘simple’. This is an internal function.
Usage
classifyTags(tagVector, iteratorsVector)
Arguments
| tagVector | A vector of tags to be classified | 
| iteratorsVector | a vector of the iterators to correctly classify tags | 
Value
A character vector the same length as the vectors to be tagged
Clip String
Description
To do: add any details.
Usage
clipString(string, start, end)
Arguments
| string | A string to be clipped | 
| start | The character position to start at | 
| end | The character position to end at | 
Value
A string from start to end
Return coefficients for an mplus.model object
Description
This is a method for returning the coefficients of an mplus.model object.
It works directly on an object stored from readModels such as:
object <- readModels("/path/to/model/model.out").
Method that calls coef.mplus.model.
See further documentation there.
Usage
## S3 method for class 'mplus.model'
coef(
  object,
  type = c("un", "std", "stdy", "stdyx"),
  params = c("regression", "loading", "undirected", "expectation", "variability", "new"),
  ...,
  raw = FALSE
)
## S3 method for class 'mplusObject'
coef(object, ...)
Arguments
| object | An object of class mplusObject | 
| type | A character vector indicating the type of coefficients to return. One of “un”, “std”, “stdy”, or “stdyx”. | 
| params | A character vector indicating what type of parameters to extract. Any combination of “regression”, “loading”, “undirected”, “expectation”, “variability”, and “new”. A single one can be passed or multiple. By default, all are used and all parameters are returned. | 
| ... | Additional arguments to pass on (not currently used) | 
| raw | A logical defaulting to  | 
Value
Either a data frame of class ‘mplus.model.coefs’, or in
the case of multiple group models, a list of class ‘mplus.model.coefs’,
where each element of the list is a data frame of class ‘mplus.model.coefs’,
or a named vector of coefficients, if raw=TRUE.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Other Mplus-Formatting: 
confint.mplus.model(),
extract(),
print.MplusRstructure(),
summary.mplusObject()
Examples
## Not run: 
# simple example of a model using builtin data
# demonstrates use
test <- mplusObject(
  TITLE = "test the MplusAutomation Package;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  OUTPUT = "STANDARDIZED;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
# example of the coef method on an mplud.model object
# note that res$results holds the results of readModels()
coef(res$results)
coef(res$results, type = "std")
coef(res$results, type = "stdy")
coef(res$results, type = "stdyx")
# there is also a method for mplusObject class
coef(res)
# remove files
unlink("mtcars.dat")
unlink("model1.inp")
unlink("model1.out")
unlink("Mplus Run Models.log")
## End(Not run)
Compare the output of two Mplus models
Description
The compareModels function compares the output of two Mplus files and prints similarities and
differences in the model summary statistics and parameter estimates. Options are provided
for filtering out fixed parameters and nonsignificant parameters. When requested, compareModels
will compute the chi-square difference test for nested models (does not apply to MLMV, WLSM, and WLSMV
estimators, where DIFFTEST in Mplus is needed).
Usage
compareModels(
  m1,
  m2,
  show = "all",
  equalityMargin = c(param = 1e-04, pvalue = 1e-04),
  compare = "unstandardized",
  sort = "none",
  showFixed = FALSE,
  showNS = TRUE,
  diffTest = FALSE
)
Arguments
| m1 | The first Mplus model to be compared. Generated by  | 
| m2 | The second Mplus model to be compared. | 
| show | What aspects of the models should be compared. Options are "all", "summaries", "equal", "diff", "pdiff", and "unique". See below for details. | 
| equalityMargin | Defines the discrepancy between models that is considered equal. Different margins can be specified for p-value equality versus parameter equality. Defaults to .0001 for both. | 
| compare | Which parameter estimates should be compared. Options are "unstandardized", "stdyx.standardized" "stdy.standardized", and "std.standardized". | 
| sort | How to sort the output of parameter comparisons. Options are "none", "type", "alphabetical", and "maxDiff". See below for details. | 
| showFixed | Whether to display fixed parameters in the output (identified
where the est/se = 999.000, per Mplus convention). Default to  | 
| showNS | Whether to display non-significant parameter estimates. Can be
 | 
| diffTest | Whether to compute a chi-square difference test between the models. Assumes that the models are nested. Not available for MLMV, WLSMV, and ULSMV estimators. Use DIFFTEST in Mplus instead. | 
Details
Model outputs to be compared should come from the readModels command.
The show parameter can be one or more of the following, which can be
passed as a vector, such as c("equal", "pdiff").
-  "all": Display all available model comparison. Equivalent toc("summaries", "equal", "diff", "pdiff", "unique").
-  "summaries": Print a comparison of model summary statistics. Compares the following summary statistics (where available):c("Title", "Observations", "Estimator", "Parameters", "LL", "AIC", "BIC", "ChiSqM_Value", "ChiSqM_DF", "CFI", "TLI", "RMSEA", "SRMR", "WRMR").
-  "allsummaries": Print a comparison of all summary statistics available in each model. May generate a lot of output.
-  "equal": Print parameter estimates that are equal between models (i.e.,<= equalityMargin["param"]).
-  "diff": Print parameter estimates that are different between models (i.e.,> equalityMargin["param"]).
-  "pdiff": Print parameter estimates where the p-values differ between models (i.e.,> equalityMargin["pvalue"]).
-  "unique": Print parameter estimates that are unique to each model.
The sort parameter determines the order in which parameter estimates
are displayed. The following options are available:
-  "none": No sorting is performed, so parameters are output in the order presented in Mplus. (Default)
-  "type": Sort parameters by their role in the model. This groups output by regression coefficient (ON), factor loadings (BY), covariances (WITH), and so on. Within each type, output is alphabetical.
-  "alphabetical": Sort parameters in alphabetical order.
-  "maxDiff": Sort parameter output by the largest differences between models (high to low).
Value
A list containing the results of the comparison. Elements include
summaries with selected summary statistics for both models,
parameters listing equal and differing parameters as well as those
unique to each model, and, when diffTest = TRUE, a diffTest
element with the chi-square difference test.
Author(s)
Michael Hallquist
Examples
# make me!!!
Return confidence intervals for an mplus.model object
Description
This is a method for returning the confidence of an mplus.model object.
It works directly on an object stored from readModels such as:
object <- readModels("/path/to/model/model.out").
Method that calls confint.mplus.model.
See further documentation there.
Usage
## S3 method for class 'mplus.model'
confint(
  object,
  parm,
  level = 0.95,
  type = c("un", "std", "stdy", "stdyx"),
  params = c("regression", "loading", "undirected", "expectation", "variability", "new"),
  ...
)
## S3 method for class 'mplusObject'
confint(object, ...)
Arguments
| object | An object of class mplusObject | 
| parm | Included as all  | 
| level | A numeric vector indicating the level of confidence interval to extract. Options are .95, .90, or .99 as those are all Mplus provides. | 
| type | A character vector indicating the type of confidence intervals to return. One of “un”, “std”, “stdy”, or “stdyx”. | 
| params | A character vector indicating what type of parameters to extract. Any combination of “regression”, “loading”, “undirected”, “expectation”, “variability”, and “new”. A single one can be passed or multiple. By default, all are used and all parameters are returned. | 
| ... | Additional arguments to pass on (not currently used) | 
Value
A data frame of class ‘mplus.model.cis’, or in the case of multiple group models, a list of class ‘mplus.model.cis’, where each element of the list is a data frame of class ‘mplus.model.cis’.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Other Mplus-Formatting: 
coef.mplus.model(),
extract(),
print.MplusRstructure(),
summary.mplusObject()
Examples
## Not run: 
# simple example of a model using builtin data
# demonstrates use
test <- mplusObject(
  TITLE = "test the MplusAutomation Package;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  OUTPUT = "STANDARDIZED; CINTERVAL;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
# example of the confint method on an mplus.model object
# note that res$results holds the results of readModels()
confint(res$results)
confint(res$results, type = "std")
confint(res$results, type = "stdy")
confint(res$results, type = "stdyx", level = .99)
# there is also a method for mplusObject class
confint(res)
screenreg(res, cis = TRUE, single.row = TRUE)
# remove files
unlink("mtcars.dat")
unlink("model1.inp")
unlink("model1.out")
unlink("Mplus Run Models.log")
## End(Not run)
Connect two nodes
Description
To do: add details
Usage
connectNodes(dotModel, node1, node2, connectionType)
Arguments
| dotModel | The basic model | 
| node1 | The starting node | 
| node2 | The ending node | 
| connectionType | The type of connection to add between nodes 1 and 2 | 
helper function to crawl over the target location, determine if it is a file or folder, then locate all .inp files, and convert them to absolute paths
Description
helper function to crawl over the target location, determine if it is a file or folder, then locate all .inp files, and convert them to absolute paths
Usage
convert_to_filelist(target, filefilter = NULL, recursive = FALSE)
Arguments
| target | a character vector where each element is a directory containing Mplus input files (.inp) to run OR a single .inp file to be run. Elements may be a full path, relative path, or a filename within the working directory. | 
| filefilter | An optional PCRE expression for filtering input files of interest | 
| recursive | if TRUE, search for .inp files in subfolders of all elements of  | 
Value
A vector of .inp file locaitons
Create syntax for a batch of mixture models
Description
Dynamically creates syntax for a batch of mixture models, with intelligent
defaults. This function is a wrapper around mplusObject and
mplusModeler, and the respective arguments of those functions can be
passed on using .... For instance, passing the argument
run = 1L means that the models will be evaluated and returned.
Usage
createMixtures(
  classes = 1L,
  filename_stem = NULL,
  model_overall = NULL,
  model_class_specific = NULL,
  rdata = NULL,
  usevariables = NULL,
  OUTPUT = "TECH11 TECH14;",
  SAVEDATA = "FILE IS {filename_stem}_{C}.dat;  SAVE = cprobabilities;",
  quiet = TRUE,
  ...
)
Arguments
| classes | A vector of integers, indicating which class solutions to
generate. Defaults to 1L. E.g.,  | 
| filename_stem | Character. A stem for the automatically generated filenames of the syntax and data files. | 
| model_overall | Character. Mplus syntax for the overall model (across classes). | 
| model_class_specific | Character vector. Mplus syntax for the
class-specific model(s) of one or more categorical latent variables. Each
element of  | 
| rdata | Data.frame. An R dataset to be used for the model. | 
| usevariables | Character vector, specifying the names of variables in the rdata object which should be included in the Mplus data file and model. | 
| OUTPUT | Character. Syntax for Mplus' OUTPUT option. Highly recommended when determining the appropriate number of latent classes. TECH11 is required to obtain the VLMR-test; TECH14 is required for the BLR-test. | 
| SAVEDATA | Character. Syntax for Mplus' savedata option. Highly recommended when conducting mixture models. The default option will often be adequate. | 
| quiet | optional. If  | 
| ... | Additional arguments, passed to mplusObject, such as syntax for other Mplus options. | 
Details
In the arguments model_class_specific and SAVEDATA, the
character string “{C}” is substituted with the correct class number.
The character string “{filename_stem}” is substituted with the
filename stem, for example, to name savedata in line with the input files.
In all arguments to mplusObject, a double space (“  ”) is
replaced with a newline character. This can be used to obtain nicely
formatted Mplus syntax.
Value
None, unless the argument run = 1L is specified. In that case,
a list with elements of class mplusObject is returned. Otherwise, this
function is used for its side effects (generating syntax).
Author(s)
Caspar J. van Lissa
See Also
Examples
## Not run: 
createMixtures(classes = 1:3, filename_stem = "iris", rdata = iris)
## End(Not run)
## Not run: 
mydat <- read.csv(
system.file("extdata", "ex8.13.csv", package = "MplusAutomation"))
createMixtures(
classes = 2,
filename_stem = "dating",
model_overall = "c2 ON c1;",
model_class_specific = c(
"[u11$1] (a{C});  [u12$1] (b{C});  [u13$1] (c{C});  [u14$1] (d{C});  [u15$1] (e{C});",
"[u21$1] (a{C});  [u22$1] (b{C});  [u23$1] (c{C});  [u24$1] (d{C});  [u25$1] (e{C});"
),
rdata = mydat,
ANALYSIS = "PROCESSORS IS 2;  LRTSTARTS (0 0 40 20);  PARAMETERIZATION = PROBABILITY;",
VARIABLE = "CATEGORICAL = u11-u15 u21-u25;"
)
## End(Not run)
Create Mplus Input Files from Template
Description
The createModels function processes a single Mplus template file and creates a group of related
model input files. Definitions and examples for the template language are provided in the MplusAutomation
vignette and are not duplicated here at the moment. See this documentation: vignette("Vignette", package="MplusAutomation")
Usage
createModels(templatefile)
Arguments
| templatefile | The filename (absolute or relative path) of an Mplus template file to be processed. Example “C:/MplusTemplate.txt” | 
Value
No value is returned by this function. It is solely used to process an Mplus template file.
Author(s)
Michael Hallquist
Examples
## Not run: 
  createModels("L2 Multimodel Template No iter.txt")
## End(Not run)
Create the Mplus input text for an mplusObject
Description
This function takes an object of class mplusObject and creates
the Mplus input text corresponding to it, including data link and
variable names.
Usage
createSyntax(object, filename, check = TRUE, add = FALSE, imputed = FALSE)
Arguments
| object | An object of class mplusObject | 
| filename | The name of the data file as a character vector | 
| check | A logical indicating whether or not to run  | 
| add | A logical passed on to  | 
| imputed | A logical whether the data are multiply imputed.
Defaults to  | 
Value
A character string containing all the text for the Mplus input file.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
prepareMplusData, mplusModeler
Examples
# example mplusObject
example1 <- mplusObject(MODEL = "mpg ON wt;",
  usevariables = c("mpg", "hp"), rdata = mtcars)
# create the Mplus input text
cat(createSyntax(example1, "example1.dat"), file=stdout(), fill=TRUE)
# update the object, then create input text
cat(createSyntax(update(example1,
  TITLE = ~ "This is my title;",
  MODEL = ~ . + "\nmpg ON hp;",
  usevariables = c("mpg", "hp", "wt")), "example1.dat"),
  file=stdout(),
  fill=TRUE)
rm(example1)
Create Mplus syntax for variable names
Description
This is a simple function designed to take a dataset in R
and translate it into a set of variable names for Mplus.
Usage
createVarSyntax(data)
Arguments
| data | An  | 
Value
A character vector of the variable names for Mplus
See Also
Examples
MplusAutomation:::createVarSyntax(mtcars)
Detect Column Names
Description
Helper function to detect model results columns.
Usage
detectColumnNames(filename, modelSection, sectionType = "model_results")
Arguments
| filename | The file name | 
| modelSection | The model section | 
| sectionType | A character string. Defaults to “model_results”. | 
Value
A list with elements for the directory, filename, and absolute path.
Examples
# make me!!!
Detect the location/name of the Mplus command
Description
This is an utility function to help detect the correct name/path to Mplus. It tries hard across operating systems to find Mplus and if it cannot find the full version of Mplus to find a demo version of Mplus.
Usage
detectMplus()
Details
It does not require any arguments.
Value
A character string that is the Mplus command possibly the path to the mplus command or an error if it cannot be found.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
## if you have Mplus installed, uncomment and run
## this will give an error if it cannot find Mplus.
## detectMplus()
Automatically detect variables from an Mplus model object
Description
This is a function to automatically detect the variables used in an Mplus model object.
Usage
detectVariables(object, quiet = TRUE)
Arguments
| object | An Mplus model object from  | 
| quiet | optional. If  | 
Value
A vector of variables from the R dataset to use.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Examples
example1 <- mplusObject(MODEL = "mpg ON wt;",
  rdata = mtcars, autov = FALSE)
example1$usevariables
MplusAutomation:::detectVariables(example1)
example2 <- mplusObject(MODEL = "mpg ON wt;",
  rdata = mtcars, autov = TRUE)
example2$usevariables
example3 <- update(example2,
  MODEL = ~ . + "mpg ON qsec; wt WITH qsec;",
  autov = TRUE)
example3$usevariables
rm(example1, example2, example3)
helper function to convert a dhms string to the number of hours for combining similar job times
Description
helper function to convert a dhms string to the number of hours for combining similar job times
Usage
dhms_to_hours(str)
Arguments
| str | string in dhms format | 
Value
the number of hours represented by the dhms string
Divide text into fields
Description
Helper function to divide an input section into key-value pair list taken from mplus2lavaan
Usage
divideIntoFields(section.text, required)
Arguments
| section.text | The section text | 
| required | Required sections | 
Value
Divided sections
Examples
# make me!!!
Evaluate Conditional
Description
Note that at thie point the comparator must be a number (not another variable).
Usage
evaluateConditional(tag, initCollection)
Arguments
| tag | A tag | 
| initCollection | The list of all arguments parsed from the init section | 
Value
A boolean value indicating whether the conditional is true
Expand Mplus-style hyphenated variable ranges
Description
Expands Mplus shorthand expressions that specify sequences of variables
using hyphenated ranges (e.g., y1-y3) into the full list of
variables (e.g., y1 y2 y3). This function also propagates suffixes
from the right-hand token (e.g., @c, *c, or bare *)
to every expanded variable (e.g., y1-y3@1 -> y1@1 y2@1 y3@1).
Usage
expandCmd(cmd, expand_numeric = FALSE)
Arguments
| cmd | A single character string containing Mplus syntax to expand. | 
| expand_numeric | Logical. If  | 
Details
By default, the function does not expand pure numeric ranges (e.g.,
1-3) to avoid confusion with arithmetic subtraction. If
expand_numeric = TRUE, such ranges will be expanded when they
appear in list-like contexts (whitespace/comma/semicolon/parentheses
boundaries) and the line does not contain an equals sign (to avoid
accidental expansion of arithmetic like d = 1 - 3).
Hyphens in MODEL CONSTRAINT expressions such as
a = b1-b2 are explicitly protected and left untouched.
Value
A character string with hyphenated ranges expanded to explicit variable lists.
Examples
## Not run: 
expandCmd("y1-y3 y5-y6")
# "y1 y2 y3 y5 y6"
expandCmd("BY y1-y3@0.5;")
# "BY y1@0.5 y2@0.5 y3@0.5;"
expandCmd("z10-z12*2")
# "z10*2 z11*2 z12*2"
expandCmd("MODEL CONSTRAINT: a = b1-b2;")
# "MODEL CONSTRAINT: a = b1-b2;" (unchanged)
expandCmd("1 - 3", expand_numeric = TRUE)
# "1 2 3"
expandCmd("d = 1 - 3;", expand_numeric = TRUE)
# "d = 1 - 3;" (unchanged because of '=')
## End(Not run)
Extract function to make Mplus output work with the texreg package
Description
This is a method for extracting output in a format
suitable for the texreg package.  Uses coef for most the work.
Usage
extract.mplus.model(
  model,
  summaries = "none",
  cis = FALSE,
  escape.latex = FALSE,
  ...
)
extract.mplusObject(model, summaries = "none", cis = FALSE, ...)
## S4 method for signature 'mplus.model'
extract(model, summaries = "none", cis = FALSE, escape.latex = FALSE, ...)
## S4 method for signature 'mplusObject'
extract(model, summaries = "none", cis = FALSE, ...)
Arguments
| model | An Mplus model object.  This typically comes either from
 | 
| summaries | A character vector which summaries to include. Defaults to “none”. | 
| cis | A logical whether to extract confidence intervals. | 
| escape.latex | A logical value whether to escape dollar signs in
coefficient names for LaTeX.  Defaults to  | 
| ... | Additional arguments passed to  | 
Value
A texreg object, or for multiple group models,
a list of texreg objects.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Other Mplus-Formatting: 
coef.mplus.model(),
confint.mplus.model(),
print.MplusRstructure(),
summary.mplusObject()
Examples
## Not run: 
# simple example of a model using builtin data
# demonstrates use
test <- mplusObject(
  TITLE = "test the MplusAutomation Package;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  OUTPUT = "STANDARDIZED;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
extract(res$results)
# there is also a method for mplusObject class
extract(res)
# load the texreg package
# to use pretty printing via screenreg
# uncomment to run these examples
# library(texreg)
# screenreg(res)
# screenreg(res, type = 'stdyx')
# screenreg(res, type = 'un', params = 'regression',
#   single.row=TRUE)
# screenreg(res, type = 'un', params = 'regression', summaries = 'CFI',
#   single.row=TRUE)
# remove files
unlink("mtcars.dat")
unlink("model1.inp")
unlink("model1.out")
unlink("Mplus Run Models.log")
## End(Not run)
Extract Auxiliary condition means and comparisons.
Description
To do: add details.
Usage
extractAux(outfiletext, filename)
Arguments
| outfiletext | character vector of Mplus output file from which to extract the AUX section | 
| filename | filename of the Mplus output file being processed | 
Value
A data frame
Extract Latent Class Counts
Description
Function for extracting counts of latent classes
Usage
extractClassCounts(outfiletext, filename, summaries)
Arguments
| outfiletext | The text of the output file | 
| filename | The name of the output file | 
Value
a list
Examples
# make me!!!
Function to extract the SUMMARY OF DATA section from Mplus outputs
Description
Function to extract the SUMMARY OF DATA section from Mplus outputs
Usage
extractDataSummary(outfiletext, filename)
Arguments
| outfiletext | The text of the output file | 
| filename | the name of the file containing textToScan. Used to make more intelligible warning messages. | 
Extract the model parameters from an EFA Mplus model output
Description
Extract the model parameters from an EFA Mplus model output
Usage
extractEFAparameters(outfiletext, filename)
Arguments
| outfiletext | character vector of Mplus output file being processed | 
| filename | name of the output file | 
Value
list of parsed EFA parameters
Extract Factor Score Statistics
Description
Function for extracting matrices for factor scores
Usage
extractFacScoreStats(outfiletext, filename)
Arguments
| outfiletext | The text of the output file | 
| filename | The name of the output file | 
Value
A list
See Also
Examples
# make me!!!
Extract free file output
Description
Function for reading "free" output where a sequence of values populates a matrix
Usage
extractFreeFile(filename, outfile, make_symmetric = TRUE)
Arguments
| filename | The name of the output file | 
| outfile | The output file | 
| make_symmetric | A logical indicating whether or not to make the matrix symmetric, defaults to  | 
Value
a matrix
Examples
# make me!!!
Extract Indirect Effects output
Description
This function parses both unstandardized and standardized indirect effects It returns a list composed of $unstandardized and $standardized. The base structure of each is a list containing $overall and $specific effects (as data.frames)
Usage
extractIndirect(outfiletext, curfile)
Arguments
| outfiletext | a character vector containing the indirect effects output section returned by getSection | 
| curfile | the name of the current output file being parsed | 
Value
An mplus.indirect object (inherits list) containing $overall and $specific
Extract Indirect Effects output
Description
This function parses a given indirect section It returns a list composed of $overall and $specific effects
Usage
extractIndirect_section(indirectSection, curfile, sectionType)
Arguments
| indirectSection | a character vector containing the indirect effects for a specific section (e.g., stdyx) | 
| curfile | the name of the current output file being parsed | 
Value
An mplus.indirect object (inherits list) containing $overall and $specific
Extract and parse Mplus input file
Description
Function to extract and parse mplus input syntax from the output file
Usage
extractInput_1file(outfiletext, filename)
Arguments
| outfiletext | The text of the output file | 
| filename | The filename | 
Value
The parsed input file
(DEPRECATED) Extract model modification indices.
Description
Extracts the model modification indices from the MODEL MODIFICATION INDICES section of one
or more Mplus output files. If the target is a directory, all .out files therein will be parsed
and a single list will be returned, where the list elements are named by the output file name.
Returned parameters typically include the pairwise relationships between variables to be freed,
the change in model chi-square (M.I.), and the expected parameter change (E.P.C.).
Usage
extractModIndices(target = getwd(), recursive = FALSE, filefilter)
Arguments
| target | the directory containing Mplus output files (.out) to parse OR the single output file to be parsed. May be a full path, relative path, or a filename within the working directory. Defaults to the current working directory. Example: “C:/Users/Michael/Mplus Runs” | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible)
specifying particular output files to be parsed within  | 
Value
If target is a single file, a data.frame
containing modification results for the target output file will be
returned. If target is a directory, a list will be returned,
where each element contains a data.frame of the modification indices
for a single file, and the top-level elements are named after the
corresponding output file name. The basic data.frame containing
the MODEL MODIFICATION INDICES section of outfile. Variables include
-  modV1: The first variable in the pair to be freed according to the M.I.
-  operator: The suggested relationship betweenmodV1andmodV2(e.g., WITH for freeing the covariance betweenmodV1andmodV2)
-  modV2: The first variable in the pair to be freed according to the M.I.
-  MI: The decrease in model chi-square if the specified relationship is freely estimated
-  EPC: The expected parameter estimate betweenmodV1andmodV2if freed.
-  Std_EPC: The EPC value standardized using the variances of the continuous latent variables.
-  StdYX_EPC: The EPC value standardized using the variances of the continuous latent variables as well as the variances of the background and/or outcome variables.
Author(s)
Michael Hallquist
See Also
readModels, extractModelSummaries, extractModelParameters
Examples
## Not run: 
ex3.14 <- extractModIndices(
	"C:/Program Files/Mplus/Mplus Examples/User's Guide Examples/ex3.14.out")
## End(Not run)
Extract Modification Indices for One Chunk (Section)
Description
To do: add details.
Usage
extractModIndices_1chunk(chunk, columnNames, filename)
Arguments
| chunk | character vector of current subsection from which to extract mod indices | 
| columnNames | character vector of expected column (variable) names for section | 
| filename | name of Mplus output file being parsed | 
Value
A data frame
Extract Modification Indices for One File
Description
To do: add details.
Usage
extractModIndices_1file(outfiletext, filename)
Arguments
| outfiletext | character vector of Mplus output file being processed | 
| filename | name of Mplus output file being processed | 
Value
A data frame
(DEPRECATED) Extract model parameters from MODEL RESULTS section.
Description
Extracts the model parameters from the MODEL RESULTS section of one or more Mplus output files.
If a particular output file has more than one results section (unstandardized, stdyx, stdy, and/or std),
a list will be returned. If the target is a directory, all .out files therein will be parsed
and a single list will be returned, where the list elements are named by the output file name.
Returned parameters often include the parameter estimate, std. err, param/s.e., and two-tailed p-value.
Usage
extractModelParameters(
  target = getwd(),
  recursive = FALSE,
  filefilter,
  dropDimensions = FALSE,
  resultType
)
Arguments
| target | the directory containing Mplus output files (.out) to parse OR the single output file to be parsed. May be a full path, relative path, or a filename within the working directory. Defaults to the current working directory. Example: “C:/Users/Michael/Mplus Runs” | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible) specifying particular output
files to be parsed within  | 
| dropDimensions | Relevant only for multi-file parsing. If  | 
| resultType | N.B.: this parameter is deprecated and will be removed in a future version. The
new default is to extract all results that are present and return a list (see below for details).
 | 
Value
If target is a single file, a list containing unstandardized and standardized results will be
returned. If all standardized solutions are available, the list element will be named: unstandardized,
stdyx.standardized, stdy.standardized, and std.standardized. If confidence intervals
are output using OUTPUT:CINTERVAL, then a list element named ci.unstandardized will be included.
Each of these list elements is a data.frame containing relevant model parameters.
If target is a directory, a list will be returned, where each element contains the results for
a single file, and the top-level elements are named after the corresponding output file name. Each
element within this list is itself a list, with elements as in the single file case above.
The core data.frame for each MODEL RESULTS section typically has the following structure:
-  paramHeader: The header that begins a given parameter set. Example: "FACTOR1 BY"
-  param: The particular parameter being measured (withinparamHeader). Example: "ITEM1"
-  est: Parameter estimate value.
-  se: Standard error of the estimate
-  est_se: Quotient ofest/se, representing z-test/t-test in large samples
-  pval: Two-tailed p-value for theest_sequotient.
In the case of output from Bayesian estimation (ESTIMATOR=BAYES), the data.frame will contain
a different set of variables, including some of the above, as well as
-  posterior_sd: Posterior standard deviation of the estimate.
-  lower_2.5ci: Lower 2.5 percentile of the estimate.
-  upper_2.5ci: Upper 2.5 percentile (aka 97.5 percentile) of the estimate.
Also note that the pval column for Bayesian output represents a one-tailed estimate.
In the case of output from a Monte Carlo study (MONTECARLO: and MODEL POPULATION:), the data.frame will contain
a different set of variables, including some of the above, as well as
-  population: Population parameter value.
-  average: Average parameter estimate across replications.
-  population_sd: Standard deviation of parameter value in population across replications.
-  average_se: Average standard error of estimated parameter value across replications.
-  mse: Mean squared error.
-  cover_95: Proportion of replications whose 95\
-  pct_sig_coef: Proportion of replications for which the two-tailed significance test of the parameter is significant (p < .05).
In the case of confidence interval output (OUTPUT:CINTERVAL), the list element ci.unstandardized will contain
a different set of variables, including some of the above, as well as
-  low.5: Lower 0.5\
-  low2.5: Lower 2.5\
-  low5: Lower 5\
-  est: Parameter estimate value.
-  up5: Upper 5\
-  up2.5: Upper 2.5\
-  up.5: Upper 0.5\
If the model contains multiple latent classes, an additional variable, LatentClass,
will be included, specifying the latent class number. Also, the Categorical Latent Variables section
will be included as LatentClass "Categorical.Latent.Variables."
If the model contains multiple groups, Group will be included.
If the model contains two-level output (between/within), BetweenWithin will be included.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
ex3.14 <- extractModelParameters(
	"C:/Program Files/Mplus/Mplus Examples/User's Guide Examples/ex3.14.out")
## End(Not run)
(DEPRECATED) Extract summary statistics from a single output file or from a group of Mplus models within a directory
Description
Parses a group of Mplus model output files (.out extension) for model fit statistics.
At this time, the details extracted are fixed and include: Filename, InputInstructions, Title, Estimator,
LL, BIC, aBIC, AIC, AICC, Parameters, Observations, CFI, TLI, RMSEA_Estimate, RMSEA_90CI_LB, RMSEA_90CI_UB,
RMSEA_pLT05, ChiSqM_Value, ChiSqM_DF, ChiSq_PValue, BLRT_KM1LL, BLRT_PValue, BLRT_Numdraws). The
infrastructure is in place to allow for user-specified selection of summary statistics in future versions.
Usage
extractModelSummaries(target = getwd(), recursive = FALSE, filefilter)
Arguments
| target | the directory containing Mplus output files (.out) to parse OR the single output file to be parsed. Defaults to the current working directory. Example: "C:/Users/Michael/Mplus Runs" | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible) specifying particular
output files to be parsed within  | 
Value
Returns a data.frame containing model fit statistics for all output files within directory.
The data.frame contains some of the following variables (depends on model type):
-  Title: Title for the model, specified by the TITLE: command
-  Filename: Filename of the output file
-  Estimator: Estimator used for the model (e.g., ML, MLR, WLSMV, etc.)
-  LL: Log-likelihood of the model
-  BIC: Bayesian Information Criterion
-  aBIC: Sample-Size-Adjusted BIC (Sclove, 1987)
-  AIC: Akaike's Information Criterion
-  AICC: Corrected AIC, based on Sugiura (1978) and recommended by Burnham & Anderson (2002)
-  DIC: Deviance Information Criterion. Available in ESTIMATOR=BAYES output.
-  Parameters: Number of parameters estimated by the model
-  pD: Estimated number of parameters in Bayesian output
-  Observations: The number of observations for the model (does not suppport multiple-groups analysis at this time)
-  CFI: Confirmatory Fit Index
-  TLI: Tucker-Lewis Index
-  RMSEA_Estimate: Point estimate of root mean squared error of approximation
-  RMSEA_90CI_LB: Lower bound of the 90\
-  RMSEA_90CI_UB: Upper bound of the 90\
-  RMSEA_pLT05: Probability that the RMSEA estimate falls below .05, indicating good fit.
-  ChiSqM_Value: Model chi-squared value
-  ChiSqM_DF: Model chi-squared degrees of freedom
-  ChiSqM_PValue: Model chi-squared p value
-  ChiSqM_ScalingCorrection: H0 Scaling Correction Factor
-  ObsRepChiSqDiff_95CI_LB: Lower bound of 95\
-  ObsRepChiSqDiff_95CI_UB: Upper bound of 95\
-  PostPred_PValue: Posterior predictive p-value
-  PriorPostPred_PValue: Prior Posterior Predictive P-Value
-  BLRT_RequestedDraws: Number of requested bootstrap draws for TECH14.
-  BLRT_KM1LL: Log-likelihood of the K-1 model (one less class) for the Bootstrapped Likelihood Ratio Test (TECH14).
-  BLRT_2xLLDiff: Two times the log-likelihood difference of the models with K and K-1 classes (TECH14).
-  BLRT_ParamDiff: Difference in the number of parameters for models with K and K-1 classes (TECH14).
-  BLRT_PValue: P-value of the Bootstrapped Likelihood Ratio Test (TECH14) testing whether the K class model is significantly better than K-1
-  BLRT_SuccessfulDraws: The number of successful bootstrapped samples used in the Bootstrapped Likelihood Ratio Test
-  SRMR: Standardized root mean square residual
-  SRMR.Between: For TYPE=TWOLEVEL output, standardized root mean square residual for between level
-  SRMR.Within: For TYPE=TWOLEVEL output, standardized root mean square residual for within level
-  WRMR: Weighted root mean square residual
-  ChiSqBaseline_Value: Baseline (unstructured) chi-squared value
-  ChiSqBaseline_DF: Baseline (unstructured) chi-squared degrees of freedom
-  ChiSqBaseline_PValue: Baseline (unstructured) chi-squared p value
-  NumFactors: For TYPE=EFA output, the number of factors
-  T11_KM1Starts: TECH11: Number of initial stage random starts for k-1 model
-  T11_KM1Final: TECH11: Number of final stage optimizations for k-1 model
-  T11_KM1LL: TECH11: Log-likelihood of the K-1 model used for the Vuong-Lo-Mendell-Rubin LRT
-  T11_VLMR_2xLLDiff: TECH11: 2 * Log-likelihood Difference of K-class vs. K-1-class model for the Vuong-Lo-Mendell-Rubin LRT
-  T11_VLMR_ParamDiff: TECH11: Difference in number of parameters between K-class and K-1-class model for the Vuong-Lo-Mendell-Rubin LRT
-  T11_VLMR_Mean: TECH11: Vuong-Lo-Mendell-Rubin LRT mean
-  T11_VLMR_SD: TECH11: Vuong-Lo-Mendell-Rubin LRT standard deviation
-  T11_VLMR_PValue: TECH11: Vuong-Lo-Mendell-Rubin LRT p-value
-  T11_LMR_Value: TECH11: Lo-Mendell-Rubin Adjusted LRT value
-  T11_LMR_PValue: TECH11: Lo-Mendell-Rubin Adjusted LRT p-value
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  allExamples <- extractModelSummaries(
    "C:/Program Files/Mplus/Mplus Examples/User's Guide Examples")
## End(Not run)
Extract Parameters for One Chunk
Description
Helper function for extractModelParameters. Used to parse each subsection of output within a given file and given results section (e.g., stdyx section) There will be many chunks if latent classes, multiple groups, multilevel features are used.
Usage
extractParameters_1chunk(filename, thisChunk, columnNames, sectionName)
Arguments
| filename | name of Mplus output file being processed | 
| thisChunk | character vector of output chunk from which to extract parameter values | 
| columnNames | character vector of expected column names for output chunk | 
Value
A data frame (or matrix?)
Extract Parameters for One File
Description
To do: add details
Usage
extractParameters_1file(outfiletext, filename, resultType, efa = FALSE)
Arguments
| outfiletext | character vector of Mplus output file being processed | 
| filename | name of Mplus output file being processed | 
| resultType | (deprecated) | 
| efa | indicates whether the output is from an EFA model (requires some additional processing) | 
Value
A list of parameters
Extract Parameters for One Section
Description
To do: add details
Usage
extractParameters_1section(filename, modelSection, sectionName)
Arguments
| filename | name of Mplus output file being processed | 
| modelSection | name of model output section being processed | 
| sectionName | name of output type to search for (e.g., "model_results") | 
Value
A list of parameters
Examples
## Not run: 
  #a few examples of files to parse
  #mg + lc. Results in latent class pattern, not really different from
  #         regular latent class matching. See Example 7.21
  #mg + twolevel. Group is top, bw/wi is 2nd. See Example 9.11
  #lc + twolevel. Bw/wi is top, lc is 2nd. See Example 10.1.
  #               But categorical latent variables is even higher
  #test cases for more complex output: 7.21, 9.7, 9.11, 10.1
## End(Not run)
Extract output of R3STEP procedure
Description
Extract output of R3STEP procedure
Usage
extractR3step(outfiletext, filename)
Arguments
| outfiletext | character vector of Mplus output file from which to extract the AUX section | 
| filename | filename of the Mplus output file being processed | 
Value
A list containing the parsed R3STEP sections
Extract residual matrices
Description
Function that extracts the residual matrices including standardized ones
Usage
extractResiduals(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of the residual matrices
See Also
Examples
# make me!!!
Helper subfunction to extract one section of OUTPUT: RESIDUALS Can be called multiple times, as in the case of invariance testing
Description
Helper subfunction to extract one section of OUTPUT: RESIDUALS Can be called multiple times, as in the case of invariance testing
Usage
extractResiduals_1section(residSection, filename)
Arguments
| residSection | The character vector containing strings for the residual section to be parsed | 
| filename | Character string containing the current output filename being parsed | 
Helper function to extract the sample statistics from Mplus output Depends on OUTPUT: SAMPSTAT
Description
Helper function to extract the sample statistics from Mplus output Depends on OUTPUT: SAMPSTAT
Usage
extractSampstat(outfiletext, filename)
Arguments
| outfiletext | The character vector containing all strings from output file | 
| filename | The current out file being parsed | 
Extract the summaries from one file
Description
Description: This function parses an output file for specific model details. It returns a list of model details for a single output file.
Usage
extractSummaries_1file(outfiletext, filename, input)
Arguments
| outfiletext | This is the output file in string form to be parsed. Passed in from extractModelSummaries. | 
| filename | Name of the file being parsed. Used in case of bad model, prints a warning. | 
Value
A list of the summaries
Examples
# make me!!!
Worker function used in extractSummaries_1section
Description
Worker function used in extractSummaries_1section
Usage
extractSummaries_1plan(
  arglist,
  sectionHeaders,
  sectionFields,
  textToParse,
  filename
)
Arguments
| arglist | The argument list | 
| sectionHeaders | A character vector with headers for each section of interest | 
| sectionFields | is a list of data.frames where each data.frame specifies the fields to be extracted for that section | 
| textToParse | The text to parse | 
| filename | The filename | 
Value
A list
Examples
# make me!!!
Extract summary information for one section from Mplus output
Description
Function to extract model fit statistics from a section, wrapped to allow for multiple fit sections, as in EFA files.
Calls extractSummaries_1plan
Usage
extractSummaries_1section(modelFitSection, arglist, filename, input = list())
Arguments
| modelFitSection | The fit information section | 
| arglist | The argument list | 
| filename | The file name | 
Value
The argument list
Examples
# make me!!!
Extract Technical 1 matrix from Mplus
Description
Function that extracts the Tech1 matrix
Usage
extractTech1(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech1”
See Also
Examples
# make me!!!
Extract Technical 10 matrix from Mplus
Description
Function that extracts the Tech10 matrix
Usage
extractTech10(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
An empty list
See Also
Examples
# make me!!!
Extract Technical 12 from Mplus
Description
The TECH12 option is used in conjunction with TYPE=MIXTURE to request residuals for observed versus model estimated means, variances, covariances, univariate skewness, and univariate kurtosis. The observed values come from the total sample. The estimated values are computed as a mixture across the latent classes.
Usage
extractTech12(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech12”
See Also
Examples
# make me!!!
Extract Technical 15 from Mplus
Description
The TECH15 option is used in conjunction with TYPE=MIXTURE to request conditional probabilities for the latent class variables.
Usage
extractTech15(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech15”
See Also
Examples
# make me!!!
Extract Technical 3 matrix from Mplus
Description
Function that extracts the Tech3 matrix
Usage
extractTech3(outfiletext, savedata_info, filename)
Arguments
| outfiletext | the text of the output file | 
| savedata_info | Information on saved data | 
| filename | The name of the file | 
Value
A list of class “mplus.tech3”
See Also
Examples
# make me!!!
Extract Technical 4 matrix from Mplus
Description
Function that extracts the Tech4 matrix
Usage
extractTech4(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech4”
See Also
Examples
# make me!!!
Extract Technical 7 from Mplus
Description
The TECH7 option is used in conjunction with TYPE=MIXTURE to request sample statistics for each class using raw data weighted by the estimated posterior probabilities for each class.
Usage
extractTech7(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech7”
See Also
Examples
# make me!!!
Extract Technical 8 from Mplus
Description
The TECH8 option is used to print the optimization history of a model. It also prints the potential scale reduction in Bayesian models.
Usage
extractTech8(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech8”
See Also
Examples
# make me!!!
Extract Technical 9 matrix from Mplus
Description
Function that extracts the Tech9 matrix
Usage
extractTech9(outfiletext, filename)
Arguments
| outfiletext | the text of the output file | 
| filename | The name of the file | 
Value
A list of class “mplus.tech9”
See Also
Examples
# make me!!!
Extract values from Mplus output An internal function used by extractSummaries_1file to extract parameters from the output file using regular expressions.
Description
Extract values from Mplus output An internal function used by extractSummaries_1file to extract parameters from the output file using regular expressions.
Usage
extractValue(pattern, textToScan, filename, type = "int")
Arguments
| pattern | the exact text to be matched in the outfile that identifies the parameter of interest | 
| textToScan | the chunk of Mplus output to be parsed, passed as a vector of character strings (from the scan command). | 
| filename | the name of the file containing textToScan. Used to make more intelligible warning messages. | 
| type | the data type of the parameter, which determines the regexp used. Currently can be “int”, “dec”, “str”, or “calc”. Defaults to “int”. | 
Value
A string or numeric vector
Examples
#make me!!!
Extract warnings and errors from 1 mplus file
Description
Helper function
Usage
extractWarningsErrors_1file(outfiletext, filename, input)
Arguments
| outfiletext | The text of the output file | 
| filename | The filename | 
| input | The input | 
Value
A list with two elements
-  errors: Mplus Errors
-  warnings: Mplus Warnings
Examples
# make me!!!
helper function to filter a set of Mplus input files based on whether the corresponding .out file already exists
Description
helper function to filter a set of Mplus input files based on whether the corresponding .out file already exists
Usage
filter_inp_filelist(inp_files, replaceOutfile = "always", quiet = TRUE)
Arguments
| inp_files | a vector of input file locations to check for corresponding .out files | 
| replaceOutfile | optional. Currently supports three settings: “always”, which runs all models, regardless of whether an output file for the model exists; “never”, which does not run any model that has an existing output file; and “modifiedDate”, which only runs a model if the modified date for the input file is more recent than the output file modified date (implying there have been updates to the model). | 
| quiet | whether to print out text indicating what files were skipped | 
Finalize Init Collection
Description
this function should handle initTags that still contain tags once the initCollection is finalized, then process the deferred body tags the notion is that the substitutions will be handled in an inefficient manner – using lots of regular expression parsing, not using the matched tags data.frame
Usage
finalizeInitCollection(initCollection)
Arguments
| initCollection | The list of all arguments parsed from the init section | 
Details
we only need to handle simple and array tags iterators should always be integers foreach and conditional are not relevant
iterate over init tags until no tags are left here, the init collection should already have had most of its tags substituted by replaceInitTags above.
Value
Finalized initCollection
Friendly Regular Expression
Description
Creates data frame documenting the start and end of all tags.
Usage
friendlyGregexpr(pattern, charvector, perl = TRUE, include_tag = TRUE)
Arguments
| pattern | The pattern to search for | 
| charvector | Character vector | 
| perl | A logical whether or not to use perl based
regular expressions.  Defaults to  | 
| include_tag | if TRUE, return the match as a character string. This is the default, but
setting to  | 
Value
A data.frame
Author(s)
Michael Hallquist
Examples
## Not run: 
  friendlyGregexpr("(BY|WITH|ON)", 
    c("POS_WI BY", "X WITH Y WITH Z")
  )
## End(Not run) 
Get Initial Tags
Description
An internal function
Usage
getInitTags(initCollection)
Arguments
| initCollection | A list? | 
Value
The initMatches
Extract a multiline section from Mplus output
Description
New approach to multiline section: retain spaces and look for next line that has identical indentation.
Usage
getMultilineSection(
  header,
  outfiletext,
  filename,
  allowMultiple = FALSE,
  allowSpace = TRUE,
  ignore.case = FALSE
)
Arguments
| header | Header section | 
| outfiletext | Output file text | 
| filename | The name of the file | 
| allowMultiple | Logical indicating whether to allow multiple sections. Defaults to  | 
| allowSpace | Logical indicating whether to allow spaces. Defaults to  | 
| ignore.case | Logical whether or not to ignore the case.  Defaults to  | 
Value
A list of sections
Examples
# make me!!!
Get Output File List
Description
This is a helper function used by extractModelSummaries and extractModelParameters. It determines whether the target is a single file or a directory. If it is a directory, all .out files are returned (perhaps recursively) It also permits the files to be filtered using a certain regular expression.
Usage
getOutFileList(target, recursive = FALSE, filefilter, pathfilter)
Arguments
| target | The target file or directory | 
| recursive | A logical value whether to search recursively.
Defaults to  | 
| filefilter | A PCRE regular expression passed to  | 
| pathfilter | A PCRE regular expression passed to  | 
Value
A character vector of the output files
Load the draws from the Bayesian model posterior distribution (SAVEDATA BPARAMETERS) command into an R data.frame
Description
This function reads a the BPARAMETERS output file from the Mplus SAVEDATA BPARAMETERS command
and returns an R data.frame object.
Usage
getSavedata_Bparams(outfile, discardBurnin = TRUE)
Arguments
| outfile | Required. The name of the Mplus output file to read. Can be an absolute or relative path.
If  | 
| discardBurnin | Optional. Whether to discard the burn-in phase of each MCMC chain (i.e., the first half). | 
Value
A list containing the draws from the MCMC chains for a Bayesian model that uses the
SAVEDATA BPARAMETERS command. Each list element corresponds to a single MCMC chain, as specified by
the ANALYSIS: CHAINS syntax in Mplus. If discardBurnin is FALSE, then a superordinate list is
provided that divides output in terms of burn-in versus valid draw halves of the MCMC chains. For documentation
of how Mplus implements chain convergence checks and MCMC draws, see here: http://www.statmodel.com/download/Bayes3.pdf.
Note
Note that the outfile parameter should refer to the Mplus output file (.out extension), not the
actual dataset generated by SAVEDATA. This function reads information about the dataset from the .out file
and loads the dataset accordingly.
Author(s)
Michael Hallquist, Florian Boeing-Messing
References
http://www.statmodel.com/download/Bayes3.pdf
See Also
getSavedata_Fileinfo, getSavedata_Data
Examples
## Not run: 
  fileInfo <- getSavedata_Data("C:/Program Files/Mplus/Test Output.out")
## End(Not run)
Load an analysis dataset from the SAVEDATA command into an R data.frame
Description
This function reads an analysis dataset generated by the Mplus SAVEDATA command
and returns an R data.frame object.
Usage
getSavedata_Data(outfile)
Arguments
| outfile | Required. The name of the Mplus output file to read. Can be an absolute or relative path.
If  | 
Value
A data.frame containing the analysis dataset generated by the SAVEDATA command.
Note
Note that the outfile parameter should refer to the Mplus output file (.out extension), not the
actual dataset generated by SAVEDATA. This function reads information about the dataset from the .out file
and loads the dataset accordingly.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  savedat <- getSavedata_Data("C:/Program Files/Mplus/Test Output.out")
## End(Not run)
Read Variable Names, Formats, and Widths from data generated by the SAVEDATA Command
Description
This function reads the SAVEDATA INFORMATION section from an Mplus output file that used the SAVEDATA command, and it returns a list with the filename, variable names, variable formats, and variable widths of the SAVEDATA file. If present, the function also parses information about the Bayesian Parameters (BPARAMETERS) file.
Usage
getSavedata_Fileinfo(outfile)
Arguments
| outfile | required. The name of the Mplus output file to read. Can be an absolute or relative path.
If  | 
Value
Returns a list of SAVEDATA file information that includes:
-  fileName: The name of the file containing the analysis dataset created by the Mplus SAVEDATA command.
-  fileVarNames: A character vector containing the names of variables in the dataset.
-  fileVarFormats: A character vector containing the Fortran-style formats of variables in the dataset.
-  fileVarWidths: A numeric vector containing the widths of variables in the dataset (which is stored in fixed-width format).
-  bayesFile: The name of the BPARAMETERS file containing draws from the posterior distribution created by the Mplus SAVEDATA BPARAMETERS command.
-  bayesVarNames: A character vector containing the names of variables in the BPARAMETERS dataset.
-  tech3File: A character vector of the tech 3 output.
-  tech4File: A character vector of the tech 4 output.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  fileInfo <- getSavedata_Fileinfo("C:/Program Files/Mplus/Test Output.out")
## End(Not run)
Internal function to load the draws from the Bayesian model posterior distribution
Description
This function is used by other extractor functions that read particular types of saved data such as factor scores or iterations from an MCMC chain.
Usage
getSavedata_readRawFile(
  outfile,
  outfiletext,
  format = "fixed",
  fileName,
  varNames,
  varWidths,
  input
)
Arguments
| outfile | The Mplus output file to be used. | 
| outfiletext | The contents of the Mplus output file | 
| format | A character string indicating the format. Defaults to “fixed”. | 
| fileName | The name of the file | 
| varNames | The names of the variables to extract, comes from the fileInfo | 
| varWidths | The widths of the variables to extract, comes from the fileInfo | 
| input | list of parsed Mplus input section extracted upstream in readModels | 
Value
A data frame of the extracted data.
Get an Output Section
Description
Get an Output Section
Usage
getSection(sectionHeader, outfiletext, headers = "standard")
Arguments
| sectionHeader | Header section | 
| outfiletext | Output file text | 
| headers | Can pass custom headers but defaults to a standard set. | 
Value
Section
Examples
# make me!!!
Small helper function to obtain number of factors for an EFA output section
Description
Small helper function to obtain number of factors for an EFA output section
Usage
get_efa_nfactors(headers)
Arguments
| headers | a vector of EFA section headers from which to parse number of factors | 
Value
A vector of the number of factors in each heading, or a matrix if multilevel output
This function checks the status of one or more compute jobs
Description
This function checks the status of one or more compute jobs
Usage
get_job_status(job_ids, scheduler = "slurm", quiet = TRUE)
Arguments
| job_ids | One or more job ids of existing PBS or slurm jobs, or process ids of a local process for
 | 
| scheduler | What scheduler is used for job execution. Options: c("torque", "qsub", "slurm", "sbatch", "sh", "local") | 
| quiet | If  | 
Details
Note that for the scheduler argument, "torque" and "qsub" are the same;
"slurm" and "sbatch" are the same, and "sh" and "local" are the same.
Value
A vector of job statuses corresponding to each job id
Author(s)
Michael Hallquist
Examples
## Not run: 
# example on qsub/torque cluster
get_job_status("7968857.torque01.util.production.int.aci.ics.psu.edu", scheduler = "torque")
# example of checking two jobs on slurm cluster
get_job_status(c("24147864", "24147876"), scheduler = "slurm")
# example of checking two jobs on local machine
get_job_status(c("9843", "9844"), scheduler = "local")
## End(Not run)
Extract Mplus results
Description
This function allows users to extract elements of Mplus output
by name from different types of objects returned by MplusAutomation.
Usage
get_results(x, element, simplify = FALSE, ...)
get_input(x, simplify = FALSE, ...)
get_warn_err(x, simplify = FALSE, ...)
get_data_summary(x, simplify = FALSE, ...)
get_sampstat(x, simplify = FALSE, ...)
get_covariance_coverage(x, simplify = FALSE, ...)
get_summaries(x, simplify = FALSE, ...)
get_invariance_testing(x, simplify = FALSE, ...)
get_parameters(x, simplify = FALSE, ...)
get_class_counts(x, simplify = FALSE, ...)
get_indirect(x, simplify = FALSE, ...)
get_mod_indices(x, simplify = FALSE, ...)
get_residuals(x, simplify = FALSE, ...)
get_savedata(x, simplify = FALSE, ...)
get_bparameters(x, simplify = FALSE, ...)
get_tech1(x, simplify = FALSE, ...)
get_tech3(x, simplify = FALSE, ...)
get_tech4(x, simplify = FALSE, ...)
get_tech7(x, simplify = FALSE, ...)
get_tech8(x, simplify = FALSE, ...)
get_tech9(x, simplify = FALSE, ...)
get_tech10(x, simplify = FALSE, ...)
get_tech12(x, simplify = FALSE, ...)
get_tech15(x, simplify = FALSE, ...)
get_fac_score_stats(x, simplify = FALSE, ...)
get_lcCondMeans(x, simplify = FALSE, ...)
get_gh5(x, simplify = FALSE, ...)
Arguments
| x | Object from which to extract results. | 
| element | Which element of the results to extract. | 
| simplify | Logical; should the result be simplified to a vector, matrix
or higher dimensional array if possible? See  | 
| ... | Additional arguments passed to and from functions. | 
Value
An atomic vector or matrix or list of the same length as X (of length n for replicate). If simplification occurs, the output type is determined from the highest type of the return values in the hierarchy NULL < raw < logical < integer < double < complex < character < list < expression, after coercion of pairlists to lists.
Examples
## Not run: 
 test <- mplusObject(MODEL = "mpg ON wt hp;
 wt WITH hp;", rdata = mtcars)
 res <- mplusModeler(test, modelout = "model1.inp", run = 1L)
 get_results(res, "summaries")
 unlink(res$results$input$data$file)
 unlink("model1.inp")
 unlink("model1.out")
## End(Not run)
out <- get_input(res)
out <- get_warn_err(res)
out <- get_data_summary(res)
out <- get_sampstat(res)
out <- get_covariance_coverage(res)
out <- get_summaries(res)
out <- get_invariance_testing(res)
out <- get_parameters(res)
out <- get_class_counts(res)
out <- get_indirect(res)
out <- get_mod_indices(res)
out <- get_residuals(res)
out <- get_savedata(res)
out <- get_bparameters(res)
out <- get_tech1(res)
out <- get_tech3(res)
out <- get_tech4(res)
out <- get_tech7(res)
out <- get_tech8(res)
out <- get_tech9(res)
out <- get_tech10(res)
out <- get_tech12(res)
out <- get_tech15(res)
out <- get_fac_score_stats(res)
out <- get_lcCondMeans(res)
out <- get_gh5(res)
Create a graphic model from Mplus
Description
To do: add details
Usage
graphModel(model)
Arguments
| model | The model | 
Value
a dot model
Read in Mplus Output File from HTML on the Mplus Website
Description
This is an internal utility function to help with testing MplusAutomation.
On the Mplus website, many output files are included, which are good tests.
However, they are stored in HTML files. This function reads them in,
strips the HTML parts leaving just the output file, and then writes it to
disk and returns the file name, which can be used with readModels()
for testing.
Usage
htmlout(url)
Arguments
| url | The url giving an Mplus output file in HTML format. | 
Value
A character string that is the filename where the output file was written. Always a temp file in a temp directory.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
MplusAutomation:::htmlout("https://statmodel.com/usersguide/chap3/ex3.1.html")
Check whether a useable function argument was provided
Description
This is a simple utility to check whether a function argument is missing,
NULL, or has only NAs.
Usage
isEmpty(arg)
Arguments
| arg | A function argument | 
Value
Logical vector of length 1.
Examples
## Not run: 
f1 <- function(x) {
  if (!isEmpty(x)) return(mean(x, na.rm = TRUE))
  return(NULL)
}
f1()                 #> NULL
f1(x = NA)           #> NULL
f1(x = NULL)         #> NULL
f1(x = c(NA, 1:2))   #> 1.5
## End(Not run)
Internal function to load the draws from the Bayesian model posterior distribution
Description
To do: add details.
Usage
l_getSavedata_Bparams(outfile, outfiletext, fileInfo, discardBurnin = TRUE)
Arguments
| outfile | The Mplus output file to be used. | 
| outfiletext | The contents of the Mplus output file | 
| fileInfo | The file info | 
| discardBurnin | Logical value whether to discard the burnin iterations or not. Defaults to  | 
Value
A list of class mcmc and mplus.bparameters
local function that does the work of getSaveData_Fileinfo
Description
This function is split out so that getSaveData_Fileinfo is
exposed to the user, but the parsing function can be used by
readModels
Usage
l_getSavedata_Fileinfo(outfile, outfiletext, summaries)
Arguments
| outfile | A character string giving the name of the Mplus output file. | 
| outfiletext | The contents of the output file, for example as read by  | 
Value
A list that includes:
-  fileName: The name of the file containing the analysis dataset created by the Mplus SAVEDATA command.
-  fileVarNames: A character vector containing the names of variables in the dataset.
-  fileVarFormats: A character vector containing the Fortran-style formats of variables in the dataset.
-  fileVarWidths: A numeric vector containing the widths of variables in the dataset (which is stored in fixed-width format).
-  bayesFile: The name of the BPARAMETERS file containing draws from the posterior distribution created by the Mplus SAVEDATA BPARAMETERS command.
-  bayesVarNames: A character vector containing the names of variables in the BPARAMETERS dataset.
-  tech3File: A character vector of the tech 3 output.
-  tech4File: A character vector of the tech 4 output.
See Also
Examples
# make me!
Latent Class Analysis Demonstration
Description
A list containing the Mplus Data, Output Files, and GH5 Files for a demonstration of using MplusAutomation for latent class analysis. Generated by the vignette on latent class analysis.
Usage
lcademo
Format
A list containing 11 elements.
-  Data: 2 Class LCA data simulated using Mplus
-  CFA: Mplus output file for CFA
-  LCA2: Mplus output file for 2 class LCA
-  LCA3: Mplus output file for 3 class LCA
-  LCA4: Mplus output file for 4 class LCA
-  LCA5: Mplus output file for 5 class LCA
-  CFAGH5: GH5 file for CFA
-  LCA2GH5: GH5 file for 2 class LCA
-  LCA3GH5: GH5 file for 3 class LCA
-  LCA4GH5: GH5 file for 4 class LCA
-  LCA5GH5: GH5 file for 5 class LCA
Long data to wide latent growth mixture model
Description
This function streamlines the process of converting long data into a format that Mplus can use for latent growth mixture models in wide form. It makes use of continuous time scores, and these time scores must be supplied as variables in the R dataset. For the conversion to wide form, it is assumed that although assessments may have happened in continuous time, a discrete number of assessments (likely ismilar for all participants) were collected.
Usage
long2LGMM(
  data,
  idvar,
  assessmentvar,
  dv,
  timevars,
  misstrick = TRUE,
  k = 1L,
  title = "Trajectory Model",
  base = "trajmodel_",
  run = FALSE,
  processors = 1L,
  starts = "500 100",
  newdata,
  cov = c("un", "independent", "intercept", "zero"),
  model
)
Arguments
| data | A data frame in long format (i.e., multiple rows per ID). | 
| idvar | A character string of the variable name in the dataset that is the ID variable. | 
| assessmentvar | A character string of the variable name in the dataset that indicates the particular assessment point for each timepoint. | 
| dv | A character string of the dependent variable name. | 
| timevars | A character vector of the time variables. Can be a single variable or more than one. By allowing more than one variable, it is easy to include linear; linear and quadratic; it is also possible to calculate splines in R and pass these. The variable names should be 7 characters or fewer, each. | 
| misstrick | A logical value whether to set values of the DV where a time variable
is missing to missing as well.  Defaults to  | 
| k | An integer indicating the number of distinct classes to test. Currently must be greater than 0 and less than 10. | 
| title | A character string giving a title for the model | 
| base | A character string providing a base name for model outputs, that is combined with the number of classes. | 
| run | A logical value whether or not to run the models or only create the data and input files, but not run them. | 
| processors | An integer value indicating the number of processors to use. | 
| starts | A character string passed to Mplus providing the number of random starts and iterations | 
| newdata | A data frame of new values to use for generating predicted trajectories by class. | 
| cov | A character string indicating the random covariance structure to use | 
| model | An optional argument, can pass an existing model, the output from mplusModeler(). | 
Details
One valuable feature of this function is that it makes it possible to feed any continuous time scores to Mplus for mixture modelling. For example, continuous linear time is straightforward, but so to are quadratic time models or piecewise models. Using facilities in R, spline models are also comparatively easy to specify.
Examples
## Not run: 
## Simulate Some Data from 3 classes
library(MASS)
set.seed(1234)
allcoef <- rbind(
  cbind(1, mvrnorm(n = 200,
                   mu = c(0, 2, 0),
                   Sigma = diag(c(.2, .1, .01)),
                   empirical = TRUE)),
  cbind(2, mvrnorm(n = 200,
                   mu = c(-3.35, 2, 2),
                   Sigma = diag(c(.2, .1, .1)),
                   empirical = TRUE)),
  cbind(3, mvrnorm(n = 200,
                   mu = c(3.35, 2, -2),
                   Sigma = diag(c(.2, .1, .1)),
                   empirical = TRUE)))
allcoef <- as.data.frame(allcoef)
names(allcoef) <- c("Class", "I", "L", "Q")
allcoef$ID <- 1:nrow(allcoef)
d <- do.call(rbind, lapply(1:nrow(allcoef), function(i) {
  out <- data.frame(
    ID = allcoef$ID[i],
    Class = allcoef$Class[i],
    Assess = 1:11,
    x = sort(runif(n = 11, min = -2, max = 2)))
  out$y <- rnorm(11,
    mean = allcoef$I[i] + allcoef$L[i] * out$x + allcoef$Q[i] * out$x^2,
    sd = .1)
  return(out)
}))
## create splines
library(splines)
time_splines <- ns(d$x, df = 3, Boundary.knots = quantile(d$x, probs = c(.02, .98)))
d$t1 <- time_splines[, 1]
d$t2 <- time_splines[, 2]
d$t3 <- time_splines[, 3]
d$xq <- d$x^2
## create new data to be used for predictions
nd <- data.frame(ID = 1,
                 x = seq(from = -2, to = 2, by = .1))
nd.splines <- with(attributes(time_splines),
                   ns(nd$x, df = degree, knots = knots,
                      Boundary.knots = Boundary.knots))
nd$t1 <- nd.splines[, 1]
nd$t2 <- nd.splines[, 2]
nd$t3 <- nd.splines[, 3]
nd$xq <- nd$x^2
## create a tuning grid of models to try
## all possible combinations are created of different time trends
## different covariance structures of the random effects
## and different number of classes
tuneGrid <- expand.grid(
  dv = "y",
  timevars = list(c("t1", "t2", "t3"), "x", c("x", "xq")),
  starts = "2 1",
  cov = c("independent", "zero"),
  k = c(1L, 3L),
  processors = 1L, run = TRUE,
  misstrick = TRUE, stringsAsFactors = FALSE)
tuneGrid$title <- paste0(
  c("linear", "quad", "spline")[sapply(tuneGrid$timevars, length)],
  "_",
  sapply(tuneGrid$cov, function(x) if(nchar(x)==4) substr(x, 1, 4) else substr(x, 1, 3)),
  "_",
  tuneGrid$k)
tuneGrid$base <- paste0(
  c("linear", "quad", "spline")[sapply(tuneGrid$timevars, length)],
  "_",
  sapply(tuneGrid$cov, function(x) if(nchar(x)==4) substr(x, 1, 4) else substr(x, 1, 3)))
## example using long2LGMM to fit one model at a time
mres <- long2LGMM(
        data = d,
        idvar = "ID",
        assessmentvar = "Assess",
        dv = tuneGrid$dv[1],
        timevars = tuneGrid$timevars[[1]],
        misstrick = tuneGrid$misstrick[1],
        k = tuneGrid$k[1],
        title = paste0(tuneGrid$title[1], tuneGrid$k[1]),
        base = tuneGrid$base[1],
        run = tuneGrid$run[1],
        processors = tuneGrid$processors[1],
        starts = tuneGrid$starts[1],
        newdata = nd,
        cov = tuneGrid$cov[1])
rm(mres)
## End(Not run)
Simple tag lookup
Description
The purpose of this function is to set the currentValue column for the bodyTags and initTags data.frames for simple tags only. Most values will be replaced at the bottom level of recursion, but simple tags do not change over iterations, so can be set one time.
Usage
lookupSimpleTags(templateTags, initCollection)
Arguments
| templateTags | The template tags | 
| initCollection | The initial collection | 
Value
A tag.
Lookup the matrix element for a give parameter number
Description
The lookupTech1Parameter function identifies the position in the Mplus model
matrices corresponding to a given parameter defined in the TECHNICAL 1 PARAMETER
SPECIFICATION OUTPUT. The goal of this function is to aid in identifying problematic parameters
often printed in the warnings and errors section of Mplus output.
Usage
lookupTech1Parameter(tech1Output, paramNumber)
Arguments
| tech1Output | The object corresponding to the TECH1 parameter specification from readModels. | 
| paramNumber | The parameter number to lookup | 
Value
A data.frame containing the row(s) and column(s) of TECH1 parameter specification matching
the requested paramNumber.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  models <- readModels("test1.out")
  param <- lookupTech1Parameter(models$tech1, 16)
## End(Not run)
Lookup values
Description
To do: fill in some details
Usage
lookupValue(tag, tagType, initCollection)
Arguments
| tag | name of tag for which we want to know the current value | 
| tagType | type of tag (simple, array, etc.) for the tag to lookup | 
| initCollection | The list of all arguments parsed from the init section | 
Value
Current value
Reconstruct matrix from multi-line text output
Description
main worker function for extracting Mplus matrix output where matrices are spread across blocks to keep within width constraints example: tech1 matrix output.
Usage
matrixExtract(
  outfiletext,
  headerLine,
  filename,
  ignore.case = FALSE,
  expect_sig = FALSE
)
Arguments
| outfiletext | The text of the output file | 
| headerLine | The header line | 
| filename | The name of the output file | 
| ignore.case | Whether to ignore case of header line | 
| expect_sig | Whether to track value significance TRUE/FALSE (* in Mplus) as an attribute | 
Value
a matrix
Examples
# make me!!!
helper function to convert a number of minutes into a dhms-formatted string for submission
Description
helper function to convert a number of minutes into a dhms-formatted string for submission
Usage
minutes_to_dhms(x)
Arguments
| x | string or charcater number of minutes | 
Value
the dhms string representing this number of minutes in days, hours, minutes, and seconds
Create a summary table of Mplus mixture models
Description
Creates a summary table of model fit statistics and relevant diagnostic
information for a list of mixture models. Default statistics reported are in
line with published guidelines (see Jung & Wickrama, 2008; Nylund et al.,
2007): c("Title", "Classes", "Warnings", "AIC", "BIC", "aBIC",
"Entropy", "T11_VLMR_PValue", "T11_LMR_PValue", "BLRT_PValue", "min_N",
"max_N", "min_prob", "max_prob"). The table is customizable using the
keepCols parameter, which is passed through to SummaryTable.
Usage
mixtureSummaryTable(
  modelList,
  keepCols = c("Title", "Classes", "Warnings", "AIC", "BIC", "aBIC", "Entropy",
    "T11_VLMR_PValue", "T11_LMR_PValue", "BLRT_PValue", "min_N", "max_N", "min_prob",
    "max_prob"),
  sortBy = NULL,
  ...
)
Arguments
| modelList | A list of models returned from the
 | 
| keepCols | A vector of character strings indicating which
columns/variables to display in the summary. Only columns included in this
list will be displayed (all others excluded). By default,  | 
| sortBy | Field name (as character string) by which to sort the table. Typically an information criterion (e.g., "AIC" or "BIC") is used to sort the table. Defaults to "AICC". Set to NULL by default, so the table is ordered by increasing number of classes. | 
| ... | Arguments passed to  | 
Value
An object of class data.frame.
Note
This function is partially a wrapper around SummaryTable, with enhancements for summarizing mixture models.
Author(s)
Caspar J. van Lissa
See Also
Examples
## Not run: 
res <- createMixtures(classes = 1:2, filename_stem = "iris", rdata = iris,
               OUTPUT = "tech11 tech14;",
               run = 1L)
mixtureSummaryTable(res)
## End(Not run)
Plot the samples for each MCMC chain as a function of iterations
Description
Displays a traceplot of the MCMC draws from the poster distribution of each parameter estimate for a Bayesian Mplus model. This function requires that 1) PLOT: TYPE=PLOT2; be included in the Mplus input file, 2) a gh5 file be present corresponding to the Mplus output file (and containing a bayesian_data section), and 3) that the rhdf5 package be installed to allow the gh5 file to be imported.
Usage
mplus.traceplot(mplus.model, rows = 4, cols = 4, parameters_only = TRUE)
Arguments
| mplus.model | An Mplus model extracted by the  | 
| rows | Number of rows to display per plot. | 
| cols | Optional. Number of columns to display per plot. | 
| parameters_only | Optional. If TRUE, only the unstandardized parameter estimates from the MCMC draws will be displayed (as opposed to standardized estimates, r-square estimates, etc.). The unstandardized estimates all begin with "Parameter" in the Mplus gh5 output. | 
Details
A multi-panel plot is drawn to the screen and the user is prompted to display the next plot if more than rows x columns estimates are in the model.
Value
No value is returned by this function. Called for the side effect of displaying an MCMC chains traceplot.
Note
Trace and density plots can also be obtained using the coda package and the bparameters element of the mplus.model object. This requires that the posterior draws be saved using SAVEDATA: BPARAMETERS syntax. See example below.
Author(s)
Joseph Glass, Michael Hallquist
See Also
Examples
## Not run: 
  myModel <- readModels("BayesModel_WithGH5MCMC.out")
  mplus.traceplot(myModel, rows=2, cols=3)
  #alternative using the coda package
  library(coda)
  plot(myModel$bparameters$valid_draw)
## End(Not run)
Check whether Mplus can be found
Description
This is a simple utility to check whether Mplus can be found.
Returns 0 if Mplus command can be found by the system.
If silent = FALSE, prints a message to the user
to help suggest what to do.
Usage
mplusAvailable(silent = TRUE)
Arguments
| silent | A logical whether to print a message or not.
Defaults to  | 
Value
The status of finding Mplus. Per unix conventions, status 0 indicates Mplus was found (0 problems) and status 1 indicates that Mplus was not found.
Author(s)
Joshua Wiley
Examples
mplusAvailable(silent = TRUE)
mplusAvailable(silent = FALSE)
Function to fit GLMs in Mplus
Description
The purpose of this function is to make it (relatively) easy to fit
(most) generalized linear models in Mplus. Fitting GLMs in Mplus
offers advantages such as using full information maximum likelihood
for missing data, robust estimators (default used is MLR),
and standard errors adjusted for clustering (planned; not currently
available via mplusGLM(). The overarching aim of this function
is to make most GLMs as easy to fit in Mplus as they are in R.
Usage
mplusGLM(formula, data, idvar = "", ...)
Arguments
| formula | An R formula class object as used in  | 
| data | A dataset. | 
| idvar | Optional. A character string indicating the name of the ID variable. Not currently used but may be used in future. | 
| ... | Additional arguments passed to helper functions.
For example  | 
Details
Note that although there are benefits to fitting GLMs in Mplus.
Caution also is warranted. Using full information maximum likelihood
for missing data requires a number of assumptions. These may be (badly)
violated. mplusGLM() requires the analyst to check these as
appropriate.
Currently, mplusGLM() only supports multinomial outcomes.
More outcomes are planned in the future including binary,
continuous/normal, and count outcomes.
Value
A list of results and Mplus model object.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
## Not run: 
set.seed(1234)
tmpd <- data.frame(
  x1 = rnorm(200),
  x2 = rnorm(200),
  x3 = cut(rnorm(200),
           breaks = c(-Inf, -.7, .7, Inf),
           labels = c("a", "b", "c")))
tmpd$y <- cut(rnorm(200, sd = 2) + tmpd$x1 + tmpd$x2 + I(tmpd$x3 == "b"),
              breaks = c(-Inf, -.5, 1, Inf),
              labels = c("L", "M", "H"))
test <- mplusGLM(y ~ x1 + x2 + x3, data = tmpd)
## End(Not run)
Create an mplusModel object for a given model
Description
Create an mplusModel object for a given model
Usage
mplusModel(
  syntax = NULL,
  data = NULL,
  inp_file = NULL,
  read = TRUE,
  Mplus_command = NULL
)
Arguments
| syntax | a character vector of Mplus input syntax for this model | 
| data | a data.frame to be used for estimating the model | 
| inp_file | the location of .inp file for this model | 
| read | If TRUE and the .out file already exists, read the contents of the .out file using  | 
| Mplus_command | The location of the Mplus executable to run. If NULL, use  | 
Value
a mplusModel_r6 object containing information about the model
mplusModel R6 class
Description
An R6 class for a single Mplus model
Details
Wrapped by mplusModel
Active bindings
- model_dir
- the directory for Mplus files corresponding to this model 
- inp_file
- the location of the Mplus .inp file for this model 
- out_file
- the location of the Mplus .out file for this model 
- dat_file
- the location of the Mplus .dat (data) file for this model 
- data
- the dataset used for estimating this model 
- Mplus_command
- the location of the Mplus program 
- syntax
- the Mplus syntax for this model as a character vector 
- input
- Read-only accessor for the - inputsection returned by- readModels().
- warnings
- Read-only accessor for the - warningssection returned by- readModels().
- errors
- Read-only accessor for the - errorssection returned by- readModels().
- data_summary
- Read-only accessor for the - data_summarysection returned by- readModels().
- sampstat
- Read-only accessor for the - sampstatsection returned by- readModels().
- covariance_coverage
- Read-only accessor for the - covariance_coveragesection returned by- readModels().
- summaries
- Read-only accessor for the - summariessection returned by- readModels().
- invariance_testing
- Read-only accessor for the - invariance_testingsection returned by- readModels().
- parameters
- Read-only accessor for the - parameterssection returned by- readModels().
- class_counts
- Read-only accessor for the - class_countssection returned by- readModels().
- indirect
- Read-only accessor for the - indirectsection returned by- readModels().
- mod_indices
- Read-only accessor for the - mod_indicessection returned by- readModels().
- residuals
- Read-only accessor for the - residualssection returned by- readModels().
- savedata
- Read-only accessor for the - savedatasection returned by- readModels().
- savedata_info
- Read-only accessor for the - savedata_infosection returned by- readModels().
- bparameters
- Read-only accessor for the - bparameterssection returned by- readModels().
- tech1
- Read-only accessor for the - tech1section returned by- readModels().
- tech3
- Read-only accessor for the - tech3section returned by- readModels().
- tech4
- Read-only accessor for the - tech4section returned by- readModels().
- tech7
- Read-only accessor for the - tech7section returned by- readModels().
- tech8
- Read-only accessor for the - tech8section returned by- readModels().
- tech9
- Read-only accessor for the - tech9section returned by- readModels().
- tech10
- Read-only accessor for the - tech10section returned by- readModels().
- tech12
- Read-only accessor for the - tech12section returned by- readModels().
- tech15
- Read-only accessor for the - tech15section returned by- readModels().
- fac_score_stats
- Read-only accessor for the - fac_score_statssection returned by- readModels().
- lcCondMeans
- Read-only accessor for the - lcCondMeanssection returned by- readModels().
- r3step
- Read-only accessor for the - r3stepsection returned by- readModels().
- gh5
- Read-only accessor for the - gh5section returned by- readModels().
- h5results
- Read-only accessor for the - h5resultssection returned by- readModels().
- output
- Read-only accessor for the - outputsection returned by- readModels().
Methods
Public methods
Method new()
generate an mplusModel_r6 object
Usage
mplusModel_r6$new( syntax = NULL, data = NULL, inp_file = NULL, read = TRUE, Mplus_command = NULL )
Arguments
- syntax
- a character vector of Mplus input syntax for this model 
- data
- a data.frame to be used for estimating the model 
- inp_file
- the location of .inp file for this model 
- read
- If TRUE and the .out file already exists, read the contents of the .out file using - readModels
- Mplus_command
- N.B.: No need to pass this parameter for most users (has intelligent defaults). Allows the user to specify the name/path of the Mplus executable to be used for running models. This covers situations where Mplus is not in the system's path, or where one wants to test different versions of the Mplus program. 
Method read()
read the results of an Mplus model from the .out file using readModels
Usage
mplusModel_r6$read(force = FALSE)
Arguments
- force
- if - TRUE, re-read the .out file even if was already previously loaded in to this object
Method write_dat()
write the .inp and .dat files for this model to the intended location
Usage
mplusModel_r6$write_dat(overwrite = TRUE, quiet = FALSE, ...)
Arguments
- overwrite
- if - TRUE, overwrite existing data. Default:- TRUE.
- quiet
- if - TRUE, do not produce messages about the outcome of this command (e.g., a message about overwriting existing data)
- ...
- additional arguments passed to - prepareMplusData
Method write_inp()
write the .inp and .dat files for this model to the intended location
Usage
mplusModel_r6$write_inp(overwrite = TRUE, inp_file = NULL, quiet = FALSE)
Arguments
- overwrite
- if - TRUE, overwrite existing data. Default:- TRUE.
- inp_file
- The location of the input file to write. If NULL (default), use the - $inp_fileof this object.
- quiet
- if - TRUE, do not produce messages about the outcome of this command (e.g., a message about overwriting existing data)
Method submit()
submit this model for estimation on an HPC using submitModels
Usage
mplusModel_r6$submit(replaceOutfile = "modifiedDate", ...)
Arguments
- replaceOutfile
- Currently supports three settings: "always", which runs all models, regardless of whether an output file for the model exists; "never", which does not run any model that has an existing output file; and "modifiedDate", which only runs a model if the modified date for the input file is more recent than the output file modified date (implying there have been updates to the model). 
- ...
- additional arguments passed to - submitModels
Method run()
run this model locally using runModels. The method detects
changes in the data and input syntax and only rewrites the corresponding
files when updates are detected.
Usage
mplusModel_r6$run(replaceOutfile = "modifiedDate", ...)
Arguments
- replaceOutfile
- Currently supports three settings: "always", which runs all models, regardless of whether an output file for the model exists; "never", which does not run any model that has an existing output file; and "modifiedDate", which only runs a model if the modified date for the input file is more recent than the output file modified date (implying there have been updates to the model). 
- ...
- additional arguments passed to - runModels
Method clone()
The objects of this class are cloneable with this method.
Usage
mplusModel_r6$clone(deep = FALSE)
Arguments
- deep
- Whether to make a deep clone. 
Create, run, and read Mplus models.
Description
This is a convenience wrapper to automate many of the usual steps required to run an Mplus model. It relies in part on functions from the MplusAutomation package.
Usage
mplusModeler(
  object,
  dataout,
  modelout,
  run = 0L,
  check = FALSE,
  varwarnings = TRUE,
  Mplus_command = detectMplus(),
  writeData = c("ifmissing", "always", "never"),
  hashfilename = TRUE,
  killOnFail = TRUE,
  quiet = TRUE,
  ...
)
Arguments
| object | An object of class mplusObject | 
| dataout | the name of the file to output the data to for Mplus.
If missing, defaults to  | 
| modelout | the name of the output file for the model.
This is the file all the syntax is written to, which becomes the
Mplus input file. It should end in .inp.  If missing, defaults to
 | 
| run | an integer indicating how many models should be run. Defaults to zero.
If zero, the data and model input files are all created, but the model is not run.
This can be useful for seeing how the function works and what setup is done. If one, a basic
model is run. If greater than one, the model is bootstrapped with  | 
| check | logical whether the body of the Mplus syntax should be checked for missing
semicolons using the  | 
| varwarnings | A logical whether warnings about variable length should be left, the default, or removed from the output file. | 
| Mplus_command | optional. N.B.: No need to pass this parameter for most users (has intelligent defaults). Allows the user to specify the name/path of the Mplus executable to be used for running models. This covers situations where Mplus is not in the system's path, or where one wants to test different versions of the Mplus program. | 
| writeData | A character vector, one of ‘ifmissing’,
‘always’, ‘never’ indicating whether the data files
(*.dat) should be written to disk.  This is passed on to  | 
| hashfilename | A logical whether or not to add a hash of the raw data to the
data file name.  Defaults to  | 
| killOnFail | A logical whether or not to kill any mplus processes on failure.
Passed on to control behavior of  | 
| quiet | optional. If  | 
| ... | additional arguments passed to the
 | 
Details
Combined with functions from the MplusAutomation package,
this function is designed to make it easy to fit Mplus models
from R and to ease many of the usual frustrations with Mplus.
For example, Mplus has very specific formats it accepts data in,
but also very little data management facilities. Using R data
management is easy. This function is designed to make using data
from R in Mplus models easy.
It is also common to want to fit many different models that are
slight variants. This can be tedius in Mplus, but using R you can
create one basic set of input, store it in a vector, and then just
modify that (e.g., using regular expressions) and pass it to Mplus.
You can even use loops or the *apply constructs to fit the same
sort of model with little variants.
The writeData argument is new and can be used to reduce overhead
from repeatedly writing the same data from R to the disk.  When using the
‘always’ option, mplusModeler behaves as before, always writing
data from R to the disk.  This remains the default for the prepareMplusData
function to avoid confusion or breaking old code.  However, for mplusModeler,
the default has been set to ‘ifmissing’.  In this case, R generates an
md5 hash of the data prior to writing it out to the disk.  The md5 hash is based on:
(1) the dimensions of the dataset, (2) the variable names,
(3) the class of every variable, and (4) the raw data from the first and last rows.
This combination ensures that under most all circumstances, if the data changes,
the hash will change.  The hash is appended to the specified data file name
(which is controlled by the logical hashfilename argument).  Next R
checks in the directory where the data would normally be written.  If a data file
exists in that directory that matches the hash generated from the data, R will
use that existing data file instead of writing out the data again.
A final option is ‘never’.  If this option is used, R will not write
the data out even if no file matching the hash is found.
Value
An Mplus model object, with results.
If run = 1, returns an invisible list of results from the run of
the Mplus model (see readModels from the
MplusAutomation package). If run = 0, the function returns a list
with two elements, ‘model’ and ‘boot’ that are both NULL.
if run >= 1,returns a list with two elements, ‘model’ and ‘boot’
containing the regular Mplus model output and the boot object, respectively.
In all cases, the Mplus data file and input files are created.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
runModels and readModels
Examples
## Not run: 
# minimal example of a model using builtin data, allowing R
# to automatically guess the correct variables to use
test <- mplusObject(MODEL = "mpg ON wt hp;
  wt WITH hp;", rdata = mtcars)
 # estimate the model in Mplus and read results back into R
 res <- mplusModeler(test, modelout = "model1.inp", run = 1L)
 # when forcing writeData = "always" data gets overwritten (with a warning)
 resb <- mplusModeler(test, modelout = "model1.inp", run = 1L,
                      writeData = "always")
 # using writeData = "ifmissing", the default, no data re-written
 resc <- mplusModeler(test, modelout = "model1.inp", run = 1L)
 # using writeData = "ifmissing", the default, data ARE written
 # if data changes
 test <- mplusObject(MODEL = "mpg ON wt hp;
   wt WITH hp;", rdata = mtcars[-10, ])
 resd <- mplusModeler(test, modelout = "model1.inp", run = 1L)
 # show summary
 summary(resd)
 # show coefficients
 coef(resd)
 # what if you wanted confidence intervals
 # and standardized values?
 # first update to tell Mplus you want them, re-run and print
 test <- update(test, OUTPUT = ~ "CINTERVAL; STDYX;")
 resd <- mplusModeler(test, modelout = "model1.inp", run = 1L)
coef(resd)
confint(resd)
# now standardized
coef(resd, type = "stdyx")
confint(resd, type = "stdyx")
# put together in one data frame if desired
merge(
  coef(resd, type = "stdyx"),
  confint(resd, type = "stdyx"),
  by = "Label")
 # remove files
 unlink(resc$results$input$data$file)
 unlink(resd$results$input$data$file)
 unlink("model1.inp")
 unlink("model1.out")
# simple example of a model using builtin data
# demonstrates use with a few more sections
test2 <- mplusObject(
  TITLE = "test the MplusAutomation Package and mplusModeler wrapper;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
 res2 <- mplusModeler(test2, modelout = "model2.inp", run = 1L)
 # remove files
 unlink(res2$results$input$data$file)
 unlink("model2.inp")
 unlink("model2.out")
 # similar example using a robust estimator for standard errors
 # and showing how an existing model can be easily updated and reused
 test3 <- update(test2, ANALYSIS = ~ "ESTIMATOR = MLR;")
 res3 <- mplusModeler(test3, modelout = "model3.inp", run = 1L)
 unlink(res3$results$input$data$file)
 unlink("model3.inp")
 unlink("model3.out")
 # now use the built in bootstrapping methods
 # note that these work, even when Mplus will not bootstrap
 # also note how categorical variables and weights are declared
 # in particular, the usevariables for Mplus must be specified
 # because mroe variables are included in the data than are in the
 # model. Note the R usevariables includes all variables for both
 # model and weights. The same is true for clustering.
 test4 <- mplusObject(
   TITLE = "test bootstrapping;",
   VARIABLE = "
     CATEGORICAL = cyl;
     WEIGHT = wt;
     USEVARIABLES = cyl mpg;",
   ANALYSIS = "ESTIMATOR = MLR;",
   MODEL = "
     cyl ON mpg;",
   usevariables = c("mpg", "wt", "cyl"),
   rdata = mtcars)
 res4 <- mplusModeler(test4, "mtcars.dat", modelout = "model4.inp", run = 10L,
   hashfilename = FALSE)
 # see the results
 res4$results$boot
 # remove files
 unlink("mtcars.dat")
 unlink("model4.inp")
 unlink("model4.out")
# Monte Carlo Simulation Example
montecarlo <- mplusObject(
 TITLE = "Monte Carlo Example;",
 MONTECARLO = "
  NAMES ARE i1-i5;
  NOBSERVATIONS = 100;
  NREPS = 100;
  SEED = 1234;",
 MODELPOPULATION = "
  f BY i1-i5*1;
  f@1;
  i1-i5*1;",
 ANALYSIS = "
  ESTIMATOR = BAYES;
  PROC = 2;
  fbiter = 100;",
 MODEL = "
  f BY i1-i5*.8 (l1-l5);
  f@1;
  i1-i5*1;",
 MODELPRIORS = "
   l1-l5 ~ N(.5 .1);",
 OUTPUT = "TECH9;")
fitMonteCarlo <- mplusModeler(montecarlo,
  modelout = "montecarlo.inp",
  run = 1L,
  writeData = "always",
  hashfilename = FALSE)
unlink("montecarlo.inp")
unlink("montecarlo.out")
# Example including ID variable and extracting factor scores
dat <- mtcars
dat$UID <- 1:nrow(mtcars)
testIDs <- mplusObject(
  TITLE = "test the mplusModeler wrapper with IDs;",
  VARIABLE = "IDVARIABLE = UID;",
  MODEL = "
    F BY mpg wt hp;",
  SAVEDATA = "
    FILE IS testid_fscores.dat;
    SAVE IS fscores;
    FORMAT IS free;",
  usevariables = c("UID", "mpg", "wt", "hp"),
  rdata = dat)
 resIDs <- mplusModeler(testIDs, modelout = "testid.inp", run = 1L)
# view the saved data from Mplus, including factor scores
# the indicator variables, and the ID variable we specified
head(resIDs$results$savedata)
# merge the factor scores with the rest of the original data
# merge together by the ID column
dat <- merge(dat, resIDs$results$savedata[, c("F", "UID")],
  by = "UID")
# correlate merged factor scores against some other new variable
with(dat, cor(F, qsec))
# can write multiply imputed data too
# here are three "imputed" datasets
idat <- list(
  data.frame(mpg = mtcars$mpg, hp = c(100, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(110, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(120, mtcars$hp[-1])))
# if we turn on hashing in the filename the first time,
# we can avoid overwriting notes the second time
testobjimp <- mplusObject(MODEL = "[mpg];", rdata = idat, imputed = TRUE)
testimp <- mplusModeler(
  testobjimp,
  modelout = "testimp.inp",
  writeData = "ifmissing", hashfilename=FALSE)
testimp <- mplusModeler(
  testobjimp,
  modelout = "testimp.inp",
  writeData = "ifmissing", hashfilename=TRUE)
testimp <- mplusModeler(
  testobjimp,
  modelout = "testimp.inp",
  writeData = "ifmissing", hashfilename=TRUE,
  run = TRUE)
testobjimp2 <- mplusObject(MODEL = "[hp];", rdata = idat, imputed = TRUE)
testimp2 <- mplusModeler(
  testobjimp2,
  modelout = "testimp2.inp",
  writeData = "ifmissing", hashfilename=TRUE,
  run = TRUE)
 # remove files
 unlink(resIDs$results$input$data$file)
 unlink("testid.inp")
 unlink("testid.out")
 unlink("testid_fscores.dat")
 unlink("Mplus Run Models.log")
## End(Not run)
Create an Mplus model object
Description
This is a function to create an Mplus model object in R.
The object holds all the sections of an Mplus input file, plus some
extra R ones. Once created, the model can be run using other
functions such as mplusModeler or updated using methods defined
for the update function.
Usage
mplusObject(
  TITLE = NULL,
  DATA = NULL,
  VARIABLE = NULL,
  DEFINE = NULL,
  MONTECARLO = NULL,
  MODELPOPULATION = NULL,
  MODELMISSING = NULL,
  ANALYSIS = NULL,
  MODEL = NULL,
  MODELINDIRECT = NULL,
  MODELCONSTRAINT = NULL,
  MODELTEST = NULL,
  MODELPRIORS = NULL,
  OUTPUT = NULL,
  SAVEDATA = NULL,
  PLOT = NULL,
  usevariables = NULL,
  rdata = NULL,
  autov = TRUE,
  imputed = FALSE,
  quiet = TRUE,
  ...
)
Arguments
| TITLE | A character string of the title for Mplus. | 
| DATA | A charater string of the data section for Mplus (note, do not define the filename as this is generated automatically) | 
| VARIABLE | A character string of the variable section for Mplus (note, do not define the variable names from the dataset as this is generated automatically) | 
| DEFINE | A character string of the define section for Mplus (optional) | 
| MONTECARLO | A character string of the montecarlo section for Mplus (optional).
If used,  | 
| MODELPOPULATION | A character string of the MODEL POPULATION section for Mplus (optional). | 
| MODELMISSING | A character string of the MODEL MISSING section for Mplus (optional). | 
| ANALYSIS | A character string of the analysis section for Mplus (optional) | 
| MODEL | A character string of the model section for Mplus (optional, although typically you want to define a model) | 
| MODELINDIRECT | A character string of the MODEL INDIRECT section for Mplus (optional). | 
| MODELCONSTRAINT | A character string of the MODEL CONSTRAINT section for Mplus (optional). | 
| MODELTEST | A character string of the MODEL TEST section for Mplus (optional). | 
| MODELPRIORS | A character string of the MODEL PRIORS section for Mplus (optional). | 
| OUTPUT | A character string of the output section for Mplus (optional) | 
| SAVEDATA | A character string of the savedata section for Mplus (optional) | 
| PLOT | A character string of the plot section for Mplus (optional) | 
| usevariables | A character vector of the variables from the
 | 
| rdata | An  | 
| autov | A logical (defaults to  | 
| imputed | A logical whether the data are multiply imputed (a list).
Defaults to  | 
| quiet | optional. If  | 
| ... | Arguments passed on to  | 
Details
Mplus model objects allow a base model to be defined, and then flexibly update the data, change the precise model, etc. If a section does not vary between models, you can leave it the same. For example, suppose you are fitting a number of models, but in all cases, wish to use maximum likelihood estimator, “ANALYSIS: ESTIMATOR = ML;” and would like standardized output, “OUTPUT: STDYX;”. Rather than retype those in every model, they can be defined in one Mplus model object, and then that can simply be updated with different models, leaving the analysis and output sections untouched. This also means that if a reviewer comes back and asks for all analyses to be re-run say using the robust maximum likelihood estimator, all you have to do is change it in the model object once, and re run all your code.
Value
A list of class mplusObject with elements
-  TITLE: The title in Mplus (if defined)
-  DATA: The data section in Mplus (if defined)
-  VARIABLE: The variable section in Mplus (if defined)
-  DEFINE: The define section in Mplus (if defined)
-  MONTECARLO: The montecarlo section in Mplus (if defined)
-  MODELPOPULATION: The modelpopulation section in Mplus (if defined)
-  MODELMISSING: The modelmissing section in Mplus (if defined)
-  ANALYSIS: The analysis section in Mplus (if defined)
-  MODEL: The model section in Mplus (if defined)
-  MODELINDIRECT: The modelindirect section in Mplus (if defined)
-  MODELCONSTRAINT: The modelconstraint section in Mplus (if defined)
-  MODELTEST: The modeltest section in Mplus (if defined)
-  MODELPRIORS: The modelpriors section in Mplus (if defined)
-  OUTPUT: The output section in Mplus (if defined)
-  SAVEDATA: The savedata section in Mplus (if defined)
-  PLOT: The plot section in Mplus (if defined)
-  results: NULL by default, but can be later updated to include the results from the model run.
-  usevariables: A character vector of the variables from theRdata set to be used.
-  rdata: TheRdata set to use for the model.
-  imputed: A logical whether the data are multiply imputed.
-  autov: A logical whether the data should have the usevariables detected automatically or not
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Examples
example1 <- mplusObject(MODEL = "mpg ON wt;",
  usevariables = c("mpg", "hp"), rdata = mtcars)
str(example1)
rm(example1)
# R figures out the variables automagically, with a message
example2 <- mplusObject(MODEL = "mpg ON wt;",
  rdata = mtcars, autov = TRUE)
str(example2)
rm(example2)
# R can also try to figure out a list of variables when
# variable names are hyphenated first-last variable, all variables
# between the first and last one will be included
example3 <- mplusObject(MODEL = "mpg ON wt-vs;",
  rdata = mtcars, autov = TRUE)
str(example3)
rm(example3)
# R warns if the first 8 characters of a (used) variable name are not unique
# as they will be indistinguishable in the Mplus output
example4 <- mplusObject(MODEL = "basename_01 ON basename_02;",
  rdata = data.frame(basename_01 = 1:5, basename_02 = 5:1),
  autov = TRUE)
rm(example4)
Create Mplus code for various residual covariance structures.
Description
This function makes it easy to write the Mplus syntax for various residual covariance structure.
Usage
mplusRcov(
  x,
  type = c("homogenous", "heterogenous", "cs", "toeplitz", "ar", "un"),
  r = "rho",
  e = "e",
  collapse = FALSE
)
Arguments
| x | input character vector of variable names, ordered by time | 
| type | A character string indicating the type of residual covariance structure to be used. Defaults to ‘homogenous’. Current options include ‘homogenous’, ‘heterogenous’, ‘cs’ for compound symmetric, ‘toeplitz’ for banded toeplitz, ‘ar’ for autoregressive, and ‘un’ for unstructured. | 
| r | a character vector of the base label to name covariance parameters. Defaults to ‘rho’. | 
| e | a character vector of the error variance of the variable. Used to create constraints on the covariance parameters. Defaults to ‘e’. | 
| collapse | whether to collapse the covariance code using ‘PWITH’. Note that
at the time of writing, Mplus does not allow more than 80 characters per row.
Defaults to  | 
Details
The homogenous residual covariance structure estimates one parameter:
the residual variance, \sigma^{2}_{e}. The residual variance
is assumed to be identical for all variables and all covariances are
assumed to be zero. The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e} | ... | |||
| t2 | 0 | \sigma^{2}_{e} | ... | ||
| t3 | 0 | 0 | \sigma^{2}_{e} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | 0 | 0 | 0 | ... | \sigma^{2}_{e} | 
The heterogenous residual covariance structure estimates n parameters, where n is the number of variables. A unique residual variance is estimated for every variable. All covariances are assumed to be zero. The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e1} | ... | |||
| t2 | 0 | \sigma^{2}_{e2} | ... | ||
| t3 | 0 | 0 | \sigma^{2}_{e3} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | 0 | 0 | 0 | ... | \sigma^{2}_{en} | 
The compound symmetric residual covariance structure estimates
two parameters: one for the residual variance , \sigma^{2}_{e},
and one for the covariance. The residual variance
is assumed to be identical for all variables and all covariances are
assumed to be identical. The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e} | ... | |||
| t2 | \rho | \sigma^{2}_{e} | ... | ||
| t3 | \rho | \rho | \sigma^{2}_{e} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | \rho | \rho | \rho | ... | \sigma^{2}_{e} | 
The toeplitz residual covariance structure estimates
n parameters, one for every band of the matrix.
The residual variance , \sigma^{2}_{e}, is
assumed to be identical for all variables. The covariances one step removed
are all assumed identical. Likewise for all further bands.
The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e} | ... | |||
| t2 | \rho | \sigma^{2}_{e} | ... | ||
| t3 | \rho_{2} | \rho | \sigma^{2}_{e} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | \rho_{n} | \rho_{n - 1} | \rho_{n - 2} | ... | \sigma^{2}_{e} | 
The autoregressive residual covariance structure has two parameters:
the residual variance, \sigma^{2}_{e} and
the correlation between adjacent time points, \rho. The variances
are constrained to be equal for all time points. A single correlation
parameter is estimated. The \rho is the correlation between adjacent
time points such as 1 and 2 or 2 and 3. More distant relationships are assumed
to have smaller correlations, decreasing exponentially. Thus between 1 and 3,
the estimate is \rho^2. The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e} | ... | |||
| t2 | \rho | \sigma^{2}_{e} | ... | ||
| t3 | \rho^2 | \rho | \sigma^{2}_{e} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | \rho^{n-1} | \rho^{n-2} | \rho^{n-3} | ... | \sigma^{2}_{e} | 
Because structural equation models generally model covariance structures,
the autoregressive residual structure must be parameterized in terms of
covariances. This is done in two parts. First, the function returns
syntax to estimate all the pairwise covariances, labelling the parameters
\rho, \rho^2, etc. so that they are constrained to be
equal. Next, it returns the syntax for the necessary model constraints to
constrain the different covariances, to decrease exponentially in their
correlations. This is done via:
\rho^2 = (\frac{\rho}{\sigma^2_{e}})^{2}\sigma^2_{e}
and likewise for all later time points.
The unstructured residual covariance structure estimates
\frac{n(n + 1)}{2} parameters. It is unstructured
in that every variance and covariance is freely estimated with no
constraints. However, in most cases, this results in an overparameterized
model and is unestimable. The structure is represented in this table.
| t1 | t2 | t3 | ... | tn | |
| t1 | \sigma^{2}_{e1} | ... | |||
| t2 | \rho_{1} | \sigma^{2}_{e2} | ... | ||
| t3 | \rho_{2} | \rho_{3} | \sigma^{2}_{e3} | ... | |
| ... | ... | ... | ... | ... | ... | 
| tn | \rho_{5} | \rho_{6} | \rho_{7} | ... | \sigma^{2}_{en} | 
Value
A named character vector of class ‘MplusRstructure’ with four elements:
-  all: A character string collapsing all other sections.
-  Variances: A character string containing all of the variances.
-  Covariances: A character string containing all of the covariances, properly labelled to allow constraints and the autoregressive residual covariance structure.
-  Constraints: A character string containing the ‘MODEL CONSTRAINT section and code needed to parameterize the residual covariance structure as autoregressive.’
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
# all five structures collapsing
mplusRcov(letters[1:4], "homogenous", "rho", "e", TRUE)
mplusRcov(letters[1:4], "heterogenous", "rho", "e", TRUE)
mplusRcov(letters[1:4], "cs", "rho", "e", TRUE)
mplusRcov(letters[1:4], "toeplitz", "rho", "e", TRUE)
mplusRcov(letters[1:4], "ar", "rho", "e", TRUE)
mplusRcov(letters[1:4], "un", "rho", "e", TRUE)
# all five structures without collapsing
# useful for long names or many variables
# where a line may cross 80 characters
mplusRcov(letters[1:4], "homogenous", "rho", "e", FALSE)
mplusRcov(letters[1:4], "heterogenous", "rho", "e", FALSE)
mplusRcov(letters[1:4], "cs", "rho", "e", FALSE)
mplusRcov(letters[1:4], "toeplitz", "rho", "e", FALSE)
mplusRcov(letters[1:4], "ar", "rho", "e", FALSE)
mplusRcov(letters[1:4], "un", "rho", "e", FALSE)
Convert Mplus Number to Numeric
Description
Helper function to convert strings formatted in Mplus Fortran-style scientific notation using D to indicate double.
Usage
mplus_as.numeric(vec, expect_sig = FALSE)
Arguments
| vec | A character vector of Mplus numbers to convert to numeric | 
| expect_sig | Whether to expect significance values denoted by asterisk; yields a 'sig' attribute that will be TRUE/FALSE | 
Value
A numeric vector
Examples
MplusAutomation:::mplus_as.numeric("3.1D2")
Extract parameters from a data frame of Mplus estimates
Description
This is a simple convenience function designed to facilitate
looking at specific parameter types by easily return a subset
of a data frame with those types only. It is designed to follow up
the results returned from the readModels function.
Usage
paramExtract(
  x,
  params = c("regression", "loading", "undirected", "expectation", "variability", "new")
)
Arguments
| x | A data frame (specifically the type returned by  | 
| params | A character string indicating the types of parameters to be returned.
Options currently include ‘regression’, ‘loading’, ‘undirected’,
‘expectation’, ‘variability’, and ‘new’ for new/additional parameters.
Regressions include regression of one variable
 | 
Value
A subset data frame with the parameters of interest.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Examples
## Not run: 
  test <- mplusObject(
    TITLE = "test the MplusAutomation Package and my Wrapper;",
    MODEL = "
      mpg ON wt hp;
      wt WITH hp;",
    usevariables = c("mpg", "wt", "hp"),
    rdata = mtcars)
  res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
  # store just the unstandardized parameters in 'd'
  d <- res$results$parameters$unstandardized
  # extract just regression parameters
  paramExtract(d, "regression")
  # extract other types of parameters using shorthand
  paramExtract(d, "u")
  paramExtract(d, "e")
  paramExtract(d, "v")
## End(Not run)
Parse Categorical Output
Description
Helper function for parsing output with variables and categories.
Usage
parseCatOutput(text)
Arguments
| text | The output to parse. | 
Value
The parsed output
Author(s)
Michael Hallquist
Examples
"
Example:
UNIVARIATE PROPORTIONS AND COUNTS FOR CATEGORICAL VARIABLES
SOP2A
  Category 1    0.254      631.000
  Category 2    0.425     1056.000
  Category 3    0.174      432.000
  Category 4    0.147      365.000
Or Item Categories in IRT Parameterization
Item Categories
 U1
   Category 1         0.000      0.000      0.000      1.000
   Category 2        -0.247      0.045     -5.534      0.000
   Category 3         0.699      0.052     13.325      0.000
   Category 4        -0.743      0.057    -12.938      0.000
   Category 5         0.291      0.052      5.551      0.000
"
Check Mplus code for missing semicolons or too long lines.
Description
The function parses a character string containing Mplus code and checks that every non blank line ends in either a colon or a semicolon. In addition, it checks that every line is less than 90 characters, because Mplus ignores everything after 90 characters on a line which can be a source of enigmatic errors.
Usage
parseMplus(x, add = FALSE)
Arguments
| x | a character string containing Mplus code. | 
| add | logical indicating whether or not to add semicolons to
lines that do not have them. Defaults to  | 
Details
The function is fairly basic at the moment. It works by simply removing blank space (spaces, tabs, etc.) and then if a line does not terminate in a colon or semicolon, it returns a note and the line number. Optionally, it can add semicolons to any lines missing them and return the input with added semicolons. To check for lines that are too long, all trailing (but not before) white space is removed, and then the number of characters is checked.
Value
a character vector containing the input text and optionally added semicolons.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Examples
# sample input
test <- "
MODEL:
  mpg ON wt hp;
  wt WITH hp
"
# check and return
cat(parseMplus(test), file=stdout(), fill=TRUE)
# add missing semicolons and return
cat(parseMplus(test, TRUE), file=stdout(), fill=TRUE)
# line that is too long for Mplus
test <- "
MODEL:
  mpg cyl disp hp drat wt qsec vs am gear PWITH cyl disp hp drat wt qsec vs am gear carb;
"
cat(parseMplus(test), file=stdout())
Convert an Mplus syntax string into a parsed list
Description
Convert an Mplus syntax string into a parsed list
Usage
parseMplusSyntax(syntax, dropSectionNames = TRUE)
Arguments
| syntax | the character vector containing Mplus syntax | 
| dropSectionNames | Logical. If TRUE, section names will be dropped from the parsed list | 
Details
This function converts an Mplus syntax string into a list parsed into sections such as TITLE and DATA
Value
a parsed list of Mplus syntax
Parses tags in the body section
Description
Parses tags in the body section (character vector) and init collection (list of vars defined in the init section). This is an internal function.
Usage
parseTags(bodySection, initCollection)
Arguments
| bodySection | The body | 
| initCollection | The initial collection | 
Value
A list with three elements, where each list represents the location, start character, end character, tag type, etc. of each tag.
-  initTags: initMatches
-  bodyTags: bodyMatches
-  bodyText: bodySection
Plot coefficients for an mplusObject
Description
This is a method for plotting the coefficients of an mplusObject.
Usage
## S3 method for class 'mplusObject'
plot(x, y, type = c("stdyx", "un", "std", "stdy"), ...)
Arguments
| x | An object of class mplusObject | 
| y | Not currently used | 
| type | A character vector indicating the type of coefficients to return. One of “un”, “std”, “stdy”, or “stdyx”. Defaults to “stdyx”. | 
| ... | Additional arguments to pass on (not currently used) | 
Value
Nothing. Called for its side effect of plotting the coefficients.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
## Not run: 
# simple example of a model using builtin data
# demonstrates use
test <- mplusObject(
  TITLE = "test the MplusAutomation Package;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  OUTPUT = "STANDARDIZED;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
# example of the coef method
plot(res)
# remove files
unlink("mtcars.dat")
unlink("model1.inp")
unlink("model1.out")
unlink("Mplus Run Models.log")
## End(Not run)
Plot growth mixture models
Description
Plots latent and observed trajectories for a list of growth mixture models, specified using Mplus' '|' notation (e.g., i s | ).
Usage
plotGrowthMixtures(
  modelList,
  bw = FALSE,
  rawdata = FALSE,
  estimated = TRUE,
  poly = FALSE,
  alpha_range = c(0, 0.1),
  growth_variables = NULL,
  time_scale = NULL,
  jitter_lines = NULL,
  coefficients = "unstandardized"
)
Arguments
| modelList | A list object of Mplus models, or a single Mplus model. This function additionally requires the models to be growth mixture models. | 
| bw | Logical. Should the plot be black and white (for print), or color? | 
| rawdata | Logical. Should raw data (observed trajectories) be plotted in the background? Setting this to TRUE might result in long plotting times. Requires including the Mplus syntax 'SAVEDATA: FILE IS "filename"; SAVE = cprobabilities' in the Mplus input. | 
| estimated | Logical. Should the Mplus estimates growth trajectories be displayed? Defaults to TRUE. | 
| poly | Logical. Should polynomial smooth lines be displayed for each group? Defaults to FALSE. If set to TRUE, the order of the polynomial is determined by taking the number of observed timepoints - 1 (e.g., 3 time points results in a quadratic polynomial). The data are weighted according to their posterior class probabilities. Note that rawdata must be TRUE in order to obtain polynomial smooth lines, because these are calculated on the raw data. | 
| alpha_range | Numeric vector. The minimum and maximum values of alpha (transparancy) for the raw data. Minimum should be 0; lower maximum values of alpha can help reduce overplotting. | 
| growth_variables | Character vector. Indicate the names of the latent variables for the growth trajectory to plot. If NULL (default), all latent growth variables are used. Use this option to plot one trajectory when a model contains multiple latent growth trajectories. | 
| time_scale | Numeric vector. In case some of the loadings of the growth model are freely estimated, provide the correct time scale here (e.g., c(0, 1, 2)). | 
| jitter_lines | Numeric. Indicate the amount (expressed in fractions of a standard deviation of all observed data) by which the observed trajectories should be vertically jittered. Like alpha_range, this parameter helps control overplotting. | 
Value
An object of class 'ggplot'.
Author(s)
Caspar J. van Lissa
Examples
## Not run: 
mydat <- read.csv(
system.file("extdata", "ex8.2.csv", package = "MplusAutomation"))
res <- createMixtures(classes = 1:3, filename_stem = "ex8.2",
                      model_overall = 
                                    "i s | V1@0 V2@1 V3@2 V4@3;  i s on V5;",
                      rdata = mydat,
                      OUTPUT = "tech11 tech14;", 
                      usevariables = c("V1", "V2", "V3", "V4", "V5"),
                      run = 1L)
plotGrowthMixtures(res, estimated = TRUE, rawdata = TRUE, 
                   time_scale = c(0, 1, 2, 3))
plotGrowthMixtures(res, estimated = FALSE, rawdata = TRUE, poly = TRUE)
res <- createMixtures(classes = 1:3, filename_stem = "ex8.2_free",
                      model_overall = "i s | V1@0 V2* V3* V4@3;  i s on V5;",
                      rdata = mydat,
                      OUTPUT = "tech11 tech14;",
                      usevariables = c("V1", "V2", "V3", "V4", "V5"),
                      run = 1L)
plotMixtureDensities(res, variables = c("V1", "V2", "V3", "V4"))
plotGrowthMixtures(res, estimated = TRUE, rawdata = TRUE,
                   bw = TRUE, time_scale = c(0, 1, 2, 3),
                   alpha_range = c(0, .05))
plotGrowthMixtures(res, estimated = FALSE, rawdata = TRUE,
                   poly = TRUE, bw = TRUE, time_scale = c(0, 1, 2, 3))
## End(Not run)
Plot latent transition model
Description
Plots latent transition probabilities and classification probabilities for a single latent transition model (a model with multiple categorical latent variables, regressed on one another). Stroke thickness of nodes represents the proportion of cases most likely assigned to that class, with wider strokes representing greater probability. Edge thickness and transparency represent the probability of making a particular transition (left to right), with thicker/darker edges representing greater probability.
Usage
plotLTA(
  mplusModel,
  node_stroke = 2,
  max_edge_width = 2,
  node_labels = "variable.class",
  x_labels = "variable"
)
Arguments
| mplusModel | A single Mplus model object, returned by . This function additionally requires the model to be a mixture model with multiple categorical latent variables. | 
| node_stroke | Integer. Base stroke thickness for nodes. Set to
 | 
| max_edge_width | Integer. Maximum width of edges. | 
| node_labels | Character vector, defaults to  | 
| x_labels | Character vector, defaults to  | 
Value
An object of class 'ggplot'.
Author(s)
Caspar J. van Lissa
Examples
## Not run: 
mydat <- read.csv(
system.file("extdata", "ex8.13.csv", package = "MplusAutomation"))
createMixtures(
classes = 2,
filename_stem = "dating",
model_overall = "c2 ON c1;",
model_class_specific = c(
"[u11$1] (a{C});  [u12$1] (b{C});  [u13$1] (c{C});  [u14$1] (d{C});  [u15$1] (e{C});",
"[u21$1] (a{C});  [u22$1] (b{C});  [u23$1] (c{C});  [u24$1] (d{C});  [u25$1] (e{C});"
),
rdata = mydat,
ANALYSIS = "PROCESSORS IS 2;  LRTSTARTS (0 0 40 20);  PARAMETERIZATION = PROBABILITY;",
VARIABLE = "CATEGORICAL = u11-u15 u21-u25;"
)
runModels(filefilter = "dating")
results <- readModels(filefilter = "dating")
plotLTA(results)
## End(Not run)
Create density plots for mixture models
Description
Creates a density plot for a single object of class 'mplus.model', or a faceted plot of density plots for an object of class 'mplus.model.list'. For each variable, a Total density plot will be shown, along with separate density plots for each latent class, where cases are weighted by the posterior probability of being assigned to that class.
Usage
plotMixtureDensities(
  modelList,
  variables = NULL,
  bw = FALSE,
  conditional = FALSE,
  alpha = 0.2,
  facet_labels = NULL
)
Arguments
| modelList | A list object of Mplus models, or a single Mplus model | 
| variables | Which variables to plot. If NULL, plots all variables that are present in all Mplus models. | 
| bw | Logical. Whether to make a black and white plot (for print) or a color plot. Defaults to FALSE, because these density plots are hard to read in black and white. | 
| conditional | Logical. Whether to show a conditional density plot (surface area is divided amongst the latent classes), or a classic density plot (surface area of the total density plot is equal to one, and is subdivided amongst the classes). | 
| alpha | Numeric (0-1). Only used when bw and conditional are FALSE. Sets the transparency of geom_density, so that classes with a small number of cases remain visible. | 
| facet_labels | Named character vector, the names of which should
correspond to the facet labels one wishes to rename, and the values of which
provide new names for these facets. For example, to rename variables, in the
example with the 'iris' data below, one could specify:
 | 
Value
An object of class 'ggplot'.
Note
This function returns warnings, indicating that sum(weights) != 1. These can be ignored. The sum of the "Total" density per variable per model is equal to 1, and the sum of all of the posterior probabilities is equal to
- This results in a normal density plot for the "Total", which is subdivided by the latent classes, in proportion to the posterior probabilities of participants being assigned to those clases. 
Author(s)
Caspar J. van Lissa
Examples
## Not run: 
results <- createMixtures(classes = 1:3, filename_stem = "iris",
                          rdata = iris, run = 1L)
plotMixtureDensities(results)
## End(Not run)
## Not run: 
plotMixtureDensities(results, variables = "PETAL_LE")
## End(Not run)
## Not run: 
plotMixtureDensities(results, bw = TRUE)
## End(Not run)
## Not run: 
plotMixtureDensities(results, bw = FALSE, conditional = TRUE)
## End(Not run)
## Not run: 
plotMixtureDensities(results[[2]], variables = "PETAL_LE")
## End(Not run)
Create latent profile plots
Description
Creates a profile plot for a single object of class 'mplus.model', or a faceted plot of profile plots for an object of class 'mplus.model.list'.
Usage
plotMixtures(
  modelList,
  variables = NULL,
  coefficients = c("unstandardized", "stdyx.standardized", "stdy.standardized",
    "stdy.standardized"),
  parameter = c("Means", "Intercepts"),
  ci = 0.95,
  bw = FALSE,
  rawdata = FALSE,
  alpha_range = c(0, 0.1)
)
Arguments
| modelList | A list of Mplus mixture models, or a single mixture model | 
| variables | A character vectors with the names of the variables (included in the Mplus output) to be plotted. | 
| coefficients | Which type of coefficients to plot on the y-axis; default
is 'unstandardized'. Options include:  | 
| parameter | Which parameter to plot (from Mplus parameter estimate
headings included in the output).
Defaults to  | 
| ci | What confidence interval should the errorbars span? Defaults to a 95% confidence interval. Set to NULL to remove errorbars. | 
| bw | Logical. Should the plot be black and white (for print), or color? | 
| rawdata | Should raw data be plotted in the background? Setting this to TRUE might result in long plotting times. Requires including the Mplus syntax 'SAVEDATA: FILE IS "filename"; SAVE = cprobabilities' in the Mplus input. | 
| alpha_range | The minimum and maximum values of alpha (transparancy) for the raw data. Minimum should be 0; lower maximum values of alpha can help reduce overplotting. | 
Value
An object of class 'ggplot'.
Author(s)
Caspar J. van Lissa
Examples
## Not run: 
res <- createMixtures(classes = 1:2, filename_stem = "cars",
                      model_overall = "wt ON drat;",
                      model_class_specific = "wt;  qsec;",
                      rdata = mtcars,
                      usevariables = c("wt", "qsec", "drat"),
                      OUTPUT = "standardized",
                      run = 1L)
plotMixtures(res, rawdata = TRUE)
## End(Not run)
## Not run: 
plotMixtures(res, variables = "wt")
## End(Not run)
## Not run: 
plotMixtures(res, coefficients = "stdyx.standardized")
## End(Not run)
Create tab-delimited file and Mplus input syntax from R data.frame
Description
The prepareMplusData function converts an R data.frame
(or a list of data frames), into a tab-delimited
file (without header) to be used in an Mplus
input file. The corresponding Mplus syntax, including the
data file definition and variable names,
is printed to the console or optionally to an input file.
Usage
prepareMplusData(
  df,
  filename = NULL,
  inpfile = FALSE,
  keepCols = NULL,
  dropCols = NULL,
  dummyCode = NULL,
  interactive = TRUE,
  overwrite = TRUE,
  imputed = FALSE,
  writeData = c("always", "ifmissing", "never"),
  hashfilename = FALSE,
  quiet = TRUE,
  use_relative_path = FALSE
)
Arguments
| df | The R data.frame to be prepared for Mplus | 
| filename | The path and filename for the tab-delimited data file for use with Mplus. Example: "C:/Mplusdata/data1.dat" | 
| inpfile | Logical value whether the Mplus syntax should be written
to the console or to an input file. Defaults to  | 
| keepCols | A character vector specifying the variable names
within  | 
| dropCols | A character vector specifying the variable names
within  | 
| dummyCode | An optional character vector of column names indicating
categorical variables in the dataset that should be converted into
dummy codes (using the  | 
| interactive | Logical value indicating whether file names
should be selected interactively. If  | 
| overwrite | Logical value indicating whether
data and input (if present) files should be overwritten.
Defaults to  | 
| imputed | A logical whether data are multiply imputed.  Defaults
to  | 
| writeData | A character vector, one of ‘always’, ‘ifmissing’, ‘never’ indicating whether the data files (*.dat) should be written to disk. Defaults to ‘always’ for consistency with previous behavior. See details for further information. | 
| hashfilename | A logical whether or not to add a hash of the raw data to the
data file name.  Defaults to  | 
| quiet | optional. If  | 
| use_relative_path | If  | 
Details
The writeData argument is new and can be used to reduce overhead
from repeatedly writing the same data from R to the disk.  When using the
‘always’ option, prepareMplusData behaves as before, always writing
data from R to the disk.  When ‘ifmissing’, R generates an
md5 hash of the data prior to writing it out to the disk.  The md5 hash is based on:
(1) the dimensions of the dataset, (2) the variable names,
(3) the class of every variable, and (4) the raw data from the first and last rows.
This combination ensures that under most all circumstances, if the data changes,
the hash will change.  The hash is appended to the specified data file name
(which is controlled by the logical hashfilename argument).  Next R
checks in the directory where the data would normally be written.  If a data file
exists in that directory that matches the hash generated from the data, R will
use that existing data file instead of writing out the data again.
A final option is ‘never’.  If this option is used, R will not write
the data out even if no file matching the hash is found.
Value
Invisibly returns a character vector of the Mplus input syntax. Primarily called for its side effect of creating Mplus data files and optionally input files.
Author(s)
Michael Hallquist
Examples
## Not run: 
library(foreign)
study5 <- read.spss("reanalysis-study-5-mt-fall-08.sav", to.data.frame=TRUE)
ASData5 <- subset(study5, select=c("ppnum", paste("as", 1:33, sep="")))
prepareMplusData(ASData5, "study5.dat")
# basic example
test01 <- prepareMplusData(mtcars, "test01.dat")
# see that syntax was stored
test01
# example when there is a factor and logical
tmpd <- mtcars
tmpd$cyl <- factor(tmpd$cyl)
tmpd$am <- as.logical(tmpd$am)
prepareMplusData(tmpd, "test_type.dat")
rm(tmpd)
# by default, if re-run, data is re-written, with a note
test01b <- prepareMplusData(mtcars, "test01.dat")
# if we turn on hashing in the filename the first time,
# we can avoid overwriting notes the second time
test01c <- prepareMplusData(mtcars, "test01c.dat", hashfilename=TRUE)
# now that the filename was hashed in test01c, future calls do not re-write data
# as long as the hash matches
test01d <- prepareMplusData(mtcars, "test01c.dat",
  writeData = "ifmissing", hashfilename=TRUE)
# now that the filename was hashed in test01c, future calls do not re-write data
# as long as the hash matches
test01db <- prepareMplusData(mtcars, "test01d.dat",
  writeData = "ifmissing", hashfilename=TRUE)
# however, if the data change, then the file is re-written
test01e <- prepareMplusData(iris, "test01c.dat",
  writeData = "ifmissing", hashfilename=TRUE)
# tests for keeping and dropping variables
prepareMplusData(mtcars, "test02.dat", keepCols = c("mpg", "hp"))
prepareMplusData(mtcars, "test03.dat", keepCols = c(1, 2))
prepareMplusData(mtcars, "test04.dat",
  keepCols = c(TRUE, FALSE, FALSE, TRUE, FALSE,
  FALSE, FALSE, FALSE, FALSE, FALSE, FALSE))
prepareMplusData(mtcars, "test05.dat", dropCols = c("mpg", "hp"))
prepareMplusData(mtcars, "test06.dat", dropCols = c(1, 2))
prepareMplusData(mtcars, "test07.dat",
  dropCols = c(TRUE, FALSE, FALSE, TRUE, FALSE,
  FALSE, FALSE, FALSE, FALSE, FALSE, FALSE))
# interactive (test08.dat)
prepareMplusData(mtcars, interactive=TRUE)
# write syntax to input file, not stdout
prepareMplusData(mtcars, "test09.dat", inpfile=TRUE)
# write syntax to alternate input file, not stdout
prepareMplusData(mtcars, "test10.dat", inpfile="test10alt.inp")
# should be error, no file
prepareMplusData(mtcars, interactive=FALSE)
# new warnings if it is going to overwrite files
# (the default to be consistent with prior behavior)
prepareMplusData(mtcars, "test10.dat")
# new warnings if it is going to overwrite files
# (the default to be consistent with prior behavior)
prepareMplusData(mtcars, "test11.dat", inpfile="test10alt.inp")
# new errors if files exist and overwrite=FALSE
prepareMplusData(mtcars, "test10.dat",
  inpfile="test10alt.inp", overwrite=FALSE)
# can write multiply imputed data too
# here are three "imputed" datasets
idat <- list(
  data.frame(mpg = mtcars$mpg, hp = c(100, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(110, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(120, mtcars$hp[-1])))
# if we turn on hashing in the filename the first time,
# we can avoid overwriting notes the second time
testimp1 <- prepareMplusData(idat, "testi1.dat",
  writeData = "ifmissing", hashfilename=TRUE,
  imputed = TRUE)
# now that the filename was hashed, future calls do not re-write data
# as long as all the hashes match
testimp2 <- prepareMplusData(idat, "testi2.dat",
  writeData = "ifmissing", hashfilename=TRUE,
  imputed = TRUE)
# in fact, the number of imputations can decrease
# and they still will not be re-written
testimp3 <- prepareMplusData(idat[-3], "testi3.dat",
  writeData = "ifmissing", hashfilename=TRUE,
  imputed = TRUE)
# however, if the data changes, then all are re-written
# note that it warns for the two files that already exist
# as these two are overwritten
idat2 <- list(
  data.frame(mpg = mtcars$mpg, hp = c(100, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(109, mtcars$hp[-1])),
  data.frame(mpg = mtcars$mpg, hp = c(120, mtcars$hp[-1])))
testimp4 <- prepareMplusData(idat2, "testi4.dat",
  writeData = "ifmissing", hashfilename=TRUE,
  imputed = TRUE)
## End(Not run)
Prepare Mplus Data Matrix
Description
support writing of covariance or means + covariance matrix (future)
Usage
prepareMplusData_Mat(covMatrix, meansMatrix, nobs)
Arguments
| covMatrix | The covariance matrix | 
| meansMatrix | The means matrix | 
| nobs | Number of observations for the data | 
Value
A dataset
Print an Mplus Residual Structure object
Description
This is a method for printing an Mplus Residual Structure object.
Usage
## S3 method for class 'MplusRstructure'
print(x, ...)
Arguments
| x | An object of class MplusRstructure | 
| ... | Additional arguments to pass on (not currently used) | 
Value
NULL Called for its side effect of printing the object to the console
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Other Mplus-Formatting: 
coef.mplus.model(),
confint.mplus.model(),
extract(),
summary.mplusObject()
Examples
# default 'show' uses printing
mplusRcov(c("a", "b", "c"), type = "ar")
# also if calling print explicitly
print(mplusRcov(c("a", "b", "c"), type = "ar"))
# to see all aspects of the raw/original object
str(mplusRcov(c("a", "b", "c"), type = "ar"))
Process Conditional Tags
Description
To do: add details.
Usage
processConditionalTags(templateTags, initCollection)
Arguments
| templateTags | A template tag | 
| initCollection | The list of all arguments parsed from the init section | 
Value
Processed templateTags
Process the Init Section
Description
To do: add details.
Usage
processInit(initsection)
Arguments
| initsection | The list of all arguments parsed from the init section | 
Value
arglist
Read Parameters, Summary Statistics, and Savedata from Mplus Output
Description
Extracts information from one or more Mplus output files, including fit statistics and parameters. Its is to parse all (supported) aspects of Mplus output and to combine these into a list object, with one element per output file identified.
Usage
readModels(
  target = getwd(),
  recursive = FALSE,
  filefilter,
  pathfilter,
  what = "all",
  quiet = TRUE
)
Arguments
| target | the directory containing Mplus output files (.out) to parse OR the single output file to be parsed. May be a full path, relative path, or a filename within the working directory. Defaults to the current working directory. Example: "C:/Users/Michael/Mplus Runs" | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible)
specifying particular output files to be parsed within
 | 
| pathfilter | a Perl regular expression (PCRE-compatible) specifying particular
paths to be parsed within  | 
| what | a character vector denoting what aspects of Mplus output to extract.
Defaults to  | 
| quiet | whether to suppress printing to the screen the file currently being processed. Defaults to TRUE. | 
Details
The what parameter defaults to "all", which extracts all supported output. If you would like to extract a
reduced set of output sections (especially to speed up the function when reading many files), specify the sections
as a character vector from the following options:
c("input", "warn_err", "data_summary", "sampstat", "covariance_coverage", "summaries", "parameters", "class_counts", "indirect", "mod_indices", "residuals", "savedata", "bparameters", "tech1", "tech3", "tech4", "tech7", "tech8", "tech9", "tech10", "tech12", "fac_score_stats", "lcCondMeans", "gh5", "output")
Value
A list with one mplus.model per file. Each mplus.model object is composed of
elements containing major output sections, as detailed below. If
target is a single file, then the top-level elements will be
a single mplus.model object, not a list of files. Specific elements are:
-  input: Mplus input syntax parsed into a list by major section
-  warnings: Syntax and estimation warnings as a list
-  errors: Syntax and estimation errors as a list
-  data_summary: Output of SUMMARY OF DATA section, including cluster sizes and ICCs
-  sampstat: Sample statistics provided by OUTPUT: SAMPSTAT, if specified
-  covariance_coverage: Covariance coverage matrix for checking missingness patterns
-  summaries: Summary statistics fromextractModelSummaries, having structure as specified by that function
-  parameters: Model parameters fromextractModelParameters, having structure as specified by that function
-  class_counts: Latent class counts and proportions for models that include a categorical latent variable
-  indirect: Output of MODEL INDIRECT if available in output. Contains$overalland$specificdata.frames for each indirect effect section
-  mod_indices: Model modification indices fromextractModIndices, having structure as specified by that function
-  residuals: a list containing relevant information from OUTPUT: RESIDUALS
-  savedata_info: File information about SAVEDATA files related to this output
-  savedata: SAVEDATA file as an Rdata.frame, as described ingetSavedata_Data
-  bparameters: anmcmc.listobject containing the draws from the MCMC chains for a Bayesian model that uses the SAVEDATA: BPARAMETERS command
-  tech1: a list containing parameter specification and starting values from OUTPUT: TECH1
-  tech3: a list containing parameter covariance and correlation matrices from OUTPUT: TECH3
-  tech4: a list containing means, covariances, and correlations for latent variables from OUTPUT: TECH4
-  tech7: a list containing sample statistics for each latent class from OUTPUT: TECH7
-  tech8: a list containing optimization history of the model. Currently only supports potential scale reduction in BAYES. OUTPUT: TECH8
-  tech9: a list containing warnings/errors from replication runs for MONTECARLO analyses from OUTPUT: TECH9
-  tech10: a list containing model fit information from OUTPUT: TECH10
-  tech12: a list containing observed versus estimated sample statistics for TYPE=MIXTURE analyses from OUTPUT: TECH12
-  fac_score_stats: factor score mean, correlation, and covariance structure from SAMPLE STATISTICS FOR ESTIMATED FACTOR SCORES section
-  lcCondMeans: conditional latent class means and pairwise comparisons, obtained using auxiliary(e) syntax in latent class models
-  r3step: predictors of latent class membership using the 3-step procedure (R3STEP)
-  gh5: a list containing data from the gh5 (graphics) file corresponding to this output. (Requires rhdf5 package)
-  h5results: a list containing data from h5results file produced by Mplus v8.11+. (Requires rhdf5 package)
-  output: The entire, raw output file.
Author(s)
Michael Hallquist
Examples
## Not run: 
  allOutput <- readModels(
    "C:/Program Files/Mplus/Mplus Examples/User's Guide Examples", recursive=TRUE)
## End(Not run)
Recursive replace
Description
To do: fill in some details
Usage
recurseReplace(templateTags, initCollection, curiterator = 1L)
Arguments
| templateTags | The template tags | 
| initCollection | The list of all arguments parsed from the init section | 
| curiterator | An integer that tracks of the depth of recursion through the iterators. Defaults to 1. | 
Value
Does not look like it returns anything
Replace Body Tags
Description
To do: fill in some details
Usage
replaceBodyTags(bodySection, bodyTags, initCollection)
Arguments
| bodySection | character vector of body section of Mplus syntax | 
| bodyTags | collection of tags used inside of the template body | 
| initCollection | The list of all arguments parsed from the init section | 
Value
Returns updated bodySection
Replace Init Tags
Description
To do: fill in some details
Usage
replaceInitTags(initTags, initCollection)
Arguments
| initTags | Init tags | 
| initCollection | The list of all arguments parsed from the init section | 
Value
Returns updated initCollection
Remove variable name length warnings from Mplus output file
Description
This function is designed to remove warnings in Mplus output files about variable names being greater than 8 characters. It replaces them with a note that the warnings were removed and a count of how many warnings were removed.
Usage
rmVarWarnings(file)
Arguments
| file | A file name (including path if necessary) to an Mplus output file. Note that you must have read and write privileges on the file for this function to work properly. | 
Details
This is an internal function and not meant to be directly called by the
user under most circumstances. It is called by mplusModeler
when the varwarnings = FALSE argument is used.
Value
Usually NULL. Called for the side effect of removing warnings in
Mplus output files. If file.access testing for write permissions
returns FALSE, a character string note that rmVarWarnings
could not run.
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Examples
# to do
Run Mplus Models
Description
This function runs a group of Mplus models (.inp files) located within a single directory or nested within subdirectories.
Usage
runModels(
  target = getwd(),
  recursive = FALSE,
  filefilter = NULL,
  showOutput = FALSE,
  replaceOutfile = "always",
  logFile = "Mplus Run Models.log",
  Mplus_command = detectMplus(),
  killOnFail = TRUE,
  local_tmpdir = FALSE,
  quiet = TRUE
)
Arguments
| target | a character vector where each element is a directory containing Mplus input files (.inp) to run OR a single .inp file to be run. Elements may be a full path, relative path, or a filename within the working directory. Defaults to the current working directory. Example: “C:/Users/Michael/Mplus Runs” | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible) specifying particular input
files to be run among those found in  | 
| showOutput | optional. If  | 
| replaceOutfile | optional. Currently supports three settings: “always”, which runs all models, regardless of whether an output file for the model exists; “never”, which does not run any model that has an existing output file; and “modifiedDate”, which only runs a model if the modified date for the input file is more recent than the output file modified date (implying there have been updates to the model). | 
| logFile | optional. If non-null, specifies a file (and optionally, directory) that records the settings passed into the function and the models run (or skipped) during the run. | 
| Mplus_command | optional. N.B.: No need to pass this parameter for most users (has intelligent defaults). Allows the user to specify the name/path of the Mplus executable to be used for running models. This covers situations where Mplus is not in the system's path, or where one wants to test different versions of the Mplus program. | 
| killOnFail | optional. Windows only for now. If  | 
| local_tmpdir | optional. Linux/Mac for now. If  | 
| quiet | optional. If  | 
Value
None. Function is used for its side effects (running models).
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  runModels("C:/Users/Michael/Mplus Runs", recursive=TRUE, showOutput=TRUE,
    replaceOutfile="modifiedDate", logFile="MH_RunLog.txt",
    Mplus_command="C:\\Users\\Michael\\Mplus Install\\Mplus51.exe")
## End(Not run)
## Not run: 
  runModels(getwd(), filefilter = "ex8.*", logFile=NULL)
## End(Not run)
Run Mplus Models Using Graphical Interface
Description
This function is provides a graphical user interface to the runModels function.
It uses Tcl/Tk to display a window in which the user can specify parameters for runModels,
including the directory for runs, recursing through subdirectories, displaying output on the console,
and replacing existing outfiles.
Usage
runModels_Interactive(
  directory = getwd(),
  recursive = "0",
  showOutput = "1",
  replaceOutfile = "1",
  checkDate = "0",
  logFile = "1"
)
Arguments
| directory | optional. The starting directory that will display in the dialog window. Defaults to the current working directory. | 
| recursive | optional. Whether the recursive checkbox should be checked when the window opens.
“0” for  | 
| showOutput | optional. Whether the show output checkbox should be checked when the window opens.
“0” for  | 
| replaceOutfile | optional. Whether the replace outfile checkbox should be checked when the window opens.
“0” for  | 
| checkDate | optional. Whether the check modified date checkbox should be checked when the window opens.
“0” for  | 
| logFile | optional. Whether the log file checkbox should be checked when the window opens.
“0” for  | 
Details
This function exists as a GUI wrapper for runModels and does not provide any distinct functionality.
Value
None. Function is used to display user interface for running models.
Author(s)
Michael Hallquist
See Also
Examples
# interactive, none
Separate Hyphenated Variable Strings
Description
This code is a simplified form of expandCmd from the lavaan package.
It separates hyphenated variable strings into a list of vectors, while ignoring
hyphens that may be used in numbers.
Usage
separateHyphens(cmd)
Arguments
| cmd | A character string | 
Details
Note that this is an internal function only.
Value
The character string if no hyphens, or a list of vectors if there are hyphens.
Author(s)
Michael Hallquist revised by Joshua Wiley
Examples
MplusAutomation:::separateHyphens("x1x4")
MplusAutomation:::separateHyphens("x1-x4")
MplusAutomation:::separateHyphens("x1-x4; x1*-1; v1-v3;")
Display summary table of Mplus model statistics in separate window
Description
Displays a summary table of model fit statistics extracted using the extractModelSummaries function.
This function relies on the showData function from the relimp package, which displays data in a Tk-based window.
By default, the following summary statistics are included: Title, LL, Parameters, AIC, AICC, BIC, RMSEA_Estimate,
but these are customizable using the keepCols and dropCols parameters.
Usage
showSummaryTable(
  modelList,
  keepCols,
  dropCols,
  sortBy = NULL,
  font = "Courier 9"
)
Arguments
| modelList | A list of models (as a  | 
| keepCols | A vector of character strings indicating which columns/variables to display in the summary. Only
columns included in this list will be displayed (all others excluded). By default,  | 
| dropCols | A vector of character strings indicating which columns/variables to omit from the summary.
Any column not included in this list will be displayed. By default,  | 
| sortBy | Optional. Field name (as character string) by which to sort the table.
Typically an information criterion (e.g., “AIC” or “BIC”) is used to sort the table.
Defaults to  | 
| font | Optional. The font to be used to display the summary table. Defaults to Courier 9. | 
Value
No value is returned by this function. It is solely used to display the summary table in a separate window.
Note
You must choose between keepCols and dropCols because
it is not sensible to use these together to include and exclude columns.
The function will error if you include both parameters.
Author(s)
Michael Hallquist
See Also
extractModelSummaries HTMLSummaryTable LatexSummaryTable
Examples
# make me!!!
check the status of jobs submitted on a SLURM cluster
Description
check the status of jobs submitted on a SLURM cluster
Usage
slurm_job_status(
  job_ids = NULL,
  user = NULL,
  sacct_format = "jobid,submit,timelimit,start,end,state"
)
Arguments
| job_ids | a vector of job ids to check | 
| user | the user who submitted the jobs | 
| sacct_format | the format string passed to sacct for job status | 
Details
This function calls sacct -j to check the status of jobs on a slurm cluster
Value
a data.frame containing the status of each job id
Split a data frame into a list by rows
Description
Takes a data frame and returns a list with an element for each row of the data frame. This is an internal function.
Usage
splitDFByRow(df)
Arguments
| df | An object inheriting from class  | 
Value
A list where each element is a one row data frame
Examples
# small example using built in data
MplusAutomation:::splitDFByRow(mtcars)
Split File and Path into Separate Parts
Description
This is a helper function to split path into path and filename. Code adapted from R.utils filePath command.
Usage
splitFilePath(filepath, normalize = FALSE)
Arguments
| filepath | A character string of the file path | 
Value
A list with elements for the directory, filename, and absolute path.
Examples
  ## Not run: 
  splitFilePath("dir1/subdir1/mplus1.inp")
  
## End(Not run)
Submit Mplus models to a high-performance cluster scheduler
Description
This function submits a group of Mplus models (.inp files) located within a single directory or nested within subdirectories.
Usage
submitModels(
  target = getwd(),
  recursive = FALSE,
  filefilter = NULL,
  replaceOutfile = "modifiedDate",
  Mplus_command = NULL,
  quiet = FALSE,
  scheduler = "slurm",
  sched_args = NULL,
  env_variables = NULL,
  export_all = FALSE,
  cores_per_model = 1L,
  memgb_per_model = 8L,
  time_per_model = "1:00:00",
  pre = NULL,
  post = NULL,
  batch_outdir = NULL,
  job_script_prefix = NULL,
  combine_jobs = TRUE,
  max_time_per_job = "24:00:00",
  combine_memgb_tolerance = 1,
  combine_cores_tolerance = 2,
  debug = FALSE,
  fail_on_error = TRUE
)
Arguments
| target | a character vector where each element is a directory containing Mplus input files (.inp) to run OR a single .inp file to be run. Elements may be a full path, relative path, or a filename within the working directory. Defaults to the current working directory. Example: “C:/Users/Michael/Mplus Runs” | 
| recursive | optional. If  | 
| filefilter | a Perl regular expression (PCRE-compatible) specifying particular input
files to be run among those found in  | 
| replaceOutfile | optional. Currently supports three settings: “always”, which runs all models, regardless of whether an output file for the model exists; “never”, which does not run any model that has an existing output file; and “modifiedDate”, which only runs a model if the modified date for the input file is more recent than the output file modified date (implying there have been updates to the model). | 
| Mplus_command | optional. N.B.: No need to pass this parameter for most users (has intelligent defaults). Allows the user to specify the name/path of the Mplus executable to be used for running models. This covers situations where Mplus is not in the system's path, or where one wants to test different versions of the Mplus program. | 
| quiet | optional. If  | 
| scheduler | Which scheduler to use for job submission. Options are 'qsub', 'torque', 'sbatch', 'slurm', 'local', or 'sh'.
The terms  | 
| sched_args | A character vector of arguments to be included in the scheduling command. On TORQUE, these
will typically begin with '-l' such as '-l wall_time=10:00:00'. These are added inside the submission script
for each model and are shared across all models. To add model-specific arguments, include  | 
| env_variables | A named character vector containing environment variables and their values to be passed
to the  | 
| export_all | Whether to export all environment variables to the compute node at runtime. Default: FALSE | 
| cores_per_model | How many cpus/cores are requested for each model (can be overriden using  | 
| memgb_per_model | amount of memory (RAM) requested for each model (in GB). Default: 8. | 
| time_per_model | amount of time requested for each model. Default: "1:00:00" (1 hour). If a number is provided, we will treat this as the number of minutes. | 
| pre | user-specified shell commands to include in the job script prior to running Mplus (e.g., module load commands) | 
| post | user-specified shell commands to include in the job script after Mplus runs (e.g., execute results wrangling script) | 
| batch_outdir | the directory where job scripts should be written | 
| job_script_prefix | the filename prefix for each job script | 
| combine_jobs | if TRUE,  | 
| max_time_per_job | The maximum time (in days-hours:minutes:seconds format) allowed for a combined job | 
| combine_memgb_tolerance | The memory tolerance for combining similar models in GB. Defaults to 1 (i.e., models that differ by <= 1 GB can be combined) | 
| combine_cores_tolerance | The cores tolerance for combining models with similar core requests. Defaults to 2 (i.e., models whose core requests differ by <= 2 can be combined) | 
| debug | a logical indicating whether to actually submit the jobs (TRUE) or just create the scripts for inspection (FALSE) | 
| fail_on_error | Whether to stop execution of the script (TRUE), or issue a warning (FALSE) if the job submission fails. Defaults to TRUE. | 
Details
Note that if fail_on_error is TRUE and submission of one model fails, the submission loop will stop, rather than
submitting further models.
Value
A data.frame recording details of the jobs submitted by submitModels. This can be passed to the summary function
or to checkSubmission to see the state of submitted jobs.
Author(s)
Michael Hallquist
Examples
## Not run: 
  submitModels("~/Michael/submitTest", recursive=TRUE, sched_args=c("--mail=user", "--export=v"), 
    max_time_per_job = "2:10:00", combine_jobs = TRUE)
## End(Not run)
Subset a list of Mplus model results
Description
a helper function to be used by wrappers that generate HTML, LaTex, and on-screen displays of summary statistics
Usage
subsetModelList(modelList, keepCols, dropCols, sortBy = NULL)
Arguments
| modelList | A list object of Mplus models | 
| keepCols | Columns to keep | 
| dropCols | Columns to drop (use only one of keep/dropCols) | 
| sortBy | How to sort. Defaults to  | 
Value
Extracted and sorted data
Examples
# make me!!!
Summarize an mplusObject
Description
This is a method for summarizing an mplusObject.
Usage
## S3 method for class 'mplusObject'
summary(object, verbose = FALSE, ...)
Arguments
| object | An object of class mplusObject | 
| verbose | Logical whether to print verbose output. Defaults to  | 
| ... | Additional arguments to pass on (not currently used) | 
Value
NULL Called for its side effect of printing a model summary to the console
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
See Also
Other Mplus-Formatting: 
coef.mplus.model(),
confint.mplus.model(),
extract(),
print.MplusRstructure()
Examples
## Not run: 
# simple example of a model using builtin data
# demonstrates use
test <- mplusObject(
  TITLE = "test the MplusAutomation Package;",
  MODEL = "
    mpg ON wt hp;
    wt WITH hp;",
  usevariables = c("mpg", "wt", "hp"),
  rdata = mtcars)
 res <- mplusModeler(test, "mtcars.dat", modelout = "model1.inp", run = 1L)
# example of the summary method
summary(res)
# example of verbose output
summary(res, verbose=TRUE)
# remove files
unlink("mtcars.dat")
unlink("model1.inp")
unlink("model1.out")
unlink("Mplus Run Models.log")
## End(Not run)
summary function for submission from submitModels
Description
summary function for submission from submitModels
Usage
## S3 method for class 'mplus_submission_df'
summary(object, refresh = TRUE, ...)
Arguments
| object | the  | 
| refresh | if  | 
| ... | additional arguments, not currently used | 
Test inequality-constrained hypothesis for two or more parameters based on iterations of MCMC chains
Description
Tests an inequality-constrained hypothesis (van de Schoot, Hoijtink, Hallquist, & Boelen, in press) based on draws from the posterior distribution of the model parameters, which provides information about the proportion of the distribution that is in agreement with a given hypothesis. This function is used for more complex hypotheses about three or more parameters, whereas testBParamConstraint tests a simple two-parameter hypothesis.
Usage
testBParamCompoundConstraint(bparams, test)
Arguments
| bparams | An object containing draws from the posterior distribution (class  | 
| test | The  | 
Details
This function accepts a bparameters object containing iterations of the MCMC chains (rows) for each model parameter (columns) and prints out the number and proportion of draws that are consistent with the requested hypothesis test.
The test argument is evaluated directly as R code, with the bparams object attached so that
variable names are available directly in the environment. Because the goal is to evaluate the test for each
draw from the posterior distribution, remember to use vector-based logic operators, not boolean operators. That is,
stick to & or | for joining tests of parameters, rather than && or || since the latter will
return a single TRUE/FALSE, which is irrelevant.
An example test in R logic would be "(STAITOT.ON.CG > STAITOT.ON.UCG) & (BDIM.ON.CG > BDIM.ON.UCG)".
Value
No value is returned by this function. Instead, two summary tables are printed to the screen containing the number and proportion of draws consistent with the hypothesis.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  #using bparameters directly
  btest <- getSavedata_Bparams("model vb1_simpel_b.out")
  testBParametersCompoundConstraint(btest,
  "(STDYX_STAITOT.ON.CG > STDYX_STAITOT.ON.UCG) & (STDYX_BDIM.ON.CG > STDYX_BDIM.ON.UCG)")
  #or using readModels
  btest <- readModels("model vb1_simpel_b.out")
  testBParametersCompoundConstraint(btest,
  "(STDYX_STAITOT.ON.CG > STDYX_STAITOT.ON.UCG) & (STDYX_BDIM.ON.CG > STDYX_BDIM.ON.UCG)")
## End(Not run)
Test inequality-constrained hypothesis for two parameters based on iterations of MCMC chains
Description
Tests a simple inequality-constrained hypothesis (van de Schoot, Hoijtink, Hallquist, & Boelen, in press) based on
draws from the posterior distribution of the model parameters, which provides information about the proportion
of the distribution that is in agreement with a given hypothesis. This function is used for simple hypothesis
for two parameters, whereas testBParamCompoundConstraint gives full access to multiple parameters and R's logic
syntax.
This function accepts a bparameters object containing iterations of the MCMC chains (rows) for each model parameter (columns)
and prints out the number and proportion of draws that are consistent with the requested hypothesis test.
The coef1, operator, and coef2 arguments are appended in sequence, so that the hypothesis test is
constructed from left-to-right. e.g., testBParamConstraint(bparamsDF, "MGM.TRT1", ">", "MGM.EX2").
Usage
testBParamConstraint(bparams, coef1, operator, coef2)
Arguments
| bparams | An object containing draws from the posterior distribution (class  | 
| coef1 | The name of the first parameter to be compared. Example:  | 
| operator | A logical operator to compare the two parameters. Should be one of  | 
| coef2 | The name of the first parameter to be compared. Example:  | 
Value
No value is returned by this function. Instead, two summary tables are printed to the screen containing the number and proportion of draws consistent with the hypothesis.
Author(s)
Michael Hallquist
See Also
Examples
## Not run: 
  #using bparameters directly
  btest <- getSavedata_Bparams("model vb1_simpel_b.out"))
  testBParametersConstraint(btest, "STDYX_STAITOT.ON.CG", ">", "STDYX_STAITOT.ON.UCG")
  #or using readModels
  btest <- readModels("model vb1_simpel_b.out"))
  testBParametersConstraint(btest, "STDYX_STAITOT.ON.CG", ">", "STDYX_STAITOT.ON.UCG")
## End(Not run)
helper function to get the status of jobs on a TORQUE cluster
Description
helper function to get the status of jobs on a TORQUE cluster
Usage
torque_job_status(job_ids, user = NULL)
Arguments
| job_ids | a vector of job ids to check | 
| user | the user who submitted the jobs | 
Details
Torque does not keep information about completed jobs available in qstat or qselect. Thus, we need to log when a job is listed as queued, so that it 'going missing' is evidence of it being completed.
Value
a data.frame with the job status for each id
Train a variety of latent growth mixture model
Description
This function iterates through a grid of values to train LGMMs, optionally using a local or remote cluster.
Usage
trainLGMM(
  data,
  idvar,
  assessmentvar,
  newdata = FALSE,
  tuneGrid,
  cl,
  ncores = 1L
)
Arguments
| data | A data frame or data table in long format (i.e., multiple rows per ID). | 
| idvar | A character string of the variable name in the dataset that is the ID variable. | 
| assessmentvar | A character string of the variable name in the dataset that indicates the particular assessment point for each timepoint. | 
| newdata | A data frame of new values to use for generating predicted
trajectories by class or  | 
| tuneGrid | A dataframe or list.  It should have names for
the needed arguments for  | 
| cl | Optional. An existing cluster to be used to estimate models. Can be a local or remote cluster. In either case it needs MplusAUtomation and Mplus available. | 
| ncores | If a cluster is not passed to  | 
Examples
## Not run: 
## This example is not run by default because even with very limitted number of
## random starts and iterations, it takes quite a few minutes
setwd(tempdir())
## Simulate Some Data from 3 classes
library(MASS)
set.seed(1234)
allcoef <- rbind(
  cbind(1, mvrnorm(n = 200,
                   mu = c(0, 2, 0),
                   Sigma = diag(c(.2, .1, .01)),
                   empirical = TRUE)),
  cbind(2, mvrnorm(n = 200,
                   mu = c(-3.35, 2, 2),
                   Sigma = diag(c(.2, .1, .1)),
                   empirical = TRUE)),
  cbind(3, mvrnorm(n = 200,
                   mu = c(3.35, 2, -2),
                   Sigma = diag(c(.2, .1, .1)),
                   empirical = TRUE)))
allcoef <- as.data.frame(allcoef)
names(allcoef) <- c("Class", "I", "L", "Q")
allcoef$ID <- 1:nrow(allcoef)
d <- do.call(rbind, lapply(1:nrow(allcoef), function(i) {
  out <- data.frame(
    ID = allcoef$ID[i],
    Class = allcoef$Class[i],
    Assess = 1:11,
    x = sort(runif(n = 11, min = -2, max = 2)))
  out$y <- rnorm(11,
    mean = allcoef$I[i] + allcoef$L[i] * out$x + allcoef$Q[i] * out$x^2,
    sd = .1)
  return(out)
}))
## create splines
library(splines)
time_splines <- ns(d$x, df = 3, Boundary.knots = quantile(d$x, probs = c(.02, .98)))
d$t1 <- time_splines[, 1]
d$t2 <- time_splines[, 2]
d$t3 <- time_splines[, 3]
d$xq <- d$x^2
## create new data to be used for predictions
nd <- data.frame(ID = 1,
                 x = seq(from = -2, to = 2, by = .1))
nd.splines <- with(attributes(time_splines),
                   ns(nd$x, df = degree, knots = knots,
                      Boundary.knots = Boundary.knots))
nd$t1 <- nd.splines[, 1]
nd$t2 <- nd.splines[, 2]
nd$t3 <- nd.splines[, 3]
nd$xq <- nd$x^2
## create a tuning grid of models to try
## all possible combinations are created of different time trends
## different covariance structures of the random effects
## and different number of classes
tuneGrid <- expand.grid(
  dv = "y",
  timevars = list(c("t1", "t2", "t3"), "x", c("x", "xq")),
  starts = "2 1",
  cov = c("independent", "zero"),
  k = c(1L, 3L),
  processors = 1L, run = TRUE,
  misstrick = TRUE, stringsAsFactors = FALSE)
tuneGrid$title <- paste0(
  c("linear", "quad", "spline")[sapply(tuneGrid$timevars, length)],
  "_",
  sapply(tuneGrid$cov, function(x) if(nchar(x)==4) substr(x, 1, 4) else substr(x, 1, 3)),
  "_",
  tuneGrid$k)
tuneGrid$base <- paste0(
  c("linear", "quad", "spline")[sapply(tuneGrid$timevars, length)],
  "_",
  sapply(tuneGrid$cov, function(x) if(nchar(x)==4) substr(x, 1, 4) else substr(x, 1, 3)))
## example using long2LGMM to fit one model at a time
mres <- long2LGMM(
        data = d,
        idvar = "ID",
        assessmentvar = "Assess",
        dv = tuneGrid$dv[1],
        timevars = tuneGrid$timevars[[1]],
        misstrick = tuneGrid$misstrick[1],
        k = tuneGrid$k[1],
        title = paste0(tuneGrid$title[1], tuneGrid$k[1]),
        base = tuneGrid$base[1],
        run = tuneGrid$run[1],
        processors = tuneGrid$processors[1],
        starts = tuneGrid$starts[1],
        newdata = nd,
        cov = tuneGrid$cov[1])
## Example using trainLGMM to fit a whole set of models
## can be distributed across a local or remote cluster
## Defaults to creating a local cluster, but can also pass an
## existing cluster
AllRes <- trainLGMM(
  data = d,
  idvar = "ID",
  assessmentvar = "Assess",
  newdata = nd,
  tuneGrid = tuneGrid,
  ncores = 2L)
tuneGridRes <- as.data.frame(
  cbind(tuneGrid,
        do.call(rbind, lapply(AllRes, function(x) {
          if (is.null(x$Model$results$summaries)) {
            NA
          } else {
            out <- x$Model$results$summaries
            ## deal with missing summary information for k = 1
            if (is.null(out$Entropy)) {
              out$Entropy <- 1
            }
            if (is.null(out$NCategoricalLatentVars)) {
              out$NCategoricalLatentVars <- 0
            }
            out[, sort(names(out)), drop = FALSE]
          }
        }))))
tuneGridRes$Type <- gsub("([a-z]+)_.*$", "\\1", tuneGridRes$title)
tuneGridRes$MinClass <- sapply(AllRes, function(x) {
  n <- x$Model$results$class_counts$mostLikely$count
  if(is.null(n)) {
    length(unique(d$ID))
  } else {
    min(n, na.rm = TRUE)
  }
})
## when trying many models, some may not converge
## subset to omit any missing AICC and look only at those with some
## minimum number of participants per class,
## for demonstration only arbitrarily set at 30
subset(tuneGridRes, !is.na(AICC) & MinClass >= 30,
       select = c(title, aBIC, AICC, Entropy, MinClass, LL))
## reshape data into long form which can make a very nice plot using ggplot2
tuneGridResL <- reshape(
  subset(tuneGridRes, select = c(Type, cov, k, Parameters, aBIC, AICC, AIC, BIC, Entropy)),
  varying = c("Parameters", "aBIC", "AICC", "AIC", "BIC", "Entropy"),
  v.names = "value",
  times = c("Parameters", "aBIC", "AICC", "AIC", "BIC", "Entropy"),
  timevar = "variable",
  idvar = c("Type", "cov", "k"),
  direction = "long")
tuneGridResL$cov <- factor(tuneGridResL$cov, levels = c("zero", "independent"))
## uncomment to run
## library(ggplot2)
## ggplot(tuneGridResL, aes(k, value, colour = Type, shape = Type)) +
##   geom_point() +
##   facet_grid(variable~cov, scales = "free")
## nice plot of the average trajectories in each class
## these are possible as trainLGMM exports predicted values for the
## new data fed in
## uncomment to run
## ggplot(AllRes[[which(tuneGridRes$title=="quad_ind_3")]]$predictions, aes(x)) +
##   geom_line(aes(y = y_1), colour = "black", size = 2) +
##   geom_line(aes(y = y_2), colour = "red", size = 2) +
##   geom_line(aes(y = y_3), colour = "blue", size = 2)
## End(Not run)
Trim White Space
Description
Helper function to remove white space from a character vector
Usage
trimSpace(string)
Arguments
| string | The character vector to trim white space from. | 
Value
A character vector with the white space removed.
Examples
MplusAutomation:::trimSpace(c("    test", "another    "))
Reconstruct matrix from unlabeled multi-line text output
Description
worker function for extracting Mplus matrix output from an unlabeled section where matrices are spread across blocks to keep within width constraints example: class counts output from latent class models.
Usage
unlabeledMatrixExtract(outfiletext, filename)
Arguments
| outfiletext | The text of the output file | 
| filename | The name of the output file | 
Value
a matrix
Examples
# make me!!!
Update an Mplus model object
Description
This is a method for updating an Mplus model object.
It takes an Mplus model object as the first argument, and
then optionally any sections to update. There are two ways
to update a section using a formula interface. ~ "new stuff" will
replace a given section with the new text.  Alternately, you can add
additional text using ~ + "additional stuff". Combined these let you
replace or add to a section.
Usage
## S3 method for class 'mplusObject'
update(object, quiet = TRUE, ...)
Arguments
| object | An object of class mplusObject | 
| quiet | optional. If  | 
| ... | Additional arguments to pass on | 
Value
An (updated) Mplus model object
Author(s)
Joshua F. Wiley jwiley.psych@gmail.com
Examples
example1 <- mplusObject(MODEL = "mpg ON wt;",
  usevariables = c("mpg", "hp"), rdata = mtcars)
x <- ~ "ESTIMATOR = ML;"
str(update(example1, rdata = iris))
str(update(example1, ANALYSIS = x))
str(update(example1, MODEL = ~ "wt ON hp;"))
str(update(example1, MODEL = ~ . + "wt ON hp;"))
str(update(example1, ANALYSIS = x, MODEL = ~ . + "wt ON hp;"))
## check that use variables can be updated & overridden
str(update(example1, usevariables = c("mpg", "hp", "cyl")))
# test to make sure . in Mplus code does not cause problems
str(update(example1, ANALYSIS = x, MODEL = ~ . + "wt ON hp*.5;"))
rm(example1, x)
Updates current values
Description
Body tags currentValues are substituted at the bottom-most level after init collection is finalized (recursively process any nested tags)
Usage
updateCurrentValues(templateTags, initCollection)
Arguments
| templateTags | The template tags | 
| initCollection | Initial collection | 
Value
Updated current value or the original if no match.
helper function to validate format of walltime inputs for HPC submission
Description
helper function to validate format of walltime inputs for HPC submission
Usage
validate_dhms(str)
Arguments
| str | string containing a duration that may include a days specification | 
Details
this always converts to an hms format, and if days are present, it converts to dhms. Supported date formats match slurm sbatch: https://slurm.schedmd.com/sbatch.html