11

我想在 for 循环中遍历一些std::vectors,但根据某些条件,向量应向前或向后迭代。我想,我可以很容易地通过使用普通迭代器或反向迭代器来做到这一点:

#include <iostream>
#include <vector>
using namespace std;

int main() {
    vector<int> vec{0, 1, 2, 3, 5, 6, 7};
    bool reverse = true;
    std::iterator<random_access_iterator_tag, int> it, end_it;

    if (reverse) {
      it = vec.rbegin();
      end_it = vec.rend();
    } else {
      it = vec.begin();
      end_it = vec.end();
    }

    for (; it != end_it; it++) {
        cout << *it << ", ";
    }
    return 0;
}

但不幸的是,似乎并没有使用相同的父类vector::begin()vector::rbegin()是否有另一种方法可以在 if-else 结构中没有两个不同的循环的情况下做我想做的事情?当然,我可以为循环体创建一个函数/lambda,或者使用一些索引算法,但是有没有更优雅的方法?

编译器抱怨分配it = vec.begin(),因为它们是不同的类型。gcc 和 VC++ 输出不同的错误,并且似乎对vector::begin.

4

1 回答 1

-1

不确定是否更好,您会接受没有 std::iterator 的解决方案,但我认为这更优雅:

#include <iostream>
#include <vector>

using namespace std;

int main() {
vector<int> vec{0, 1, 2, 3, 4, 5, 6};
bool reverse = true;

for(int i: vec){
    if(reverse) 
        cout << vec[vec.size()-i] << endl;
    else 
        cout << vec[i] << endl;
  }
}

效率不是很高,因为您必须在每个循环中检查是否。

于 2018-07-26T18:13:41.783 回答