我正在尝试创建一个ASCII世界,但是我无法在函数之间传递2D数组。它是一个20 x 20阵列,我想在它上面随意放置房屋。数组不会像我想要的那样通过,我的教程告诉我全局变量是邪恶的,所以没有这些变量的解决方案会很棒。
using namespace std;
void place_house(const int width, const int height, string world[width][length])
{
int max_house = (width * height) / 10; //One tenth of the map is filled with houses
int xcoords = (0 + (rand() % 20));
int ycoords = (0 + (rand() % 20));
world[xcoords][ycoords] = "@";
}
int main(int argc, const char * argv[])
{
srand((unsigned)time(NULL));
const int width = 20;
const int height = 20;
string world[width][height];
string grass = ".";
string house = "@";
string mountain = "^";
string person = "Å";
string treasure = "$";
//Fill entire world with grass
for (int iii = 0; iii < 20; ++iii) {
for (int jjj = 0; jjj < 20; ++jjj) {
world[iii][jjj] = ".";
}
}
place_house(width, height, world);
for (int iii = 0; iii < 20; ++iii) {
for (int jjj = 0; jjj < 20; ++jjj) {
cout << world[iii][jjj] << " ";
}
cout << endl;
}
}
答案 0 :(得分:2)
尝试传递string **
而不是string[][]
所以你的函数应该像这样声明:
void place_house(const int width, const int height, string **world)
然后以常规方式访问您的阵列。
请记住正确处理边界(可能您希望将它们与数组一起传递)。
编辑:
这就是你可以达到你需要的方式:
#include <string>
#include <iostream>
using namespace std;
void foo (string **bar)
{
cout << bar[0][0];
}
int main(void)
{
string **a = new string*[5];
for ( int i = 0 ; i < 5 ; i ++ )
a[i] = new string[5];
a[0][0] = "test";
foo(a);
for ( int i = 0 ; i < 5 ; i ++ )
delete [] a[i];
delete [] a;
return 0;
}
修改
实现你想要实现的目标的另一种方法(即将静态数组传递给函数)是将它作为一个dimmensional数组传递,然后使用类似C的方式来访问它。
示例:
#include <string>
#include <iostream>
using namespace std;
void foo (string *bar)
{
for (int r = 0; r < 5; r++)
{
for (int c = 0; c < 5; c++)
{
cout << bar[ (r * 5) + c ] << " ";
}
cout << "\n";
}
}
int main(void)
{
string a[5][5];
a[1][1] = "test";
foo((string*)(a));
return 0;
}
很好地描述了这个小例子here(参见Duoas帖子)。
所以我希望这将描述做类似事情的不同方式。然而,这确实看起来很丑陋,可能不是最好的编程实践(我会尽一切努力避免这样做,动态数组非常好,你只需要记住发布它们。)
答案 1 :(得分:2)
由于您的数组具有编译时已知的维度,您可以使用模板来检测它:
template <std::size_t W, std::size_t H>
void place_house(string (&world)[W][H])
{
int max_house = (W * H) / 10; //One tenth of the map is filled with houses
int xcoords = (0 + (rand() % 20));
int ycoords = (0 + (rand() % 20));
world[xcoords][ycoords] = "@";
}
// ...
place_house(world); // Just pass it
请注意,此技巧不适用于动态分配的数组。在这种情况下,您应该使用类似std::vector
的内容。
答案 2 :(得分:0)
您不需要在声明中调整参数的大小,也不能,因为[] []语法需要编译时常量。
替换为string world [] [],它应该可以工作。
如果不然后使用string [] * world(字符串数组的数组实际上是指向字符串数组的指针数组)
我希望这会有所帮助,我的C ++变得越来越生锈。