不要push_back
在Rcpp
类型上使用。目前实现 Rcpp 向量的方式需要每次都复制所有数据。这是一个非常昂贵的操作。
我们有RCPP_RETURN_VECTOR用于调度,这需要您编写一个模板函数,将 Vector 作为输入。
#include <Rcpp.h>
using namespace Rcpp ;
template <int RTYPE>
Vector<RTYPE> first_two_impl( Vector<RTYPE> xin){
Vector<RTYPE> xout(2) ;
for( int i=0; i<2; i++ ){
xout[i] = xin[i] ;
}
return xout ;
}
// [[Rcpp::export]]
SEXP first_two( SEXP xin ){
RCPP_RETURN_VECTOR(first_two_impl, xin) ;
}
/*** R
first_two( 1:3 )
first_two( letters )
*/
只需sourceCpp这个文件,这也将运行调用这两个函数的 R 代码。实际上,模板可以更简单,这也可以:
template <typename T>
T first_two_impl( T xin){
T xout(2) ;
for( int i=0; i<2; i++ ){
xout[i] = xin[i] ;
}
return xout ;
}
模板参数T
只需要:
- 构造函数采用
int
- 一个
operator[](int)
或者,这可能是dplyr矢量访问者的工作。
#include <dplyr.h>
// [[Rcpp::depends(dplyr,BH)]]
using namespace dplyr ;
using namespace Rcpp ;
// [[Rcpp::export]]
SEXP first_two( SEXP data ){
VectorVisitor* v = visitor(data) ;
IntegerVector idx = seq( 0, 1 ) ;
Shield<SEXP> out( v->subset(idx) ) ;
delete v ;
return out ;
}
访问者让您可以在向量上执行一系列操作,而不管它包含的数据类型如何。
> first_two(letters)
[1] "a" "b"
> first_two(1:10)
[1] 1 2
> first_two(rnorm(10))
[1] 0.4647190 0.9790888