I'm attempting to get a basic constant forward-iterator to work in C++.
namespace Rcpp {
class SparseMatrix {
public:
IntegerVector i, p;
NumericVector x;
int begin_col(int j) { return p[j]; };
int end_col(int j) { return p[j + 1]; };
class iterator {
public:
int index;
iterator(SparseMatrix& g) : parent(g) {}
iterator(int ind) { index = ind; }; // ERROR!
bool operator!=(int x) const { return index != x; };
iterator operator++(int) { ++index; return (*this); };
int row() { return parent.i[index]; };
double value() { return parent.x[index]; };
private:
SparseMatrix& parent;
};
};
}
My intention is to use the iterator in contexts similar to the following:
// sum of values in column 7
Rcpp::SparseMatrix A(nrow, ncol, fill::random);
double sum = 0;
for(Rcpp::SparseMatrix::iterator it = A.begin_col(7); it != A.end_col(7); it++)
sum += it.value();
Two questions:
- The compiler throws an error on the line indicated above:
uninitialized reference member in 'class Rcpp::SparseMatrix&' [-fpermissive]
. How can this be fixed? - How might
double value() { return parent.x[index]; };
be re-worked to return a pointer to the value rather than a copy of the value?
A little context on the SparseMatrix
class: like a dgCMatrix
in R, this object of class SparseMatrix
consists of three vectors:
i
holds row pointers for every element inx
p
gives indices ini
which correspond to the start of each columnx
contains non-zero values
Thanks to @Evg, here's the solution:
And it can be used as follows, for instance, to calculate colSums:
And, the above function is faster than
RcppArmadillo
,RcppEigen
, andR::Matrix
equivalents when microbenchmarked from R!Edit:
The above syntax is inspired by Armadillo. I've come to realize that a slightly different syntax (which involves fewer constructions) gives an iterator similar to Eigen:
Which can then be used like this: