web-dev-qa-db-ja.com

NumericVectorによるRcpp選択/サブセットNumericMatrix列

次のように、マトリックスのすべての行とマトリックスの列の範囲を選択できます。

_library(Rcpp)
cppFunction('
NumericMatrix subset(NumericMatrix x){
  return x(_, Range(0, 1));
}
')
_

ただし、_NumericVector y_に基づいて列を選択したいと思います。たとえば、c(0, 1, 0, 0, 1)のようなものにすることができます。私はこれを試しました:

_library(Rcpp)
cppFunction('
NumericMatrix subset(NumericMatrix x, NumericVector y){
  return x(_, y);
}
')
_

しかし、それはコンパイルされません。どうすればいいのですか?

3
Euler_Salter

残念ながら、Rcppは、非連続ビューや、1つのステートメントで列1と4のみを選択することをサポートしていません。ビューまたはすべての列の選択には、Rcpp::Range()を使用してアクセスできます。 マトリックスサブセット をより適切に制御するために、RcppArmadilloにアップグレードすることをお勧めします。

RcppArmadilloサブセットの例

#include <RcppArmadillo.h>
// [[Rcpp::depends(RcppArmadillo)]]

// [[Rcpp::export]]
arma::mat matrix_subset_idx(const arma::mat& x,
                            const arma::uvec& y) { 

    // y must be an integer between 0 and columns - 1
    // Allows for repeated draws from same columns.
    return x.cols( y );
}


// [[Rcpp::export]]
arma::mat matrix_subset_logical(const arma::mat& x,
                                const arma::vec& y) { 
    // Assumes that y is 0/1 coded.
    // find() retrieves the integer index when y is equivalent 1. 
    return x.cols( arma::find(y == 1) );
}

テスト

# Sample data
x = matrix(1:15, ncol = 5)
x
#      [,1] [,2] [,3] [,4] [,5]
# [1,]    1    4    7   10   13
# [2,]    2    5    8   11   14
# [3,]    3    6    9   12   15

# Subset only when 1 (TRUE) is found:
matrix_subset_logical(x, c(0, 1, 0, 0, 1))
#      [,1] [,2]
# [1,]    4   13
# [2,]    5   14
# [3,]    6   15

# Subset with an index representing the location
# Note: C++ indices start at 0 not 1!
matrix_subset_idx(x, c(1, 3))
#      [,1] [,2]
# [1,]    4   13
# [2,]    5   14
# [3,]    6   15

純粋なRcppロジック

Armadilloの依存関係を引き受けたくない場合、Rcppのマトリックスサブセットに相当するものは次のとおりです。

#include <Rcpp.h>

// [[Rcpp::export]]
Rcpp::NumericMatrix matrix_subset_idx_rcpp(
        Rcpp::NumericMatrix x, Rcpp::IntegerVector y) { 

    // Determine the number of observations
    int n_cols_out = y.size();

    // Create an output matrix
    Rcpp::NumericMatrix out = Rcpp::no_init(x.nrow(), n_cols_out);

    // Loop through each column and copy the data. 
    for(unsigned int z = 0; z < n_cols_out; ++z) {
        out(Rcpp::_, z) = x(Rcpp::_, y[z]);
    }

    return out;
}
7
coatless