阅读量:0
在C语言中,字符串是一系列字符的集合,以空字符(‘\0’)结尾。字符串可以存储在数组或指针中。关于内存分配,有两种常见的方法:
- 使用字符数组:
#include<stdio.h> int main() { char str[20]; // 分配20个字符的内存空间 scanf("%s", str); printf("Input string: %s\n", str); return 0; }
在这个例子中,我们使用一个大小为20的字符数组来存储字符串。注意,当使用scanf()
函数时,需要确保输入的字符串长度不超过数组的大小,否则会导致缓冲区溢出。
- 使用动态内存分配(malloc/calloc):
#include<stdio.h> #include <stdlib.h> #include<string.h> int main() { char *str; int size; printf("Enter the size of the string: "); scanf("%d", &size); str = (char *)malloc((size + 1) * sizeof(char)); // 分配内存空间 if (str == NULL) { printf("Memory allocation failed.\n"); exit(1); } printf("Enter the string: "); scanf("%s", str); printf("Input string: %s\n", str); free(str); // 释放内存空间 return 0; }
在这个例子中,我们使用malloc()
函数动态地分配内存空间来存储字符串。注意,我们需要额外分配一个字节来存储空字符(‘\0’)。在程序结束时,使用free()
函数释放已分配的内存空间。