0

我有以下打印到 cout 的模板函数:

 template <typename T> void  prn_vec(const std::vector < T >&arg, string sep="") 
    {
        for (unsigned n = 0; n < arg.size(); n++) { 
            cout << arg[n] << sep;    
        }
        return;
    } 

    // Usage:
    //prn_vec<int>(myVec,"\t");

    // I tried this but it fails:
    /*
      template <typename T> void  prn_vec_os(const std::vector < T >&arg, 
      string    sep="",ofstream fn)
      {
        for (unsigned n = 0; n < arg.size(); n++) { 
            fn << arg[n] << sep;      
        }
        return;
      }
   */

如何修改它,使其也将文件句柄作为输入并打印到文件句柄引用的该文件?

这样我们就可以执行以下操作:

#include <fstream>
#include <vector>
#include <iostream>
int main () {

  vector <int> MyVec;
  MyVec.push_back(123);
  MyVec.push_back(10);

  ofstream myfile;
  myfile.open ("example.txt");
  myfile << "Writing this to a file.\n";


  // prn_vec(MyVec,myfile,"\t");

  myfile.close();
  return 0;
}
4

2 回答 2

3
template <typename T> 
ostream& prn_vec(ostream& o, const std::vector < T >&arg, string sep="") 
{
    for (unsigned n = 0; n < arg.size(); n++) { 
        o << arg[n] << sep;    
    }
    return o;
} 

int main () {

  vector <int> MyVec;
  // ...
  ofstream myfile;

  // ...
  prn_vec(myfile, MyVec, "\t");

  myfile.close();
  return 0;
}
于 2009-03-26T05:35:31.807 回答
1

通过引用传递 ofstream:

template <typename T> void  prn_vec_os(
    const std::vector < T >&arg,
    string sep,
    ofstream& fn)

此外,删除 sep 的默认值,或重新排序参数,因为您不能在参数列表的中间有一个默认参数,并且后面有非默认值。

编辑:正如评论中所建议并在 dirkgently 的回答中实现的那样,您很可能希望使用 ostream 而不是 ofstream,以便更通用。

于 2009-03-26T05:38:04.000 回答