-1

所以这是我所有的代码,我真的不明白为什么会出现这些错误。问题出在导出配方功能中。

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


using namespace std;

void DisplayMenu();
void AddRecipe( map< string, vector<string> >& recipes );
void ExportRecipes( map< string, vector<string> >& recipes );

int main ( void ){

   int choice = 0;
   bool done = false;
   map< string, vector<string> > recipes;

    while ( done == false ){
       DisplayMenu();
       cin >> choice;

       if ( choice == 3 ){
        done = true;
       }
       else if ( choice == 2 ){
        ExportRecipes( recipes );
       }
       else if ( choice == 1 ){
        AddRecipe( recipes );
       }

    }
}

void DisplayMenu(){ 
   cout << "1. Add Recipe " << endl;
   cout << "2. Export Recipes " << endl;
   cout << "3. Exit" << endl;
}

void AddRecipe( map< string, vector<string> >& recipes ){

   string name, ingredient;
   bool done = false;
   cout << "Enter recipe name: ";
   cin >> name;
   while ( done == false ){     
       cout  << "Enter new ingredient and amount( enter done to exit )" << endl;
       getline( cin , ingredient, '\n' );

       if ( ingredient == "done" ){
           done = true;
       }

       if( ingredient != "done"){
           recipes[ name ].push_back( ingredient );
           cout << "Added \"" << ingredient << "\"." << endl << endl;
       }        
   }
}


void ExportRecipes(  map< string, vector<string> >&recipes ){

   ofstream outFile;
   outFile.open( "Recipes.txt" );

   for ( map< string, vector<string> >::iterator recipe =
       recipes.begin(); recipe != recipes.end(); recipe++ ) {
       outFile << endl << endl << recipe -> first << endl;

       for ( map< string, vector<string> >::iterator ingredients = 
           recipe->second.begin(); ingredients != recipe->second.end();
            ingredients++ ) {
               outFile << "\t" << *ingredients << endl;
       }
   }
}

如果我只遍历导出中的第一个 for 循环,我可以获得密钥,但我根本无法获得值。

4

2 回答 2

1
for ( map< string, vector<string> >::iterator ingredients = 
        recipe->second.begin();

recipe->secondvector<string>。因此,recipe->second.begin()返回vector<string>::iterator,而不是map< string, vector<string> >::iterator

于 2013-08-01T00:10:05.587 回答
1

为什么你有第二个带有 Map 的 for 循环。recipe->second 是一个向量,所以试试这个 -

void ExportRecipes(  map< string, vector<string> >&recipes ){
   ofstream outFile;
   outFile.open( "Recipes.txt" );

   for ( map< string, vector<string> >::iterator recipe =
       recipes.begin();
        recipe != recipes.end();
        recipe++ )
   {
      outFile << endl << endl << recipe -> first << endl;

      for ( vector<string>::iterator ingredients = 
        recipe->second.begin();
            ingredients != recipe->second.end();
            ingredients++ )
        {
            outFile << "\t" << *ingredients << endl;
        }

   }
 }
于 2013-08-01T00:20:32.910 回答