-4

そのため、C++ で文字列を分割し、内容をベクトルにダンプしようとしました。問題に対する答えを見つけたので、その解決策をコピーして、理解するためにいろいろと試してみましたが、それでも非常にわかりにくいようです。私が作成したものとコピーしたものを組み合わせた次のコードスニペットがあります。目的を理解しているすべての行にコメントしました。誰かが残りのコメントに記入してくれませんか (基本的に彼らが何をしているのかを説明します)。これがどのように解決されるかを完全に理解したいと思います。

ifstream inputfile; //declare file
inputfile.open("inputfile.txt"); //open file for input
string m; //declare string
getline(inputfile, m); //take first line from file and insert into string

std::stringstream ss(m);
std::istream_iterator<std::string> begin(ss);
std::istream_iterator<std::string> end;
std::vector<std::string> vstrings(begin, end);
std::copy(vstrings.begin(), vstrings.end(), std::ostream_iterator<std::string>(std::cout, "\n"));

while(true) //delay the cmd applet from closing
{
}
4

1 に答える 1

11

免責事項:実際のコードには、これから使用する程度の注釈を含めるべきではありません。(また、独りよがりに不可解であってはなりません。)

関数本体と必要なヘッダーを追加しました。

#include <iostream>
#include <string>
#include <sstream>
#include <fstream>

int main()
{
   // Construct a file stream object
   ifstream inputfile;

   // Open a file
   inputfile.open("inputfile.txt");

   // Construct a string object
   string m;

   // Read first line of file into the string
   getline(inputfile, m);



   // Copy the string into a stringstream so that we can
   // make use of iostreams' formatting abilities
   std::stringstream ss(m);

   // Construct an iterator pair. One is set to the start
   // of the stringstream; the other is "singular", i.e.
   // default-constructed, and isn't set anywhere. This
   // is sort of equivalent to the "null character" you
   // look for in C-style strings
   std::istream_iterator<std::string> begin(ss);
   std::istream_iterator<std::string> end;

   // Construct a vector by iterating through the text
   // in the stringstream; by default, this extracts space-
   // delimited tokens one at a time. The result is a vector
   // of single words
   std::vector<std::string> vstrings(begin, end);

   // Again using iterators (albeit un-named ones, obtained
   // with .begin() and .end()), stream the contents of the
   // vector to STDOUT. Equivalent to looping through `vstrings`
   // and doing `std::cout << *it << "\n"` for each one
   std::copy(
      vstrings.begin(),
      vstrings.end(),
      std::ostream_iterator<std::string>(std::cout, "\n")
   );

   // Blocks the application until it is forcibly terminated.
   // Used because Windows, by default, under some circumstances,
   // will close your terminal after the process ends, before you 
   // can read its output. However: THIS IS NOT YOUR PROGRAM'S
   // JOB! Configure your terminal instead.
   while (true) {}
}

これは、ディスク上のテキスト ファイルの最初の行にある各トークンを改行で区切ってコンソールに出力する最適な方法ではありません。インターネットからコードをそのままコピーして、紅海が別れるのを期待しないでください。

于 2013-04-11T16:00:13.217 に答える