1

我是学习 php 的新手,在我的第一个程序中,我想制作一个基本的 php 网站,该网站具有登录功能以及用户和密码数组。

我的想法是将用户名存储为列表参数并将密码作为内容,如下所示:

arr = array(username => passwd, user => passwd);

现在我的问题是我不知道如何从文件(data.txt)中读取,所以我可以将它添加到数组中。

data.txt sample:
username passwd
anotherUSer passwd

我已经打开文件fopen并将其存储在$data.

4

5 回答 5

10

您可以使用该file()功能。

foreach(file("data.txt") as $line) {
    // do stuff here
}
于 2012-06-17T21:30:45.667 回答
4

修改这个 PHP 示例(取自官方 PHP 站点...总是先检查!):

$handle = @fopen("/path/to/yourfile.txt", "r");
if ($handle) {
    while (($buffer = fgets($handle, 4096)) !== false) {
        echo $buffer;
    }
    if (!feof($handle)) {
        echo "Error: unexpected fgets() fail\n";
    }
    fclose($handle);
}

至:

$lines = array();
$handle = @fopen("/path/to/yourfile.txt", "r");
if ($handle) {
    while (($buffer = fgets($handle, 4096)) !== false) {
        lines[] = $buffer;
    }
    if (!feof($handle)) {
        echo "Error: unexpected fgets() fail\n";
    }
    fclose($handle);
}

// add code to loop through $lines array and do the math...

请注意,您不应将登录详细信息存储在另外未加密的文本文件中,这种方法存在严重的安全问题。我知道您是 PHP 新手,但最好的方法是将其存储在数据库中并使用 MD5 或 SHA1 等算法加密密码,

于 2012-06-17T21:31:28.880 回答
1

您不应该将敏感信息存储为纯文本,但要回答您的问题,

$txt_file = file_get_contents('data.txt'); //Get the file
$rows = explode("\n", $txt_file); //Split the file by each line

foreach ($rows as $row) {
   $users = explode(" ", $row); //Split the line by a space, which is the seperator between username and password
   $username = $users[0];
   $password = $users[1];
}

看看这个线程。

于 2012-06-17T21:32:03.667 回答
0

这也适用于非常大的文件:

$handle = @fopen("data.txt", "r");
if ($handle) {
    while (!feof($handle)) { 
        $line = stream_get_line($handle, 1000000, "\n"); 
        //Do Stuff Here.
    } 
fclose($handle);
}
于 2012-06-17T21:29:45.730 回答
0

使用 file() 或 file_get_contents() 创建数组或字符串。

根据需要处理文件内容

// Put everything in the file in an array
$aArray = file('file.txt', FILE_IGNORE_NEW_LINES);

// Iterate throug the array
foreach ($aArray as $sLine) {

    // split username an password
    $aData = explode(" ", $sLine);

    // Do something with the username and password
    $sName = $aData[0];
    $sPass = $aData[1];
}
于 2012-06-17T21:36:40.170 回答