Dynamic subset condition in R

青春壹個敷衍的年華 提交于 2021-01-27 19:21:59

问题


I'm trying to implement a function which takes a dynamic subset based on a list of column names of any length

The static code is:

s <- c("s0","s1","s2")
d.subset <- d[ d$s0 > 0 | d$s1 > 0 | d$s2 > 0,] 

However, I want to generate the d$s0 > 0 | d$s1 > 0 | d$s2 > 0 part based on s. I tried as.formula() for generating it, but it gave me an "invalid formula" error.


回答1:


An example data frame:

d <- data.frame(s0 = c(0,1,0,0), s1 = c(1,1,1,0), s2 = c(0,1,1,0))

s <- c("s0","s1","s2")

Here is an easy solution with rowSums:

d[as.logical(rowSums(d[s] > 0)), ]

The result:

  s0 s1 s2
1  0  1  0
2  1  1  1
3  0  1  1



回答2:


You're code isn't reproducible so this is a shot in the dark at what you want I think you want to use indexing rather than the $ operator:

s <- c("s0","s1","s2")
d.subset <- d[ d[, s[1]] > 0 | d[, s[2]] > 0 | d[, s[3]] > 0,] 



回答3:


Inspired by the answer from @sven-hohenstein here is a generalised function that will filter based on a list of predicates, specified in the form column=list(binary_operator, rhs) (e.g. x=list(`<=`, 3) for x <= 3).

#' Filter a data frame dynamically
#'
#' @param df data frame to filter
#' @param controls list of filters (with optional operators)
filter_data = function(df, controls) {

  evaluate = function(predicate, value) {
    if (is.list(predicate)) {
      operator = predicate[[1L]]
      rhs = predicate[[2L]]
    } else {
      operator = `==`
      rhs = predicate
    }
    return(operator(value, rhs))
  }

  index = apply(
    mapply(evaluate, predicate=controls, value=df[names(controls)]), 1L, all
  )

  return(df[index, ])

}

Here is an example using the filtering function to apply the condition x == 2 & y <= 2.5 & z != 'C':

# create example data
df = data.frame(
  x=sample(1:3, 100L, TRUE),
  y=runif(100L, 1, 5),
  z=sample(c('A', 'B', 'C'), 100L, TRUE)
)

controls = list(x=2L, y=list(`<=`, 2.5), z=list(`!=`, 'C'))

filter_data(df, controls)



回答4:


(EDIT: This solution is strongly not recommended. Please see comments and this Stack Overflow question for details.)

I just learned this trick: write it all as a character string and use eval(parse(text=. Perhaps not the best thing for this example but it can be used more generally.

s <- c("s0","s1","s2")
s.1 <- paste0("d$",s," > 0",collapse=" | ")
d.subset <- eval(parse(text=paste0("d[",s.1,",]")))


来源:https://stackoverflow.com/questions/14383422/dynamic-subset-condition-in-r

标签
易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!