我想将一个字符串转换为int,我不是指ASCII码。

为了快速回顾,我们将一个方程作为字符串传递。我们要把它分解,正确地格式化并解出线性方程。说到这里,我不能把一个字符串转换成int型。

我知道字符串的格式是(-5)或(25)等,所以它肯定是int型。但是我们如何从字符串中提取它呢?

我想到的一种方法是在字符串中运行一个for/while循环,检查一个数字,提取后面的所有数字,然后看看是否有前导'-',如果有,将int乘以-1。

对于这样一个小问题来说,这似乎有点过于复杂了。什么好主意吗?


当前回答

在c++ 11中,有一些不错的新转换函数,从std::string转换为数字类型。

所以与其

atoi( str.c_str() )

你可以使用

std::stoi( str )

其中STR是你的数字std::string。

各种类型的数字都有对应的版本: 长stol(字符串),浮动stof(字符串),双stof(字符串),… 参见http://en.cppreference.com/w/cpp/string/basic_string/stol

其他回答

在c++ 11中,有一些不错的新转换函数,从std::string转换为数字类型。

所以与其

atoi( str.c_str() )

你可以使用

std::stoi( str )

其中STR是你的数字std::string。

各种类型的数字都有对应的版本: 长stol(字符串),浮动stof(字符串),双stof(字符串),… 参见http://en.cppreference.com/w/cpp/string/basic_string/stol

Atoi是一个内置函数,它将字符串转换为整数,假设字符串以整数表示形式开始。

http://www.cplusplus.com/reference/clibrary/cstdlib/atoi/

一行版本:long n = strtol(s.c c_str(), NULL, base);.

(s为字符串,base为int,如2,8,10,16)

你可以参考这个链接了解更多关于strtol的细节。


核心思想是使用sttol函数,该函数包含在cstdlib中。

由于strtol只处理char数组,我们需要将字符串转换为char数组。你可以参考这个链接。

一个例子:

#include <iostream>
#include <string>   // string type
#include <bitset>   // bitset type used in the output

int main(){
    s = "1111000001011010";
    long t = strtol(s.c_str(), NULL, 2); // 2 is the base which parse the string

    cout << s << endl;
    cout << t << endl;
    cout << hex << t << endl;
    cout << bitset<16> (t) << endl;

    return 0;
}

它将输出:

1111000001011010
61530
f05a
1111000001011010

如果你不懂硬代码:)

bool strCanBeInt(std::string string){
    for (char n : string) {
        if (n != '0' && n != '1' && n != '2' && n != '3' && n != '4' && n != '5'
            && n != '6' && n != '7' && n != '8' && n != '9') {
            return false;
        }
    }
    return true;
}

int strToInt(std::string string) {
    int integer = 0;
    int numInt;
    for (char n : string) {
        if(n == '0') numInt = 0;
        if(n == '1') numInt = 1;
        if(n == '2') numInt = 2;
        if(n == '3') numInt = 3;
        if(n == '4') numInt = 4;
        if(n == '5') numInt = 5;
        if(n == '6') numInt = 6;
        if(n == '7') numInt = 7;
        if(n == '8') numInt = 8;
        if(n == '9') numInt = 9;
        if (integer){
            integer *= 10;
        }
        integer += numInt;
    }
    return integer;
}

我的代码:

#include <iostream>
using namespace std;

int main()
{
    string s="32";  //String
    int n=stoi(s);  //Convert to int
    cout << n + 1 << endl;

    return 0;
}