3

我正在尝试一些purrr习惯用法 - 特别是通过一个 data.frame 循环(或应用,如果您愿意)函数并与另一个 data.frame 中的所有其他行进行比较的函数......并根据该比较函数过滤笛卡尔积..

> df1    
        chr start   end
      (fctr) (int) (int)
    1   chr1  9069  9176
    2   chr1 10460 11368
    3   chr1 34633 35625
    4   chr1 36791 37023
> df2
     chr start2
  (fctr) (dbl)
1   chr1  9169
2   chr1 10360
3   chr1 34633

所以一个简单的示例函数是:

> is.between <- function(x1, y1, y2){
  ifelse(x1 >= y1 & x1 <= y2, TRUE, FALSE)
}

我正在寻找的结果(现在)应该是一个 2 x 4 data.framedf3

             # desired result
             chr start  end  start2
          (fctr) (int) (int)
        1   chr1  9069  9176  9169
        2   chr1  34633 35625 34633

然后我天真地尝试purrr::cross_n像这样使用该功能......

> cross_n(list(df2$start2, df1$start, df1$start), .filter = is.between)

当然这不起作用,它是通过 3 个输入列(48 个组合)的笛卡尔积进行搜索。我希望搜索df2$start2vs [df1$startdf1$end] 的组合(12 种组合)。

所以......有没有办法在purrr框架内做到这一点?

不能完全理解cross_norcross2和 errr .. 我不完全理解文档cross_d

4

1 回答 1

1

好的 FWIW - 我已经调整了一些purrr::cross_n功能来回答我自己的问题。新函数cross2d如下所示:

# this makes sense only if the .l in the same groups are the same length
# ie they are probably from the same data.frame
cross2d<- function(.l, groups = NULL, .filter = NULL){
  if (is_empty(.l) | is.null(groups)) {
    return(.l)
  }
  if (!is.null(.filter)) {
    .filter <- as_function(.filter)
  }

  n <- length(.l)

  #separate df for each group
  df1<- data.frame(.l[groups==0])
  df2<- data.frame(.l[groups==1])


  exp.coords<-expand.grid(1:nrow(df1), 1:nrow(df2))
  df<- data.frame(df1[exp.coords$Var1,], df2[exp.coords$Var2,])
  names(df)<-c(colnames(df1),colnames(df2))

  df[do.call(.filter, unname(df)),]
}

使用示例数据df1和上面显示df2is.between函数,您可以像这样使用它:

> cross2d(list(x1=df2$start, x2=df1$start, y2=df1$end), group=c(0,1,1), .filter=is.between)
       x1    x2    y2
1    9169  9069  9176
3.2 34633 34633 35625

我已经为 2 个组(实际上是 data.frames)和 data.frame 输出编写了这个代码......但它也许可以进一步概括......?

于 2016-02-23T12:38:51.483 回答