3

我对 C++ 非常陌生,我想将文本文件读入结构。文本文件的第一行有一个 double,之后的行作为礼物名称(愿望)存在。我创建了一个结构体 Wishlist,它以双精度和愿望向量的形式存在。所以我做了以下事情:

#include <iostream>
#include <fstream>
#include <vector>
#include <string>

using namespace std;

struct Gift
{
    double price;
    string name;
};

typedef vector<Gift> Giftstore;
typedef vector<string> Wishes;


int size(Giftstore& g) {return static_cast<int>(g.size());}

int size(Wishes& w) {return static_cast<int>(w.size());}


struct Wishlist
{
    double budget;
    Wishes wishes;
};


void reading_wishlist(ifstream& file, Wishlist& wish_list)
{
    if (file)
    {
        double money;

        file>>money;
        wish_list.budget<<money;
    }

    while(file)
    {
        string name;
        getline(file, name)
        wish_list.wishes.push_back(name);
    }

    file.close();
};


void print(Wishlist wish_list)
{
    cout<<"Budget: "<<wish_list.budget<<endl;
    cout<<"Wishes: "<<endl;

    for(int i=0; i<size(wish_list.wishes()); i++)
    {
        cout<<wish_list.wishes[i]<<endl;
    }
};

int main () {

  ifstream file;
  string filename;
  cout<<"Give a wishlist file: ";
  cin>>filename;

  file.open(filename)
  reading_wishlist(filename, wish_list);
  print(wish_list)

  return 0;
}

当然,在尝试构建和运行它时,我再次赢得了一些错误奖励!第一个是说:(参考:wish_list.budget<

'double' 和 'double' 类型的无效操作数对二元运算符<<

这是什么意思?我是否必须重新定义运算符 << ?或者我可以将双精度读为 Cstring,然后将其更改为双精度吗?

处理这个问题的最佳方法是什么?更好:如何从文件中读取不同的类型?由于我还必须将文件读入结构,Giftstore,其中文本文件将由每行的双精度名称和礼物名称组成。

4

1 回答 1

5

错误来自reading_wishlist函数中的这一行

wish_list.budget<<money;

您不能使用<<带双精度的运算符作为左侧(此处为 WishList::budget)。
你的意思是

wish_list.budget = money;

于 2012-12-07T01:34:34.847 回答