具体来说,我想访问多个堆栈,目的是从一个堆栈中弹出一个元素并将其推入另一个堆栈。因此,我决定使用结构(struct)访问它们。考虑以下代码,
#define MAX 100
#include <stdio.h>
#include <string.h>
struct bag
{
int top;
int arr[MAX];
}harry,monk;
int pop(struct bag name);
void push(int data,struct bag name);
int main()
{
int i,temp;
harry.top=-1;
monk.top=-1;
push(3,harry);
push(1,harry);
push(1,harry);
push(4,harry);
temp=pop(harry);
push(temp,monk);
temp=pop(harry);
push(temp,monk);
for (i=0;i<4;i++)
printf("%d\t%d\n",harry.arr[i],monk.arr[i]);
return 0;
}
int pop(struct bag name)
{
int temp=name.arr[name.top];
name.top=(name.top)-1;
return temp;
}
void push(int data,struct bag name)
{
name.top=(name.top)+1;
name.arr[name.top]=data;
}
分析代码后,我发现每次调用函数时,
void push(int data,struct bag name)
name.top的值从-1更改为0,但在再次调用时又恢复为-1。因此,分配给harry.arr [harry.top]的所有值最终都分配给数组harry.arr [-1]。
那么,有人在那里有什么想法吗?
最佳答案
使用指针,因为现在您要传递参数,所以它将其复制为函数内部的局部参数,因此原始传递值保持不变。
关于c - 在C中使用struct访问多个堆栈,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44464773/