前进指针并在 C 中的 strchr 之后再获得 2 个字符
Advance pointer and get 2 more characters after strchr in C
在 char 指针上找到第一个 strchr
出现后,我试图再获取 2 个字符。该字符串可能如下所示:
foo;bar;2012 -> should output foo;b
foo;caz; -> should output foo;c
foo; -> should output foo (there are no +2 chars)
foo -> null
对于第一种情况,我想我可以做类似的事情,
#include <stdio.h>
#include <string.h>
int main ()
{
char str[] = "foo;bar;2012";
char *pch = NULL;
if ((pch=strchr(str,';')) != NULL) {
*pch++;
*pch++;
*pch = '[=11=]';
}
puts(str);
return 0;
}
但是检查我是否可以在不越过字符串的情况下推进指针的正确方法是什么?
*pch++
行应该生成编译器警告(如果没有,则说明您没有启用足够的警告进行编译)。我编译时将警告视为错误,所以我得到:
xw31.c:10:5: error: value computed is not used [-Werror=unused-value]
*pch++;
您应该使用 pch++;
— 它不会读取但会忽略该值。
您应该检查在访问超出 strstr()
指向您的位置时是否未到达字符串末尾,因此可以使用:
#include <stdio.h>
#include <string.h>
int main(void)
{
char str[] = "foo;bar;2012";
char *pch;
if ((pch = strchr(str, ';')) != NULL)
{
if (pch[1] != '[=11=]' && pch[2] != '[=11=]')
pch[3] = '[=11=]';
puts(str);
}
return 0;
}
如果内部测试失败,字符串已经足够短了。 pch[0]
当然是分号。这会生成 foo;ba
作为输出。如果你只想 foo;b
,那么你只需要在前面少测试一个字符:
#include <stdio.h>
#include <string.h>
int main(void)
{
char str[] = "foo;bar;2012";
char *pch;
if ((pch = strchr(str, ';')) != NULL)
{
if (pch[1] != '[=12=]')
pch[2] = '[=12=]';
puts(str);
}
return 0;
}
在 char 指针上找到第一个 strchr
出现后,我试图再获取 2 个字符。该字符串可能如下所示:
foo;bar;2012 -> should output foo;b
foo;caz; -> should output foo;c
foo; -> should output foo (there are no +2 chars)
foo -> null
对于第一种情况,我想我可以做类似的事情,
#include <stdio.h>
#include <string.h>
int main ()
{
char str[] = "foo;bar;2012";
char *pch = NULL;
if ((pch=strchr(str,';')) != NULL) {
*pch++;
*pch++;
*pch = '[=11=]';
}
puts(str);
return 0;
}
但是检查我是否可以在不越过字符串的情况下推进指针的正确方法是什么?
*pch++
行应该生成编译器警告(如果没有,则说明您没有启用足够的警告进行编译)。我编译时将警告视为错误,所以我得到:
xw31.c:10:5: error: value computed is not used [-Werror=unused-value]
*pch++;
您应该使用 pch++;
— 它不会读取但会忽略该值。
您应该检查在访问超出 strstr()
指向您的位置时是否未到达字符串末尾,因此可以使用:
#include <stdio.h>
#include <string.h>
int main(void)
{
char str[] = "foo;bar;2012";
char *pch;
if ((pch = strchr(str, ';')) != NULL)
{
if (pch[1] != '[=11=]' && pch[2] != '[=11=]')
pch[3] = '[=11=]';
puts(str);
}
return 0;
}
如果内部测试失败,字符串已经足够短了。 pch[0]
当然是分号。这会生成 foo;ba
作为输出。如果你只想 foo;b
,那么你只需要在前面少测试一个字符:
#include <stdio.h>
#include <string.h>
int main(void)
{
char str[] = "foo;bar;2012";
char *pch;
if ((pch = strchr(str, ';')) != NULL)
{
if (pch[1] != '[=12=]')
pch[2] = '[=12=]';
puts(str);
}
return 0;
}