未知大小的2D矢量

时间:2016-02-24 19:46:05

标签: c++ vector

我定义了一个向量的空向量:

vector< vector<int> > v;

如何使用while循环的每次迭代用大小为2的整数(来自输入)填充该空向量?

while ( cin >> x >> y ) {
  //....
}

这个有用吗?或者最好,最优雅/最有效的方式是什么?

while ( cin >> x >> y )
{
   vector<int> row;
   row.push_back( x );
   row.push_back( y );
   v.push_back( row );
}

3 个答案:

答案 0 :(得分:3)

正如JerryCoffin指出的那样,你最好使用:

struct Point {
    int x;
    int y;
};

然后你可能会重载输出操作符

std::ostream& operator<< (std::ostream& o,const Point& xy){
    o << xy.x << " " << xy.y;
    return o;
}

和输入运算符类似(参见例如here)。然后你可以像这样使用它:

int main() {
    Point xy;
    std::vector<Point> v;
    v.push_back(xy);
    std::cout << v[0] << std::endl;
    return 0;
}

答案 1 :(得分:1)

这样做的另一种方法是将值推入一维向量,然后将该一维向量推入二维向量。我还打印了这些值作为测试。

#include<bits/stdc++.h>
using namespace std;
int main()
{
    int t,n,temp;
    cin>>t;
    vector<vector<int>> value;
    for(int i=0;i<t;i++)
    {
        cin>>n;
        vector<int> x;
        for(int j=0;j<n;j++)
        {
            cin>>temp;
            x.push_back(temp);
        }
        value.push_back(x);
    }
    for(int i=0;i<t;i++)
    {
        for(int j=0;j<value[i].size();j++)
        {
            cout<<value[i][j]<<" ";
        }
        cout<<endl;
    }
    return 0;
}

希望有帮助!

答案 2 :(得分:0)

  

我写了 - compilator没有说什么,但我从未使用过矢量,所以我还没想出如何打印它

您可以使用例如基于循环的范围(C ++ 11)进行打印:

for (const auto &vec : v) {     // for every vector in v
    for (const auto &num : vec) // print the numbers
        cout << num << " ";
    cout << '\n';
}

定期循环:

for (unsigned int i = 0; i != v.size(); ++i) {
    for (unsigned int j = 0; j != v[i].size(); ++j) {
        cout << v[i][j] << " ";   
    }
    cout << '\n';
}