C ++:我如何仅查看二维数组的一个维度?

时间:2018-03-18 10:23:27

标签: c++ arrays g++ draw

我在控制台中编写战舰游戏,我正在编写一个基于二维数组绘制一个网格的函数。我采取的方法是:

--> Draw 1 row which contains a character X amount of times (like 10)

--> Draw that row, putting a newline at the end of the drawing process, 10 times to get a nice field.

现在,我确实需要在1行末尾插入换行符,对吗?但是,我如何只比较数组的x元素,而不是y元素?

这是我的代码:

// Includes
#include <iostream> // For IO
#include <cstdlib> // For rand()

// Important game stuff
const int empty = 0; // Water
const int occupied = 1; // Ship
const int hit = 2; // Hit a ship
const int missed = 3; // Missed

// Variables
const int fields = 10;
// We want a 10x10 field
int board[fields][fields]; // board[x][y]

// Initialize board
void initb(int array[fields][fields]);
// Draw board x-axis
void drawbx(int array[fields][fields]);

int main(void)
{
    drawbx(board;)
    // game(Players);
    return 0;
}
// Initialize the board, make everything hit
void initb(int array[fields][fields])
{
    for(int x = 1; x <= 10; x++)
    {
        for(int y = 1; y <= 10; y++)
        {
            array[x][y] = hit;
        }
    }
}

void drawbx(int array[fields][fields])
{
    for(int i = 1; i <= fields; i++)
    {
        if(array[i][] == empty || array[i][] == occupied)
        {
                if(i == 10)
                    std::cout << "  X\n";
                else if(i == 1)
                    std::cout << "X  ";
                else
                    std::cout << "  X  ";
        }
    }
}

专门研究drawbx()功能。我想绘制像

这样的东西

X X X X X X X X X X\n

我尝试过的语法if(array[i][] == empty || array[i][] == occupied)不起作用。第二对方括号中必须有一个表达式。有人能帮助我吗?

1 个答案:

答案 0 :(得分:2)

我看到两个主要问题:

1)数组索引超出范围。使用索引1到10.它应为0到9。

2)代码array[i][] == empty是非法语法。您不能将一个索引留空。

如果你想要一个绘制一行的函数,可以将行号传递给函数,如:

void draw_one_row(int array[fields][fields], int row_to_draw)
{
    for(int i = 0; i < fields; i++)
    {
        if(array[row_to_draw][i] == empty || array[row_to_draw][i] == occupied)
        {
            ...
        }
    }
}

绘制整个董事会:

void draw_board(int array[fields][fields])
{
    for(int i = 0; i < fields; i++)
    {
        draw_one_row(array, i);
    }
}

BTW:自从你编写C ++以来,我建议你使用vector而不是数组。