假设我有一个字符串ab234cid*(s349*(20kd
,我想提取所有数字234, 349, 20
,我该怎么办?
问问题
121668 次
7 回答
34
你可以这样做strtol
,像这样:
char *str = "ab234cid*(s349*(20kd", *p = str;
while (*p) { // While there are more characters to process...
if ( isdigit(*p) || ( (*p=='-'||*p=='+') && isdigit(*(p+1)) )) {
// Found a number
long val = strtol(p, &p, 10); // Read number
printf("%ld\n", val); // and print it.
} else {
// Otherwise, move on to the next character.
p++;
}
}
链接到ideone。
于 2012-11-15T14:34:58.987 回答
16
使用sscanf()
和扫描集的可能解决方案:
const char* s = "ab234cid*(s349*(20kd";
int i1, i2, i3;
if (3 == sscanf(s,
"%*[^0123456789]%d%*[^0123456789]%d%*[^0123456789]%d",
&i1,
&i2,
&i3))
{
printf("%d %d %d\n", i1, i2, i3);
}
where%*[^0123456789]
表示忽略输入,直到找到一个数字。请参阅http://ideone.com/2hB4UW上的演示。
或者,如果数字的数量未知,您可以使用%n
说明符记录缓冲区中读取的最后一个位置:
const char* s = "ab234cid*(s349*(20kd";
int total_n = 0;
int n;
int i;
while (1 == sscanf(s + total_n, "%*[^0123456789]%d%n", &i, &n))
{
total_n += n;
printf("%d\n", i);
}
于 2012-11-15T14:41:47.207 回答
3
在这里使用一个简单的解决方案sscanf
:
#include<stdio.h>
#include<stdlib.h>
#include<string.h>
char str[256]="ab234cid*(s349*(20kd";
char tmp[256];
int main()
{
int x;
tmp[0]='\0';
while (sscanf(str,"%[^0123456789]%s",tmp,str)>1||sscanf(str,"%d%s",&x,str))
{
if (tmp[0]=='\0')
{
printf("%d\r\n",x);
}
tmp[0]='\0';
}
}
于 2012-11-15T15:37:50.380 回答
2
制作一个根据一个基本原则运行的状态机:当前字符是一个数字。
- 从非数字转换为数字时,您初始化您的 current_number := number。
- 当从一个数字转换到另一个数字时,您将新数字“转移”到:
current_number := current_number * 10 + number; - 从数字转换到非数字时,输出 current_number
- 当从非数字到非数字时,你什么也不做。
优化是可能的。
于 2012-11-15T14:37:51.000 回答
1
如果数字由字符串中的空格分隔,则可以使用 sscanf()。由于您的示例并非如此,因此您必须自己做:
char tmp[256];
for(i=0;str[i];i++)
{
j=0;
while(str[i]>='0' && str[i]<='9')
{
tmp[j]=str[i];
i++;
j++;
}
tmp[j]=0;
printf("%ld", strtol(tmp, &tmp, 10));
// Or store in an integer array
}
于 2012-11-15T14:37:14.870 回答
1
#include<stdio.h>
#include<ctype.h>
#include<stdlib.h>
void main(int argc,char *argv[])
{
char *str ="ab234cid*(s349*(20kd", *ptr = str;
while (*ptr) { // While there are more characters to process...
if ( isdigit(*ptr) ) {
// Found a number
int val = (int)strtol(ptr,&ptr, 10); // Read number
printf("%d\n", val); // and print it.
} else {
// Otherwise, move on to the next character.
ptr++;
}
}
}
于 2018-11-30T12:11:36.513 回答
0
或者你可以做一个像这样的简单函数:
// Provided 'c' is only a numeric character
int parseInt (char c) {
return c - '0';
}
于 2017-09-01T14:20:50.733 回答