tryCatch出错

时间:2017-12-12 11:56:42

标签: r

我有一个代码,其中使用for循环读取和分析文件列表。由于我必须分析几个文件,我想使用tryCatch来打印引发问题的文件的名称。我的文件存在的一个常见问题是列名称是错误的,我的意思是,它会出现在文件中:

BackgroundColor

而不是

ID; close; description
1;20-12-2017;0.5;"description1"

这显然会引起错误,因为列名的数量与列数不匹配。

为了检测这些错误,我执行以下代码:

ID; date; close; description
1;20-12-2017;0.5;"description1"

其中files是所分析文件名称的列表。

所以,我试图打印导致麻烦的文件名。

我的代码获得的追溯是:

  for (i in 1:length(files)){
    tryCatch({
    name<-as.character(files[i])
    dat<-read.table(name,header = T,sep="@",dec=",",comment.char = "")
    },
    error<-function(e){
    print("error in file",files[i])
    })

我在tryCatch之前从未使用过,所以可能是一个条件问题,但我不确定。

谢谢!

更新

我有一个新代码:

3.stop("bad handler specification") 
2.tryCatch({
    name <- as.character(files[i])
    dat <- read.table(name, header = T, sep = "@", dec = ",", 
        comment.char = "") ... 
1.data_function(files) 

因为我想检测有错误的文件,还要继续循环。

问题在于它没有继续循环,因为其中一个文件中存在错误,并且错误打印也不起作用,如您所见:

  for (j in 1:length(files)){

    name<-as.character(files[j])

    possibleError<-tryCatch({
        dat<-read.table(name,header = T,sep="@",dec=",",comment.char = "")
    },
    warning = function(w) {
        print(paste("Warning:", w, "in file:", name))
    },
    error<-function(e){
        print(paste("Error:", e, "in file:",name))
    },
    finally = {
        print(paste("End proc. :", name))
    }
    )


    if(!inherits(possibleError, "error")) {

        # do things
    }
    else{next}
}

2 个答案:

答案 0 :(得分:3)

你正在获得&#34;糟糕的处理程序规范&#34;错误是因为error的参数拼写错误tryCatch。只有=可用于指定参数名称,例如

tryCatch(stop("no"), error = function(e) cat("Error: ",e$message, "\n"))

这也是错误未被捕获的原因。请注意,按名称指定参数与赋值(创建绑定)不同。在后者中,您可以使用<-(有时候首选,因为它表明它是一项任务)以及=。在前者中,您只能使用=

答案 1 :(得分:0)

不是 tryCatch 解决方案。循环遍历文件名,检查它是否存在,然后检查数据帧是否具有正确的名称。这样的事情(未经测试):

myList <- lapply(myFiles, function(i){
  if(file.exists(i)){
    res <- paste(i, "File doesn't exist.")
  } else {
    res <- read.table(i)
    if(!identical(colnames(res), c("ID", "date", "close", "description")){
      res <- paste(i, "File wrong columns")
    }
  }
  #return
  res
}))

然后我们可以将数据帧和错误消息分成不同的列表:

# my dataframes with correct column names
myListDF <- myList[ sapply(myList, is.data.frame) ]

# failed files
myListErrors <- myList[ !sapply(myList, is.data.frame) ]