R can't convert NaN to NA

后端 未结 3 1344
心在旅途
心在旅途 2021-02-15 16:08

I have a data frame with several factor columns containing NaN\'s that I would like to convert to NA\'s (the NaN seems to be a problem for

3条回答
  •  你的背包
    2021-02-15 16:28

    Here's the problem: Your vector is character in mode, so of course it's "not a number". That last element got interpreted as the string "NaN". Using is.nan will only make sense if the vector is numeric. If you want to make a value missing in a character vector (so that it gets handle properly by regression functions), then use (without any quotes), NA_character_.

    > tester1 <- c("2", "2", "3", "4", "2", "3", NA_character_)
    >  tester1
    [1] "2" "2" "3" "4" "2" "3" NA 
    >  is.na(tester1)
    [1] FALSE FALSE FALSE FALSE FALSE FALSE  TRUE
    

    Neither "NA" nor "NaN" are really missing in character vectors. If for some reason there were values in a factor variable that were "NaN" then you would have been able just use logical indexing:

    tester1[tester1 == "NaN"] = "NA"  
    # but that would not really be a missing value either 
    # and it might screw up a factor variable anyway.
    
    tester1[tester1=="NaN"] <- "NA"
    Warning message:
    In `[<-.factor`(`*tmp*`, tester1 == "NaN", value = "NA") :
    invalid factor level, NAs generated
    ##########
    tester1 <- factor(c("2", "2", "3", "4", "2", "3", NaN))
    
    > tester1[tester1 =="NaN"] <- NA_character_
    > tester1
    [1] 2    2    3    4    2    3    
    Levels: 2 3 4 NaN
    

    That last result might be surprising. There is a remaining "NaN" level but none of elements is "NaN". Instead the element that was "NaN" is now a real missing value signified in print as .

提交回复
热议问题