2

我正在尝试创建一个 ASCII 世界,但是我无法在函数之间传递二维数组。这是一个 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;
    }
}
4

3 回答 3

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;
}

编辑

实现您想要实现的目标的另一种方法(即将静态数组传递给函数)是将其作为一个维度数组传递,然后使用类似 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;
}

这个小例子在这里得到了很好的描述(参见 Duoas 的帖子)。

所以我希望这将描述做类似事情的不同方式。然而,这看起来确实很丑陋,并且可能不是最好的编程实践(我会尽一切努力避免这样做,动态数组非常好,你只需要记住释放它们)。

于 2013-05-01T14:35:24.060 回答
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.

于 2013-05-01T14:40:34.773 回答
0

您不需要在声明中调整参数的大小,也不能因为 [][] 语法需要编译时常量。

用字符串 world[][] 替换它应该可以工作。

如果没有,则使用 string[]* world (字符串数组实际上是指向字符串数组的指针数组)

我希望这会有所帮助,我的 C++ 越来越生疏了。

于 2013-05-01T14:36:29.677 回答