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

时间:2018-10-25 15:10:01

标签: php arrays csv

在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;

2 个答案:

答案 0 :(得分:1)

这就是我想要的

$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 . ';');

答案 1 :(得分:1)

您可以避免这些循环,条件和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);