0

我试图了解堆栈结构的工作原理,但由于某种原因,每当我尝试从中打印时charElements,我的程序崩溃了,我不知道为什么。这是我不断收到的错误:(它在断点处)while (i-- && *p)。但我不知道我如何宣布一切有什么问题。有什么想法吗?

#include <stdio.h>
#include <stdlib.h>
#include <string.h>
#include <math.h>

typedef struct Stack
{
    int capacity;       // max # of elements the stack can hold
    int size;           // current size of the stack
    int *elements;      // the array of elements
    char *charElements; // the array of chars
}Stack;

Stack * createStack(int maxElements)
{        
    // Create a Stack         
    Stack *S;        
    S = (Stack *)malloc(sizeof(Stack));        
    // Initialise its properties         
    S->charElements = (char *)malloc(sizeof(int)*maxElements);
    S->elements = (int *)malloc(sizeof(int)*maxElements);   
    S->size = 0;        
    S->capacity = maxElements;        
    /* Return the pointer */        
    return S;
}




int main()
{

    Stack *S = createStack(60);     

    char registerNames[63] = {"0123456789abcdefghijklmnopqrstuvwxyzABCDEFGHIJKLMNOPQRSTUVWXYZ"};

    // if the user input a a string



    S->elements[S->size++] = 1;
    S->elements[S->size++] = 2;
    S->elements[S->size++] = 3;

    S->charElements[S->size++] = *registerNames;

    printf("%d \n", S->elements[0]); 
    printf("%d \n", S->elements[1]); 
    printf("%d \n", S->elements[2]);  
    printf("%d \n", S->size); 
    printf("%s \n", S->charElements[3]);


    system("pause");

    return 0;
}
4

2 回答 2

2
printf("%s \n", S->charElements[3]);

S->charElements[3]是一个char,不是一个char *。因此,当您尝试将其打印出来时,您将取消引用错误的内存地址并崩溃。

用于printf("%c \n",S->charElements[3]);打印出char那个位置。

另外,请注意

S->charElements[S->size++] = *registerNames;

只会从 复制一个字符registerNames,因为它会将其视为char取消引用。如果您想复制字符串,strcpy请改用(但请确保您有足够的空间!!)

于 2012-10-25T04:43:13.327 回答
0

问题出在这个语句中

printf("%s \n", S->charElements[3]);

将其更改为

printf("%c \n", S->charElements[3]);

你的程序不会崩溃。

带有 %s 的 printf 需要一个以空字符结尾的字符串。您没有带有 S->charElements[3] 的空终止字符串。这只是一个字符。

于 2012-10-25T04:46:25.693 回答