0

我有一个类,其中双打向量存储如下:

class clsHalfphoneUnitJoinFeatures : public CBaseStructure
{
private:
    vector<double> m_content;
protected:
    virtual void ProcessTxtLine(string line);
public:
    vector<double> &Content();
    void Add(vector<double> &jf);
};

但是,当我想添加一个新的双打向量时,它不起作用:

void clsHalfphoneUnitJoinFeatures::ProcessTxtLine(string line)
{
    line = CompactLine(line);
    if (line == "")
        return;

    int b = 0;
    int n = line.find("\t");
    string s = "";
    int idx = 0;
    vector<double>jf;
    jf.resize(16);
    int i = 0;

    for(;;)
    {
        if (n == -1)//if this is the last item in this line
        {
            s = line.substr(b,line.length()-b);
            jf[i++] = atof(s.c_str());
            break;
        }
        s = line.substr(b,n-b);
        jf[i++] = atof(s.c_str());      
        b = n+1;
        n = line.find("\t",b);
    }
    m_content.push_back(jf);
}

我得到的错误是

m_content.push_back(jf);

错误 C2664:“void std::vector<_Ty>::push_back(_Ty &&)”:无法在“double &&”中从“std::vector<_Ty>”转换参数 1

有人能告诉我哪里出错了吗?

谢谢!

4

2 回答 2

1

jf并且m_content具有相同的类型,您不能将jf其作为 . 的元素推送m_content

尝试改变

m_content.push_back(jf);

至:

m_content = jf;

如果你想要一个双精度类型的向量,你需要声明m_content为:

std::vector<std::vector<double> > m_content;
于 2013-06-16T07:58:09.910 回答
0

一)错误m_content.push_back(jf);。您正在尝试将向量推送到可以存储双精度的向量。所以编译器给出错误。

您可以通过将 jf 分配给 m_context 来解决它

m_content = jf;

b)否则,如果您的实现需要向量的向量,请按照以下步骤操作

将 m_content 声明为双向量的向量。

vector<vector<double>> m_content;
 ...
 m_content.push_back(jf);
于 2013-06-16T08:06:58.203 回答