0

试图将一串二进制输入转换为整数向量。我想在不使用内置 C++ 函数的情况下执行此操作。这是代码片段和执行错误(编译良好)。

示例输入:“1011 1001 1101”

应该以整数 11,9 和 13 的形式存储在向量中

#include <iostream>
#include <vector>
#include <string>
using namespace std;

int main()  
{
    string code,key;
    vector<int>digcode;
    vector<int>ans;
    cout<<"Enter binary code:\n";
    getline(cin,code);
    cout<<"Enter secret key:\n";
    cin>>key;

    for(int i=0;i<code.length();)
    {
        int j=2, num=0;
        while (code[i]!=' '&&i<code.length())
        {
        num*=j;
        if (code[i]=='1')
        num+=1;
            i++;
        }
        cout<<num<<" ";
        digcode.push_back(num);
        if(code[i]==' '&&i<code.length())
            i++;
    }
}

错误消息:“调试断言失败!” “表达式:字符串下标超出范围”

除了最后一个数字之外的所有数字都被打印和存储。我已经通过 for 和 while 循环寻找下标变得太大的地方,但运气不佳。

任何帮助表示赞赏!谢谢。

4

3 回答 3

1

操作数的顺序错误:

while (code[i]!=' '&&i<code.length())

改成:

while (i < code.length() && code[i]!=' ')

以下if语句相同。只有当第一个操作数为真时,才会评估第二个操作数,防止越界访问。

于 2012-06-18T21:03:01.130 回答
0

按空格解析数字后?有一个strtol()函数可以提供基本转换并获取整数值。

看这里

于 2012-06-18T21:03:18.467 回答
0

您的代码可以简化一点:

for (std::string line; ; )
{
    std::cout << "Enter a line: ";
    if (!std::getline(std::cin, line)) { break; }

    for (std::string::const_iterator it = line.begin(); it != line.end(); )
    {
        unsigned int n = 0;
        for ( ; it != line.end() && *it == ' '; ++it) { }
        // maybe check that *it is one of { '0', '1', ' ' }

        for ( ; it != line.end() && *it != ' '; ++it) { n *= 2; n += (*it - '0'); }
        std::cout << "   Read one number: " << n << std::endl;
    }
}
于 2012-06-18T21:26:58.593 回答