C++ でコードを記述する方法 .dat ファイルを読み取ると、これらのファイルにはテキスト データ (区切り記号 | で編成された数字と文字) が含まれます。fstream 標準ライブラリは最良の選択ですか? ファイルパスを定義するにはどうすればよいですか。2 番目の質問は、これらのファイルを読み取って SQL サーバー データベースにロードする場合、別のメカニズムになるのでしょうか??
			
			3397 次
		
2 に答える
            2        
        
		
はい、これには fstream を使用できます。
データを区切り記号で区切られた配列に分割するために使用できるコードを次に示します。DELIMITER を区切り文字に変更するだけです。
#include <iostream>
using std::cout;
using std::endl;
#include <fstream>
using std::ifstream;
#include <cstring>
const int MAX_CHARS_PER_LINE = 512;
const int MAX_TOKENS_PER_LINE = 20;
const char* const DELIMITER = " ";
int main()
{
  // create a file-reading object
  ifstream fin;
  fin.open("data.txt"); // open a file
  if (!fin.good()) 
    return 1; // exit if file not found
  // read each line of the file
  while (!fin.eof())
  {
    // read an entire line into memory
    char buf[MAX_CHARS_PER_LINE];
    fin.getline(buf, MAX_CHARS_PER_LINE);
    // parse the line into blank-delimited tokens
    int n = 0; // a for-loop index
    // array to store memory addresses of the tokens in buf
    const char* token[MAX_TOKENS_PER_LINE] = {}; // initialize to 0
    // parse the line
    token[0] = strtok(buf, DELIMITER); // first token
    if (token[0]) // zero if line is blank
    {
      for (n = 1; n < MAX_TOKENS_PER_LINE; n++)
      {
    token[n] = strtok(0, DELIMITER); // subsequent tokens
        if (!token[n]) break; // no more tokens
  }
}
    // process (print) the tokens
    for (int i = 0; i < n; i++) // n = #of tokens
      cout << "Token[" << i << "] = " << token[i] << endl;
    cout << endl;
  }
}
データをデータベースに保存するには、MySqlを見てください。
于 2013-03-20T16:09:35.433   に答える
    
    
            0        
        
		
まあ、あなたはそれを自分でグーグルすることができます..しかし: いくつかのチュートリアルを行うだけです. 例:http ://www.cplusplus.com/doc/tutorial/files/.txt の代わりに.datを開くだけです(テキストデータのみが含まれていると言うので..)
SQLデータベースに保存するために、今はMySQLになると思います: http://www.nitecon.com/tutorials-articles/develop/cpp/c-mysql-beginner-tutorial/
手順: ファイルを開き、データベース接続を開き、INSERT INTO を実行します .... 完了。
于 2013-03-20T15:59:34.527   に答える