我正在做一个项目,如果我可以用多个 int 值填充一个 int 数组,那会容易得多。
例如:
int array[5];
array[0] == 10, 20, 30;
array[1] == 44, 55, 66;
...
我有点难以解释,但我怎么能用多个 int 值填充一个数组呢?谢谢你的时间 :)
您可以声明一个多维数组:
int array[5][3];
array[0][0] = 10; array[0][1] = 20; array[0][2] = 30;
array[1][0] = 44; array[1][1] = 55; array[2][2] = 66;
...
或创建一个临时结构的数组:
struct tuple_3int
{
int x, y, z;
tuple_3int() {}
tuple_3int(int X, int Y, int Z) : x(X), y(Y), z(Z) {}
};
tuple_3int array[5];
array[0] = tuple_3int(10, 20, 30);
array[1] = tuple_3int(44, 55, 66);
或者,如果您使用的是 C++11,则可以使用新的元组,并声明一个由 3 个整数组成的元组数组:
#include <tuple>
std::tuple<int, int, int> array[5];
array[0]=std::make_tuple(10, 20, 30);
array[1]=std::make_tuple(44, 55, 66);
您可以通过不同的方式实现您的目标:
IE
class triple {
int x;
int y;
int z;
public:
triple (int _x, int _y, int _z) : x(_x), y(_y), z(_z) {}
};
三重数组[大小];数组 [0] = 三倍 (1,2,3);
IE
array[0] = 10;
array[1] = 44;
array[2] = 20;
array[3] = 55;
array[4] = 30;
array[5] = 66;
比 0-2 索引将是您的第一个单元格,3-5 是第二个单元格,依此类推。
IE
int array [SIZE][3];
array [i][0] = 1;
array [i][1] = 2;
array [i][2] = 3;
为什么不使用二维数组?!如果每个单元格中要保存的元素数量不相等,则可以使用向量数组或列表数组
例如
vector<int> array[5];
假设你可以使用C++11,那么a std::vector
ofstd::tuple
似乎是一个简单的方法,这里是一个简单的例子:
#include <iostream>
#include <vector>
#include <tuple>
int main()
{
std::vector<std::tuple<int,int,int>> tupleVector ;
tupleVector.push_back( std::make_tuple( 10, 20, 30 ) ) ;
tupleVector.push_back( std::make_tuple( 44, 55, 66 ) ) ;
std::cout << std::get<0>( tupleVector[0] ) << ":" << std::get<1>( tupleVector[0] ) << ":" << std::get<2>( tupleVector[0] ) << std::endl ;
std::cout << std::get<0>( tupleVector[1] ) << ":" << std::get<1>( tupleVector[1] ) << ":" << std::get<2>( tupleVector[1] ) << std::endl ;
}
非 C++11 示例可以使用 astruct
来保存插槽数据,您可以坚持使用数组,但std::vector
更简单,从长远来看会减少您的麻烦:
#include <iostream>
#include <vector>
#include <tuple>
struct slot
{
int x1, x2, x3 ;
slot() : x1(0), x2(0), x3() {} // Note, need default ctor for array example
slot( int p1, int p2, int p3 ) : x1(p1), x2(p2), x3(p3) {}
} ;
int main()
{
std::vector<slot> slotVector ;
slotVector.push_back( slot( 10, 20, 30 ) ) ;
slotVector.push_back( slot( 44, 55, 66 ) ) ;
std::cout << slotVector[0].x1 << ":" << slotVector[0].x2 << ":" << slotVector[0].x3 << std::endl ;
slot slotArray[5] ;
slotArray[0] = slot( 10, 20, 30 ) ;
slotArray[0] = slot( 44, 55, 66 ) ;
std::cout << slotArray[0].x1 << ":" << slotArray[0].x2 << ":" << slotArray[0].x3 << std::endl ;
}