Is there a way to convert Armadillo vector to a string in C++?

586 views Asked by At

I was wondering if there is a way to convert an Armadillo vector to a std string. For example if I have this vector:

arma::vec myvec("1 2 3"); //create a vector of length 3 

How can I produce:

std::string mystring("1 2 3");

from it?

2

There are 2 answers

0
hbrerkere On BEST ANSWER

Use a combination of ostringstream, .raw_print(), .st(), .substr(), as below.

// vec is a column vector, or use rowvec to declare a row vector
arma::vec myvec("1.2 2.3 3.4");  

std::ostringstream ss;

// .st() to transpose column vector into row vector
myvec.st().raw_print(ss);  

// get string version of vector with an end-of-line character at end
std::string s1 = ss.str();

// remove the end-of-line character at end
std::string s2 = s1.substr(0, (s1.size() > 0) ? (s1.size()-1) : 0);

If you want to change the formatting, look into fmtflags:

std::ostringstream ss;
ss.precision(11);
ss.setf(std::ios::fixed);
3
molbdnilo On

This should work:

std::ostringstream s;
s << myvec;
std::string mystring = s.str();