如何在 C++ 中编写代码读取 .dat 文件,这些文件包含文本数据(用分隔符 | 组织的数字和字符)。fstream 标准库是最佳选择吗?我们如何定义文件路径。第二个问题是,如果我想读取这些文件并将它们加载到 SQL Server 数据库中,它会是不同的机制吗?
问问题
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 回答