首先我创建了textbox1(用于用户名),textbox2(用于密码)和button1(用于检查)。 后:
private void button1_Click(object sender, EventArgs e)
{
FileStream fs = new FileStream(@"D:\C#\test.txt", FileMode.Open, FileAccess.Read, FileShare.None);
StreamReader sr = new StreamReader(fs);
}
我想检查test.txt的第一行(等于从textbox1中添加的文本中的用户名)和第二行的密码。
抱歉我的英语不好。
答案 0 :(得分:3)
您可以尝试这样的事情:
private void button1_Click(object sender, EventArgs e){
string[] lines = System.IO.File.ReadAllLines(@"D:\C#\test.txt");
String username = lines[0];
String password = lines[1];
}
但是,这不是存储用户名和密码的好方法。我假设你只是在测试一些东西。
答案 1 :(得分:1)
您问题的最简单答案是逐行阅读文本文件。但是我强烈建议至少播种和散列密码。
这是使用种子SHA256散列密码的简短示例。它只是为了展示这个概念而不应该按原样使用。
void Test()
{
string pwd = "Testing1234";
string user = "username";
StorePassword(user, pwd);
bool result = ValidatePassword(user, pwd);
if (result == true) Console.WriteLine("Match!!");
}
private void StorePassword(string username, string password)
{
var chars = "ABCDEFGHIJKLMNOPQRSTUVWXYZ0123456789";
var random = new Random();
var salt = new string(
Enumerable.Repeat(chars, 8)
.Select(s => s[random.Next(s.Length)])
.ToArray());
string hash = GetHash(salt + password);
string saltedHash = salt + ":" + hash;
string[] credentials = new string[] { username, saltedHash };
System.IO.File.WriteAllLines(@"D:\C#\test.txt",credentials);
}
bool ValidatePassword(string username, string password)
{
string[] content = System.IO.File.ReadAllLines(@"D:\C#\test.txt");
if (username != content[0]) return false; //Wrong username
string[] saltAndHash = content[1].Split(':'); //The salt will be stored att index 0 and the hash we are testing against will be stored at index 1.
string hash = GetHash(saltAndHash[0] + password);
if (hash == saltAndHash[1]) return true;
else return false;
}
string GetHash(string input)
{
System.Security.Cryptography.SHA256Managed hasher = new System.Security.Cryptography.SHA256Managed();
byte[] bytes = hasher.ComputeHash(Encoding.UTF8.GetBytes(input));
return BitConverter.ToString(bytes).Replace("-", "");
}