Rcpp中的na.locf和inverse.rle

时间:2014-06-02 22:05:51

标签: r rcpp

我想检查na.locf中的zoo(来自rle包),inverse.rleRCpp是否存在任何预先存在的技巧?< / p>

我写了一个循环来实现,例如我按如下方式执行了na.locf(x, na.rm=FALSE, fromLast=FALSE)

#include <Rcpp.h>
using namespace Rcpp;

//[[Rcpp::export]]
NumericVector naLocf(NumericVector x) {
  int n=x.size();
  for (int i=1;i<n;i++) {
    if (R_IsNA(x[i]) & !R_IsNA(x[i-1])) {
      x[i]=x[i-1];
    }
  }
  return x;
}

我只是想知道,因为这些是非常基本的功能,有人可能已经以更好的方式在RCpp中实现了它们(可能是避免循环)还是更快的方式?

1 个答案:

答案 0 :(得分:6)

我唯一要说的是,当您只需要执行一次时,您将为每个值测试NA两次。 NA的测试不是免费操作。也许是这样的:

//[[Rcpp::export]]
NumericVector naLocf(NumericVector x) {
    int n = x.size() ;
    double v = x[0]
    for( int i=1; i<n; i++){
        if( NumericVector::is_na(x[i]) ) {
            x[i] = v ;
        } else {
            v = x[i] ;    
        }
    }

    return x;
}

然而,这仍然是不必要的事情,比如每当我们最后一次看不到v时才设置NA。我们可以尝试这样的事情:

//[[Rcpp::export]]
NumericVector naLocf3(NumericVector x) {
    double *p=x.begin(), *end = x.end() ;
    double v = *p ; p++ ;

    while( p < end ){
        while( p<end && !NumericVector::is_na(*p) ) p++ ;
        v = *(p-1) ;
        while( p<end && NumericVector::is_na(*p) ) {
            *p = v ;
            p++ ;
        }
    }

    return x;
}

现在,我们可以尝试一些基准测试:

x <- rnorm(1e6)
x[sample(1:1e6, 1000)] <- NA 
require(microbenchmark)
microbenchmark( naLocf1(x), naLocf2(x), naLocf3(x) )
#  Unit: milliseconds
#       expr      min       lq   median       uq      max neval
# naLocf1(x) 6.296135 6.323142 6.339132 6.354798 6.749864   100
# naLocf2(x) 4.097829 4.123418 4.139589 4.151527 4.266292   100
# naLocf3(x) 3.467858 3.486582 3.507802 3.521673 3.569041   100