我有一个char数组(让我们说“13 314 43 12”),我想把第一个数字(13)放到一个单独的整数中。我怎么做 ?是否有任何方法可以将第一个数字拆分为10 + 3,然后将它们添加到int?
答案 0 :(得分:5)
我不确定你的意思是获得1和3,但是如果你想将空格分隔的字符串拆分成整数,我建议使用一个流。
std::istringstream iss(s);
int n;
while(iss >> n)
{
std::cout << "Integer: " << n << std::endl;
}
[edit]或者,您可以自己解析字符串,如下所示:
char* input = "13 314 43 12";
char* c = input;
int n = 0;
for( char* c = input; *c != 0; ++c )
{
if( *c == ' ')
{
std::cout << "Integer: " << n << std::endl;
n = 0;
continue;
}
n *= 10;
n += c[0] - '0';
}
std::cout << "Integer: " << n << std::endl;
答案 1 :(得分:1)
#include <cstring>
#include <iostream>
#include <stdlib.h>
int main ()
{
char str[] = "13 45 46 96";
char * pch = strtok (str," ");
while (pch != NULL)
{
std::cout << atoi(pch) << "\n"; // or int smth=atoi(pch)
pch = strtok (NULL, " ");
}
return 0;
}
答案 2 :(得分:1)
如果您只想要第一个数字,只需使用像atoi()或strtol()这样的函数。它们提取一个数字,直到它遇到空终止字符或非数字数字。
答案 3 :(得分:0)
根据您的问题,我认为以下代码会给出一些想法。
#include <string>
#include <iostream>
using namespace std;
int main(){
char s[] = "13 314 43 12";
//print first interger
int v = atoi(s);
cout << v << std::endl;
//print all integer
for (char c : s){
if (c == ' ' || c == '\0'){
}else{
int i = c - '0';
cout << i << std::endl; // here 13 print as 1 and 3
}
}
}
如果您想打印第一个号码,可以使用
int v = atoi(s);
cout << v << std::endl;
如果要拆分并打印所有整数Ex:13为1,3
for (char c : s){
if (c == ' ' || c == '\0'){
}else{
int i = c - '0';
cout << i << std::endl; // here 13 print as 1 and 3
}
}