我的CUSTOM_PROMPT_REGX
模式有特殊条件。
应该捕获10个以|
或#
作为分隔符的文本。
它们每个都可以为空,因此|
或#
之间没有字符,就像"..|#..."
我的代码是:
#include <stdlib.h>
#include <string.h>
#include <stdio.h>
#define CUSTOM_PROMPT_REGX "@%39[^|]|%39[^#]#%39[^|]|%39[^#]#%39[^|]|%39[^#]#%39[^|]|%39[^#]#%39[^|]|%39[^@]@"
static unsigned char lines[5][2][40];
int main(void)
{
memset(lines, 0, sizeof(lines));
int j = sscanf("@1.SALAM|818BF4F2A8#2.BINGO|828BF8F0F7FE93#3.GOOGLE|838BF1F0F8F0#|#5.WINE|858BF6FE90F8@", CUSTOM_PROMPT_REGX,
lines[0][0], lines[0][1], lines[1][0], lines[1][1],
lines[2][0], lines[2][1], lines[3][0], lines[3][1], lines[4][0], lines[4][1]);
printf("%d\n[%s <=> %s]\n[%s <=> %s]\n[%s <=> %s]\n[%s <=> %s]\n[%s <=> %s]\n", j,
lines[0][0], lines[0][1], lines[1][0], lines[1][1], lines[2][0], lines[2][1],
lines[3][0], lines[3][1], lines[4][0], lines[4][1]);
return 0;
}
结果是:
6
[1.SALAM <=> 818BF4F2A8]
[2.BINGO <=> 828BF8F0F7FE93]
[3.GOOGLE <=> 838BF1F0F8F0]
[ <=> ]
[ <=> ]
Press <RETURN> to close this window...
应该是:
8
[1.SALAM <=> 818BF4F2A8]
[2.BINGO <=> 828BF8F0F7FE93]
[3.GOOGLE <=> 838BF1F0F8F0]
[ <=> ]
[5.WINE <=> 858BF6FE90F8]
我可以添加一些内容到CUSTOM_PROMPT_REGX
来解决我的问题吗?
答案 0 :(得分:3)
其中每个可以为空,因此...之间没有字符。
...我可以添加一些东西到CUSTOM_PROMPT_REGX来解决我的问题吗?
不。当没有任何内容扫描到说明符中时,%[...]
将停止整个sscanf()
。至少1个字符必须符合扫描集。
替代品:
一次使用一个%[...]
指令进行扫描。足够容易地循环执行此操作。
使用非sscanf()
方法。研究strtok(), strspn(), strcspn()
。
将引线分隔符扫描到字符串中,然后使用从索引1开始的字符串。在OP的情况下,三个分隔符中没有两个连续使用,因此这是一种可行的方法。
每个"%79[^#]#
分为5组,然后再细分。研究strchr(buf80, '|');
提示
通过使用字符串文字串联,复杂的sscanf()
格式更易于编码,检查和维护。
#define VB_FMT "%39[^|]|"
#define LB_FMT "%39[^#]#"
#define AT_FMT "%39[^@]@"
#define CUSTOM_PROMPT_REGX "@" \
VB_FMT LB_FMT VB_FMT LB_FMT VB_FMT LB_FMT VB_FMT LB_FMT VB_FMT AT_FMT
示例代码一次执行1个sscanf()
"%[]"
指定符。
int main() {
#define ATVB_FMT "@%n%39[^|]%n"
#define VBLB_FMT "|%n%39[^#]%n"
#define LBVB_FMT "#%n%39[^|]%n"
#define VBAT_FMT "|%n%39[^@]@%n"
#define N 10
const char *fmt[10] = {ATVB_FMT, VBLB_FMT, LBVB_FMT, VBLB_FMT, LBVB_FMT,
VBLB_FMT, LBVB_FMT, VBLB_FMT, LBVB_FMT, VBAT_FMT};
char lines[N][40];
const char *buf = \
"@1.SALAM|818BF4F2A8#2.BINGO|828BF8F0F7FE93#3.GOOGLE|838BF1F0F8F0#|#5.WINE|858BF6FE90F8@";
const char *s = buf;
for (int i = 0; i<N; i++) {
int n1 = 0;
int n2 = 0;
sscanf(s, fmt[i], &n1, lines[i], &n2);
if (n1 == 0) {
fprintf(stderr, "Failed to find separator %d\n", i);
return EXIT_FAILURE;
}
if (n2 == 0) {
lines[i][0] = '\0';
s += n1;
} else {
s += n2;
}
}
if (*s) {
fprintf(stderr, "Failed end %d\n", N);
return EXIT_FAILURE;
}
for (int i = 0; i<N; i++) {
printf("<%s>\n", lines[i]);
}
return 0;
}
输出
<1.SALAM>
<818BF4F2A8>
<2.BINGO>
<828BF8F0F7FE93>
<3.GOOGLE>
<838BF1F0F8F0>
<>
<>
<5.WINE>
<858BF6FE90F8>