如何用c⼀c++把一个字符串把里边的数字提取出来

2024-11-28 21:09:15
推荐回答(5个)
回答1:

给定一个数字字符串,把这个串里边的连续数字提取出来放到另外一个整型数组中一个单元中:

#include

#include

using namespace std;

void tiqu(char*a,int*b)

{

int j=0;

bool key=false;

for(int i=0;i

{

if(a[i]>='0'&&a[i]<='9')

{

if(key)

b[j] = b[j]*10+a[i]-'0';

else

b[j] = a[i]-'0';

key = true;

}

else

{

if(key)

++j;

key = false;

}}

}

void main()

{

int b[100];

char a[100]="abc123v34ghajkg4568";

tiqu(a,b);

int i=0;

while(b[i++]>=0)

{

cout<

}

}

扩展资料:

1、字符库函数

所在函数库为【ctype.h】

int isalpha(int ch) 若ch是字母('A'-'Z','a'-'z')返回非0值,否则返回0

int isalnum(int ch) 若ch是字母('A'-'Z','a'-'z')或数字('0'-'9')

返回非0值,否则返回0

int isascii(int ch) 若ch是字符(ASCII码中的0-127)返回非0值,否则返回0

int iscntrl(int ch) 若ch是作废字符(0x7F)或普通控制字符(0x00-0x1F)

返回非0值,否则返回0

2、数学函数

所在函数库为math.h、stdio.h、string.h、float.h

int abs(int i) 返回整型参数i的绝对值

double cabs(struct complex znum) 返回复数znum的绝对值

double fabs(double x) 返回双精度参数x的绝对值

long labs(long n) 返回长整型参数n的绝对值

参考资料来源:百度百科-C语言函数

回答2:

#include 
int main()
{
    char a[50]="1ab2cd3ef45g";
    char b[50];
    int cnt_index=0,cnt_int=0;
    //cnt_int 用于存放字符串中的数字.
    //cnt_index 作为字符串b的下标.
   
    for(int i=0;a[i]!='\0';++i) //当a数组元素不为结束符时.遍历字符串a.
    {
        if(a[i]>='0'&& a[i]<='9') //如果是数字.
        {
            cnt_int*=10;
            cnt_int+=a[i]-'0'; //数字字符的ascii-字符'0'的ascii码就等于该数字.
        }
       
        else if((a[i]>='a'&&a[i]<='z')||(a[i]>='A'&&a[i]<='Z')) //如果是字母.
        {
            b[cnt_index++]=a[i]; //如果是字符,则增加到b数组中.
        }
    }
   
    b[cnt_index++]='\0'; //增加字符串结束符.
   
    cout<    cout<    return 0;
}

回答3:

#include
#include
using namespace std;
void tiqu(char*a,int*b)
{
int j=0;
bool key=false;
for(int i=0;i {
if(a[i]>='0'&&a[i]<='9')
{
if(key)
b[j] = b[j]*10+a[i]-'0';
else
b[j] = a[i]-'0';
key = true;

}
else
{
if(key)
++j;
key = false;

}}
}
void main()
{
int b[100];
char a[100]="abc123v34ghajkg4568";
tiqu(a,b);
int i=0;
while(b[i++]>=0)
{
cout< }
}

回答4:

一. 先用 strstr 找到那行 ;
二. 然后 提取出来 用sscanf进行解析 ;
三. 后面的数字不知道的也可以提取出来 ;
四. 可以用 %d 代替,也可以用 string 和 fstream类 还有 getline、

回答5:

//支持负数,末尾数字,STL,C++代码。
#include
#include
#include

//string输入,vector输出
void get_int(const std::string& s, std::vector& vi)
{
std::string::size_type size = s.size();
int element = 0;
bool now_digit = false;
bool negative = false;
for(std::string::size_type i=0; i {
if(s.at(i)<='9' && s.at(i)>='0')
{
now_digit = true;
element = element*10 + s.at(i)-'0';
}
else
{
if(s.at(i) == '-') negative = true;
else
{
if(now_digit)
{
if(negative) element = -element;
vi.push_back(element);
element = 0;
now_digit = false;
negative = false;
}
}
}
}
if(now_digit)
{
if(negative) element = -element;
vi.push_back(element);
}
}

int main(int argc, char *argv[])
{
std::string s;
std::cin>>s;
std::vector vi;
get_int(s, vi);
std::vector::iterator it = vi.begin();
for(; it!=vi.end(); ++it) std::cout<<*it< return 0;
}