0

我一直在努力完成这个程序,它将多个结构保存到一个文件中,可以将它们读回并编辑它们,然后将它们全部保存回一个文件中。我一直在研究这个逻辑,更不用说其他人的大量帮助和大量的谷歌搜索......现在我遇到了编译错误。任何帮助将不胜感激。

代码:

template<typename T>
void writeVector(ofstream &out, const vector<T> &vec);

struct InventoryItem {
    string Item;
    string Description;
    int Quantity;
    int wholesaleCost;
    int retailCost;
    int dateAdded;
} ;


int main(void)
{
    vector<InventoryItem> structList;
    ofstream out("data.dat");
    writeVector( out, structList );
    return 0;
}

template<typename T>
void writeVector(ofstream &out, const vector<T> &vec)
{
    out << vec.size();

    for(vector<T>::const_iterator i = vec.begin(); i != vec.end(); i++)
    {
        out << *i; //  error C2679
    }
}

编译器错误:

1>.\Project 5.cpp(128) : error C2679: binary '<<' : no operator found which takes a right-hand operand of type 'const InventoryItem' (or there is no acceptable conversion)
// listed overload variants skipped
1>        while trying to match the argument list '(std::ofstream, const InventoryItem)'
1>        .\Project 5.cpp(46) : see reference to function template instantiation 'void writeVector<InventoryItem>(std::ofstream &,const std::vector<_Ty> &)' being compiled
1>        with
1>        [
1>            _Ty=InventoryItem
1>        ]
4

3 回答 3

8

您没有operator<<定义将指定如何将您的内容InventoryItem打印到输出流。您尝试打印它并且编译器不知道如何打印。您需要定义一个像这样的函数:

std::ostream& operator<<(std::ostream &strm, const InventoryItem &i) {
  return strm << i.Item << " (" << i.Description << ")";
}
于 2009-04-02T06:15:38.207 回答
0

您正在尝试将<<运算符用于您的结构,但未为该类型定义该运算符。尝试输出特定的数据成员。

于 2009-04-02T06:05:33.550 回答
0

<< 运算符定义为“左移位”。

IO 类覆盖此运算符并定义 << 表示打印此结构。

当编译器在右侧看到一个整数项时,它假定您的意思是“向左移动机器人”并且正在左侧寻找一个整数,但找到了一个 IO 流对象。

在将整数值发送到流之前,请尝试将其显式转换为字符串。

于 2009-04-02T06:38:33.033 回答