使用ifstream从字符串中读取数据的特定部分

时间:2012-01-05 17:13:47

标签: c++ fstream

我编写了一个程序,它基本上从主项目文件中保存的文本文件中读取2行。值得注意的是我的操作系统是Windows。我只需要从第一行和第二行读取文本的特定部分。例如,我有一个文本文件有2行:用户:管理员和密码:stefan。在我的程序中,我要求用户输入用户名和密码,并检查它是否与文本文件中的匹配,但这些行包含一些不必要的字符串:“User:”和“Password:”。有什么办法可以阅读所有内容但排除不必要的字母吗?这是我用来从文件中读取的代码:

#include <iostream>
#include <fstream>
#include <string>
using namespace std;

int main()
{
    ifstream myfile("Hello.txt");
    string str, str2;
    getline (myfile, str);
    getline(myfile, str2);
    return 0;
} 

其中str是文本文件的第一行,str2是第二行。

1 个答案:

答案 0 :(得分:2)

此代码从名为user.txt的文件中加载用户和密码。

档案内容:

user john_doe
password disneyland

它使用getline( myfile, line )读取一行,使用istringstream iss(line)拆分该行 并将用户和密码存储在单独的字符串中。

#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
using namespace std;

int main()
{

    string  s_userName;
    string  s_password ;
    string line,temp;

    ifstream myfile("c:\\user.txt");

    // read line from file
    getline( myfile, line );


    // split string and store user in  s_username
    istringstream iss(line);
    iss >> temp;
    iss >> s_userName;

    // read line from file
    getline( myfile, line );

    // split string and store password in  s_password
    istringstream iss2(line);
    iss2 >> temp;
    iss2 >> s_password;

    //display
    cout << "User     : " << s_userName << " \n"; 
    cout << "Password : " << s_password << " \n";
    cout << " \n";

    myfile.close();
    return 0;
}