这是一个调用chararrays和整数堆栈中的数组的函数。它应该反转这些值,但首先我要弄清楚哪个是字符串,哪个是整数才能切换它们。但我不断收到错误。有什么看起来有点荒谬吗?
void reverse(Stack *S)
// NOTE: Called w/ user input 'r'
// PRE: Stack S is initialized
// POST: The first two values of the stack are reversed on the stack
{
int valone;
int valtwo;
char stringone[50];
char stringtwo[50];
if (S->size < 1)
{
printf("Error: There are less than 2 values on the stack \n");
}
else
{
valone = (float)topInt(S);
strcpy(stringone, topString(S));
pop(S);
valtwo = (float)topInt(S);
strcpy(stringone, topString(S));
pop(S);
if(stringone[0] == '\n')
{
pushInt(S, valone);
}
else if(valone == '\n')
{
pushString(S, stringone);
}
else if(stringtwo[0] == '\n')
{
pushInt(S, valtwo);
}
else if(valtwo == '\n')
{
pushString(S, stringtwo);
}
}
}
答案 0 :(得分:1)
您正在从堆栈中弹出两个值,但只将一个值推回到它上面。您需要将其中一个else if
更改为if
。
if(stringone[0] == '\n')
{
pushInt(S, valone);
}
else if(valone == '\n')
{
pushString(S, stringone);
}
if(stringtwo[0] == '\n')
{
pushInt(S, valtwo);
}
else if(valtwo == '\n')
{
pushString(S, stringtwo);
}
我不知道这是否能解决您的问题。你得到了什么错误?请发布。
另外,为什么在这里使用\n
作为特殊值?如果valone
或valtwo
最终等同于\n
的整数值,则会遇到奇怪的问题。
如果我是你,我会改变方法......
void reverse(Stack **S)
{
Stack* newS = allocateEmptyStack();
while (!isEmpty(*S))
{
StackItem* item = top(*S);
pop(*S);
push(newS, item);
}
freeStack(*S);
*S = newS;
}
一些潜在的定义......
typedef enum ItemType
{
STACK_STRING,
STACK_INT,
STACK_FLOAT
} ItemType;
typedef struct StackItem
{
ItemType type;
void* data;
StackItem* next;
} StackItem;
typedef struct Stack
{
StackItem* top;
} Stack;
Stack* allocateEmptyStack()
{
Stack* S = malloc(sizeof(Stack));
S->top = NULL;
return S;
}
int isEmpty(Stack* S)
{
if (S->top == NULL)
return 1;
return 0;
}
void freeStack(Stack* S)
{
while (!isEmpty(S))
{
StackItem* item = top(S);
pop(S);
freeStackItem(item);
}
free(S);
}
StackItem* top(Stack* S)
{
return S->top;
}
void pop(Stack* S)
{
StackItem* topItem = top(S);
if (topItem != NULL)
{
s->top = topItem->next;
}
}
void push(Stack* S, StackItem* item)
{
item->next = top(S);
s->top = item;
}
StackItem* allocateStackItem(ItemType type, int dataSize)
{
StackItem* item = malloc(sizeof(StackItem));
item->data = malloc(dataSize);
item->type = type;
item->next = NULL;
return item;
}
void freeStackItem(StackItem* item)
{
if (item->data != NULL)
free(item->data);
free(item);
}
初始化Stack
...
Stack* S = allocateEmptyStack();
StackItem* item = allocateStackItem(STACK_INT, sizeof(int));
int* int_ptr = (int*)(item->data);
*int_ptr = 1234;
push(S, item);
const char* str = "this is a string";
item = allocateStackItem(STACK_STRING, strlen(str) + 1);
char* char_ptr = (char*)(item->data);
strcpy(char_ptr, str);
push(S, item);
答案 1 :(得分:1)
不要太苛刻,但这段代码无异于完全不连贯。 我无法想象valone =(float)topInt(S);打算这样做,因为 valone是一个int。您似乎也分配了一个整数标识 和字符串标识到堆栈的顶部元素。你弹出两个项目 离开堆栈并最多推动一个。你strcpy到一个固定的lenngth缓冲区 没有检查你正在复制的字符串的大小,最后,如果 你在字符串上推一个字符串,你正在推送本地变量地址 当函数退出时,它将无效。
答案 2 :(得分:0)
如果没有更多细节,很难理解,但看起来你正在做两次弹出而只有一次推动。你至少需要记下你的第二个。