来自 CSV / TXT 文件的 PHP 中的关联数组



我在PHP中的关联数组中遇到问题 - 当数组的来源来自文本文件时。

当我写如下内容时:

$logins = array('user1' => '1234','user2' => '2345','user3' => '3456');

一切都按预期工作。

因此,我尝试从CSV文件调用这些数组,如下所示:

$file_handle = fopen("data.csv", "r");
while (!feof($file_handle) ) {
$line_of_text = fgetcsv($file_handle, 1024);
if (empty($line_of_text)) { break; }
$logins = array($line_of_text[0] . '=>' . $line_of_text[1]); /* remove the => and seperate the logins with "," on CSV */
}

它没有用。

SO上有很多密切相关的问题和答案,但我确实阅读并尝试植入它们,但没有成功。请指导我。

编辑:data.csv如下所示。

user1,1234;
user2,2345;
user3,3456;

您可以避免那些循环、条件和fopen()/fclose()混乱:

<?php
// read the file into an array
$arr = file("data.csv", FILE_IGNORE_NEW_LINES | FILE_SKIP_EMPTY_LINES);
// split each line at the comma
array_walk($arr, function(&$v, $k){$v=explode(",", $v);});
// build an array from the data
$keys = array_column($arr, 0);
$values = array_column($arr, 1);
$logins = array_combine($keys, $values);

这是我认为你想要的

$logins = array();
$file_handle = fopen("data.csv", "r");
while (!feof($file_handle) ) {
$line_of_text = fgetcsv($file_handle, 1024);
// At this point, $line_of_text is an array, which will look
// something like this: {[0]=>'user1',[1]=>'1234'}
if (empty($line_of_text)) { break; }
$logins[$line_of_text[0]] = $line_of_text[1];
// So the line above is equivalent to something like
// $logins['user1'] = '1234';
}

这可能也有效,尽管我认为这不是您真正想要进入的东西。

/* $dataFile = fopen("data.txt", "r"); */
$dataFile = file_get_contents("data.txt");
/* logins = array($dataFile); */
eval('$logins = ' . $dataFile . ';');

相关内容

  • 没有找到相关文章

最新更新