我试着寻找我的问题的答案,但找不到任何正确的答案。
我的问题涉及设置数组并基本上将小光标移动到点域之外。我需要能够忽略用户的输入,如果他们按箭头键的方向将他们超出网格范围。我不确定最好的做法是什么。
这是我无法修改的课程。我只能继承它来做到这一点。
//You can add or delete includes
#include <iostream>
#include <stdlib.h> //For system()
#include <conio.h> //For getche()
#include <time.h>
using namespace std;
const int MAX_HEIGHT = 20; //The height of the grid
const int MAX_WIDTH = 40; //The width of the grid
class PickUpGame
{
protected:
char Screen[MAX_HEIGHT][MAX_WIDTH]; //The grid to print to the screen
int xPos, yPos; //The current x and y position of the users cursor on the grid
public:
//Constructor that will intialize the screen and x and y positions
PickUpGame() : xPos(0), yPos(MAX_WIDTH - 1)
{
SetupScreen(); //Initalize the grid
}
//Initialize the screen with all '.' characters and set the intial user cursor position on the grid
void SetupScreen()
{
for(int height = 0; height < MAX_HEIGHT; height++) {
for(int width = 0; width < MAX_WIDTH; width++) {
Screen[height][width] = '.'; //Initialize each grid position
}
}
Screen[xPos][yPos] = '<'; //Set the users initial cursor position
}
//Print the grid to the screen
void Print()
{
for(int height = 0; height < MAX_HEIGHT; height++) {
for(int width = 0; width < MAX_WIDTH; width++) {
cout << Screen[height][width]; //Print the character at this location in the grid
}
cout << endl; //After each row is printed, print a newline character
}
}
//Take in user input to move around the grid
void Move(char Direction)
{
switch(static_cast<int>(Direction)) //Don't know the ASCII characters for the arrow keys so use the ASCII numbers
{
case 72: //Up arrow
Screen[xPos][yPos] = ' '; //Wipe out the users current cursor
xPos--; //Move the users x position on the grid
Screen[xPos][yPos] = '^'; //Move the users cursor
break;
case 80: //Down arrow
Screen[xPos][yPos] = ' ';
xPos++;
Screen[xPos][yPos] = 'V';
break;
case 75: //Left arrow
Screen[xPos][yPos] = ' ';
yPos--;
Screen[xPos][yPos] = '<';
break;
case 77: //Right arrow
Screen[xPos][yPos] = ' ';
yPos++;
Screen[xPos][yPos] = '>';
break;
}
}
};
答案 0 :(得分:2)
你只需要检查一个动作是否会将它们带到界外,如果是这样则忽略它。例如,向右移动:
if (right_key_pressed() && x_position < MAX_X_VALUE) {
x_position++;
}
也就是说,只有按下→键并且尚未达到最大X位置值时,它们才会向右移动。您可以将类似的逻辑应用于其他方向。
在将PickUpGame
课程添加到问题
由于移动逻辑在PickUpGame
并且您说您不允许修改它,这使得它有点烦人。理想情况下,if
中的Move
语句将检查边界。相反,您将不得不在外面打电话Move
:
if ((Direction == 72 && xPos > 0) ||
/* do the same for right, down, and left */) {
Move(Direction);
}
所以你希望它检查Direction
是否已经启动并且是否有升空的空间,或者它是否正确并且有向右移动的空间,或者......等等。然后,只有这样,您才会将Direction
传递给Move
。
答案 1 :(得分:0)
听起来你需要做的就是为数组中的用户保存一个变量(你可能已经有一个),最大值和最小值保持两个变量。然后,当用户按下箭头键时,在移动光标之前,测试该动作是否会使它们超出范围。