我有一个名为 Domain 的类,它有一个std::vector
名为
itsVec
. 该向量可通过 访问getVec()
。
当main()
我直接通过
getVec()[i]
. 但是,当我尝试使用迭代器时,指向第一个元素的指针似乎没有正确初始化。itsVec
奇怪的是,在类构造函数中使用迭代器就像一个魅力。
编码
#include<iostream>
#include <vector>
class Domain
{
public:
/* ==================== LIFECYCLE ======================================= */
Domain ( ) {}; /* constructor */
Domain ( unsigned int , const unsigned int * ) ; /* custom constructor */
Domain ( const Domain &other ); /* copy constructor */
~Domain ( ) {}; /* destructor */
/* ==================== ACCESSORS ======================================= */
unsigned int getDim() const {return itsDim;}
std::vector<unsigned int> getVec() const {return itsVec;}
protected:
/* ==================== DATA MEMBERS ======================================= */
unsigned int itsDim;
std::vector<unsigned int> itsVec;
}; /* ----- end of class Domain ----- */
Domain::Domain( unsigned int dim, const unsigned int *externVec)
{
itsDim = dim;
for ( size_t j = 0; j < dim ; j++ )
itsVec.push_back(externVec[j]);
std::vector<unsigned int>::const_iterator i_vec = itsVec.begin();
// iterator access works
for ( ; i_vec != itsVec.end(); i_vec++)
std::cout<<"Iterator in constructor: " << (*i_vec) << std::endl;
std::cout<<std::endl;
} /* ----- end of constructor ----- */
/*-----------------------------------------------------------------------------
* Main
*-----------------------------------------------------------------------------*/
int main ()
{
const unsigned int kVec[3] = { 1, 2, 3 };
Domain k(3,kVec);
size_t i = 0;
// direct access works
for( ; i<3 ; i++)
std::cout << "Vec direct: " << k.getVec()[i] << std::endl;
std::cout << std::endl;
// iterator access FAILS for the first element
std::vector<unsigned int>::const_iterator it_vec = k.getVec().begin();
for ( ; it_vec != k.getVec().end(); it_vec++)
std::cout<<"Vec iterator " << (*it_vec) << std::endl;
return 0;
} /* ---------- end of function main ---------- */
编译g++ main.cc -o test
结果为
$ ./test
Iterator in constructor: 1
Iterator in constructor: 2
Iterator in constructor: 3
Vec direct: 1
Vec direct: 2
Vec direct: 3
Vec iterator 140124160
Vec iterator 2
Vec iterator 3
在另一台机器上测试给出:
Vec iterator 0
Vec iterator 0
Vec iterator 3
是我通过getVec()
错误返回向量的方式。迭代器是否处理不正确?我不知道,这里有什么问题或如何解决它。
非常感谢任何帮助,
大弗兰克