Pregunta

Tengo un Boost Multiarray cuyas dimensiones se establecen en tiempo de ejecución en función de la entrada del usuario.

Ahora me gustaría iterar sobre esa matriz a través de x,y,z componentes.

Si esto fuera un vector std ::, usaría:

for(int i=0;i<v.size();i++){

O tal vez algún tipo de iterador.

¿Cómo obtengo los valores numéricos de las dimensiones de la multiarray?

¿Cómo itero sobre la multiarray?

¡Gracias!

¿Fue útil?

Solución

Podrías usar shape() para una forma menos complicada:

#include <iostream>
#include <string>
#include <boost/multi_array.hpp>

int main() {
    boost::multi_array<std::string, 2> a(boost::extents[3][5]);
    for(size_t x = 0; x < a.shape()[0]; x++) {
        for(size_t y = 0; y < a.shape()[1]; y++) {
            std::ostringstream sstr;
            sstr << "[" << x << ", " << y << "]";
            a[x][y] = sstr.str();
        }
    }
    for(size_t x = 0; x < a.shape()[0]; x++) {
        for(size_t y = 0; y < a.shape()[1]; y++) {
            std::cout << a[x][y] << "\n";
        }
    }
    return 0;
}

(Véalo en acción en Coliru)

Otros consejos

#include "boost/multi_array.hpp"
#include <iostream>
#include <algorithm>
#include <iterator>

int main () {
    typedef boost::multi_array_types::index_range range;
    typedef boost::multi_array<char, 2> Array2d;
    Array2d a(boost::extents[8][24]);

    //to view the two-dimensional array as a one-dimensional one can use multi_array_ref?
    boost::multi_array_ref<char, 1> a_ref(a.data(), boost::extents[a.num_elements()]);
    std::fill(a_ref.begin(), a_ref.end(), '-');

    //to apply algorithm to one row or column, can use array_view
    //especially useful for traversing it vertically?
    //e.g:
    Array2d::array_view<1>::type views[4] = {
        a[boost::indices[range()][0]], //left column
        a[boost::indices[range()][a[0].size() - 1]], //right column
        a[boost::indices[0][range()]], //top row
        a[boost::indices[a.size()-1][range()]] //bottom row
    };
    for (unsigned i = 0; i != sizeof(views)/sizeof(views[0]); ++i) {
        std::fill ( views[i].begin(), views[i].end(), 'X' );
    }

    //output
    for (unsigned i = 0; i != a.size(); ++i) {
        std::copy(a[i].begin(), a[i].end(), std::ostream_iterator<char>(std::cout, ""));
        std::cout << '\n';
    }
}

fuente: http://cboard.cprogramming.com/cplusplus-programming/112584-boost-multiarray.html

Licenciado bajo: CC-BY-SA con atribución
No afiliado a StackOverflow
scroll top