我有一个字符串AAbbCC我需要的是复制前两个并将它们添加到一个数组然后复制中间的两个并将它们添加到一个数组中,最后将它们添加到数组中。
这就是我的所作所为:
char color1[2];
char color2[2];
char color3[2];
strncpy(color1, string, 2); // I take the first two characters and put them into color1
// now I truncate the string to remove those AA values:
string = strtok(string, &color1[1]);
// and when using the same code again the result in color2 is bbAA:
strncpy(color2, string, 2);
它传递了那些bb,但也传递了前一个AA ......即使数组只有两个位置,当我使用strtol时,它给了我一些很大的价值而不是187我正在寻找..如何获得摆脱那个?或者如何让它以其他方式工作?任何建议将不胜感激。
答案 0 :(得分:4)
首先,您需要为\0
添加+1大小。
char color1[3];
char color2[5];
然后:
strncpy(color1, string, 2);
color1[3] = '\0';
strncpy(color2, string + 2, 4);
color2[4] = '\0';
假设
char *string = "AAbbCC";
printf("color1 => %s\ncolor2 => %s\n", color1, color2);
输出结果为:
color1 => AA
color2 => bbCC
我希望这对你有所帮助。
<强>更新强>
您可以编写substr()
函数来获取字符串的一部分(从x到y),然后复制到您的字符串。
char * substr(char * s, int x, int y)
{
char * ret = malloc(strlen(s) + 1);
char * p = ret;
char * q = &s[x];
assert(ret != NULL);
while(x < y)
{
*p++ = *q++;
x ++;
}
*p++ = '\0';
return ret;
}
然后:
char *string = "AAbbCC";
char color1[3];
char color2[4];
char color3[5];
char *c1 = substr(string,0,2);
char *c2 = substr(string,2,4);
char *c3 = substr(string,4,6);
strcpy(color1, c1);
strcpy(color2, c2);
strcpy(color3, c3);
printf("color1 => %s, color2 => %s, color3 => %s\n", color1, color2, color3);
输出:
color1 => AA, color2 => bb, color3 => CC
不要忘记:
free(c1);
free(c2);
free(c3);
答案 1 :(得分:1)
好吧,color1
和color2
长度为两个字节 - 你没有空间容纳\ 0终止符。当你看到其中一个作为一个字符串时,你会得到更多你想要的角色。如果你把它们看作两个字符,你就会得到正确的结果。
你应该将它们定义为3个字符长并将\ 0放在最后。