Hadley Wickham\'s haven
package, applied to a Stata file, returns a tibble with many columns of type \"labeled\". You can see these with str(), e.g.:
I'm going to take a go at answering this one, though my code isn't very pretty.
First I make a function to extract a named attribute from a single column.
ColAttr <- function(x, attrC, ifIsNull) {
# Returns column attribute named in attrC, if present, else isNullC.
atr <- attr(x, attrC, exact = TRUE)
atr <- if (is.null(atr)) {ifIsNull} else {atr}
atr
}
Then a function to lapply it to all the columns:
AtribLst <- function(df, attrC, isNullC){
# Returns list of values of the col attribute attrC, if present, else isNullC
lapply(df, ColAttr, attrC=attrC, ifIsNull=isNullC)
}
Finally I run it for each attribute.
stub93 <- AtribLst(cps_00093.df, attrC="label", isNullC=NA)
labels93 <- AtribLst(cps_00093.df, attrC="labels", isNullC=NA)
labels93 <- labels93[!is.na(labels93)]
All the columns have a "label" attribute, but only some are of type "labeled" and so have a "labels" attribute. The labels attribute is named, where the labels match values of the data and the names tell you what those values signify.
Jumping off @omar-waslow answer above, but adding the use of attr_getter
.
If the data (some_df
) is imported using read_dta
in the haven
package, then each column in the tibble has an attr
called "label"
. So we split up the dataframe, going column by column. This creates a two column dataframe which can be joined back (after pivot_longer, for example).
library(tidyverse)
label_lookup_map <- tibble(
col_name = some_df %>% names(),
labels = some_df %>% map_chr(attr_getter("label"))
)
The original question asks how 'to extract the values of the labels attribute to a list.' A solution to the main question follows (assuming some_df
is imported via haven
and has label
attributes):
library(purrr)
n <- ncol(some_df)
labels_list <- map(1:n, function(x) attr(some_df[[x]], "label") )
# if a vector of character strings is preferable
labels_vector <- map_chr(1:n, function(x) attr(some_df[[x]], "label") )