导入文本文件时跳过空文件

Skip empty files when importing text files

我有一个包含大约 700 个文本文件的文件夹,我想将其导入并添加一列。我已经知道如何使用以下代码执行此操作:

files = list.files(pattern = "*c.txt")
DF <- NULL
for (f in files) {
  data <- read.table(f, header = F, sep=",")
  data$species <- strsplit(f, split = "c.txt") <-- (column name is filename)
  DF <- rbind(DF, data)
}
write.xlsx(DF,"B:/trends.xlsx")

问题是,大约有 100 个文件是空的。所以代码在第一个空文件处停止,我收到此错误消息:

Error in read.table(f, header = F, sep = ",") : 
  no lines available in input

有没有办法跳过这些空文件?

您可以通过检查file.size(some_file) > 0跳过空文件:

files <- list.files("~/tmp/tmpdir", pattern = "*.csv")
##
df_list <- lapply(files, function(x) {
    if (!file.size(x) == 0) {
        read.csv(x)
    }
})
##
R> dim(do.call("rbind", df_list))
#[1] 50  2

这将跳过 10 个空文件,并读入其他 10 个空文件。


数据:

for (i in 1:10) {
    df <- data.frame(x = 1:5, y = 6:10)
    write.csv(df, sprintf("~/tmp/tmpdir/file%i.csv", i), row.names = FALSE)
    ## empty file
    system(sprintf("touch ~/tmp/tmpdir/emptyfile%i.csv", i))
}

对于引入显式错误处理的不同方法,请考虑使用 tryCatch 来处理 read.table 中可能发生的任何其他问题。

for (f in files) {
    data <- tryCatch({
        if (file.size(f) > 0){
        read.table(f, header = F, sep=",")
           }
        }, error = function(err) {
            # error handler picks up where error was generated
            print(paste("Read.table didn't work!:  ",err))
        })
    data$species <- strsplit(f, split = "c.txt") 
    DF <- rbind(DF, data)
}