strcpy 使 C 程序崩溃
strcpy Crashes C Program
请告诉我为什么 strcpy 失败。
我试图将值 str1 复制到
str2.
的元素之一
#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(int argc, char *argv[]) {
char str1[]={"cat"}; //string
char *str2[]={"mouse","dog"}; //array
strcpy(str2[0],str1);
return 0;
}
char str1[]={"cat"}; //string
在这种情况下是错误的
""
是乏味的 {'a','b'...'[=17=]'}
.
的替代品
两者都做
char str1[]="cat";
或
char str1[]={'c','a','t','[=12=]'};
即便如此,您的代码也无法正常工作
strcpy(str2[0],str1);
because you are trying to write into a read-only hard coded memory
如 [ @michi ] 在他的评论中提到的那样。
但下面会起作用
str2[0]=malloc(sizeof(str1)); // You allocate memory for str2[0];
strcpy(str2[0],str1);
printf("str2[0] : %s\n",str2[0])
还记得在使用后释放分配的内存
free(str2[0]);
请告诉我为什么 strcpy 失败。 我试图将值 str1 复制到 str2.
的元素之一#include <stdio.h>
#include <stdlib.h>
#include <string.h>
int main(int argc, char *argv[]) {
char str1[]={"cat"}; //string
char *str2[]={"mouse","dog"}; //array
strcpy(str2[0],str1);
return 0;
}
char str1[]={"cat"}; //string
在这种情况下是错误的
""
是乏味的 {'a','b'...'[=17=]'}
.
两者都做
char str1[]="cat";
或
char str1[]={'c','a','t','[=12=]'};
即便如此,您的代码也无法正常工作
strcpy(str2[0],str1);
because you are trying to write into a read-only hard coded memory
如 [ @michi ] 在他的评论中提到的那样。
但下面会起作用
str2[0]=malloc(sizeof(str1)); // You allocate memory for str2[0];
strcpy(str2[0],str1);
printf("str2[0] : %s\n",str2[0])
还记得在使用后释放分配的内存
free(str2[0]);