Los dos enfoques ofrecidos hasta ahora fallan con los grandes conjuntos de datos que (entre otros problemas de memoria) crean is.na(df), que será un objeto del mismo tamaño que df.
Aquí hay dos enfoques que son más eficientes en cuanto a memoria y tiempo
Un enfoque usando Filter
Filter(function(x)!all(is.na(x)), df)
y un enfoque usando data.table (para tiempo general y eficiencia de memoria)
library(data.table)
DT <- as.data.table(df)
DT[,which(unlist(lapply(DT, function(x)!all(is.na(x))))),with=F]
ejemplos que usan datos grandes (30 columnas, 1e6 filas)
big_data <- replicate(10, data.frame(rep(NA, 1e6), sample(c(1:8,NA),1e6,T), sample(250,1e6,T)),simplify=F)
bd <- do.call(data.frame,big_data)
names(bd) <- paste0('X',seq_len(30))
DT <- as.data.table(bd)
system.time({df1 <- bd[,colSums(is.na(bd) < nrow(bd))]})
# error -- can't allocate vector of size ...
system.time({df2 <- bd[, !apply(is.na(bd), 2, all)]})
# error -- can't allocate vector of size ...
system.time({df3 <- Filter(function(x)!all(is.na(x)), bd)})
## user system elapsed
## 0.26 0.03 0.29
system.time({DT1 <- DT[,which(unlist(lapply(DT, function(x)!all(is.na(x))))),with=F]})
## user system elapsed
## 0.14 0.03 0.18