我想做的是,当harePosition的值小于1而不是我希望它等于1时。但是当我打印该值时,它给我的是负值。
我对指针的经验不是很丰富,并且我很肯定这是由于我缺乏理解而导致的问题。
int main()
{
int *harePosition = 1, *tortoisePosition = 1;
bool running = 1;
char *sameSpot = "OUCH!!!";
printRace();
srand(time(NULL)); //Allows rand() to create random numbers
while(running){
harePosition = moveHare(harePosition); //calls the function to determine what action will be taken
printf("Hare Position is: %d\n", harePosition); //prints to the screen, I'm using this to troubleshoot if the issue was resolved.
tortoisePosition = tortoiseMove(tortoisePosition);
int *moveHare(unsigned int *harePosition) // function where the issue is happening
{
int hareAction;
hareAction = rand () % 10; // randomly picks a number
if(hareAction < 2){ // based on the hareAction chooses one of the if statements and preforms a math operation
harePosition = harePosition;
}
else if(hareAction > 1 && hareAction < 4){
harePosition += 9;
}
else if(hareAction == 4){
harePosition -= 12;
}
else if(hareAction > 4 && hareAction< 8){
harePosition += 1;
}
else{
harePosition -= 2;
}
if(harePosition < 1){ // Suppose to prevent the harePosition from being less than one
return = 1;
}
return harePosition;
}
答案 0 :(得分:2)
int *harePosition = 1;
将创建一个 pointer 并使其指向内存位置1 (a)。这不是您所需要的。
事实上,由于您传入了值并返回了新值(b),因此绝对不需要在代码中使用指针。因此,以更简单的形式,您需要的是:
int fn (int someVal) {
return someVal + 42;
}
int val = 7;
val = fn (val); // now it will be 49.
(a)至少在允许它的系统中。我认为该语句至少应该生成某种诊断消息,因为ISO C11 Simple assignment
指出了其约束,您应该只分配兼容的指针或空指针,而不是任意整数。
(b)通常,传递指针的唯一原因是使用一种没有引用的语言来模拟按引用传递。我衷心希望在某些时候,ISO能够硬着头皮,为该语言添加 real 传递引用。然后大约80%的C问题将消失:-)
如果 did 需要通过(模拟)引用传递,则必须确保区分指针和值它指向。例如:
void fn (int *pSomeVal) { // Receive a POINTER to an int.
*pSomeVal += 42; // Update the thing it points TO.
}
int val = 7;
fn (&val); // Pass POINTER to the int,
// then val becomes 49.