使用 php 更新 CSV 文件

Update a CSV file with php

这些是我的数据库:

database.csv:

barcode,      Name     , Qty ,Code
123456 ,Rothmans Blue  , 40  ,RB44
234567 ,Rothmans Red   , 40  ,RB30
345678 ,Rothmans Green , 40  ,RB20
456789 ,Rothmans Purple, 40  ,RB10
567890 ,Rothmans Orange, 40  ,RB55

stocktakemain.csv:

barcode,      Name     , Qty ,Code,ScQty
123456 ,Rothmans Blue  , 40  ,RB44,  1
234567 ,Rothmans Red   , 40  ,RB30,  1

进程:

  1. 该网站有一个发布到 "barcode" 的输入扫描。
  2. 它将检查 'database.csv'
  3. 中是否存在条形码
  4. 如果条形码存在但不在 'stocktakemain.csv' 内,它将添加到 'stocktakemain.csv',ScQty 为 1。请参阅下面代码中的第 2 部分。
  5. ELSE 当扫描 stocktakemain.csv 中的现有条形码时,将 'stocktakemain.csv' 附加 +1(加 1)到该特定行的 ScQty。

上面的粗体字不起作用

代码:

function searchForBarcode($id, $array)
{
   foreach ($array as $key => $val)
   {
        if (in_array($id, $val))
        {
            return $key;
        }
   }
   return null;
}

$post = $_POST["barcode"];
$dbcsv = fopen('databases/database.csv', 'r');
$csvArray = array();
while(! feof($dbcsv))
  {
      $csvArray[]  = fgetcsv($dbcsv);
  }
fclose($dbcsv);
$searchf = searchForBarcode($post, $csvArray);
$result = $csvArray[$searchf];
$final = $result[+3];

if ($searchf !== NULL){
$stcsv = fopen('databases/stocktakemain.csv', 'r+');
$stArray = array();
while(! feof($stcsv))
  {
      $stArray[]  = fgetcsv($stcsv);
  }
fclose($stcsv);

$searchs = searchForBarcode($post, $stArray);

if ($searchs === NULL) {
    $filew = 'databases/stocktakemain.csv';
    $write = file_get_contents($filew);
    $write .= print_r(implode(",",$result), true).",1\n";
    file_put_contents($filew, $write);
}
else {
    $filew = 'databases/stocktakemain.csv';
    $resultexisting = $stArray[$searchs];
    print_r($resultexisting);
    echo "<br/>";
    $getfilecont = file_get_contents($filew);
    $getfilecont = trim($getfilecont);
    $existing = explode(",", $getfilecont);
    $existing[4] = trim($existing[4]);
    ++$existing[4];
    print_r($existing);
    echo "<br/>";
    $writeto = print_r(implode(",",$existing), true);
    print_r($writeto);
    file_put_contents($filew, $writeto);
}
}

这是我通过阅读您的代码得出的一些结论:

  • 如果扫描的项目已经在 stocktakemain.csv 文件中,则执行 else 块
  • $searchs 包含已扫描项目的行索引
  • $stArray 包含 stocktakemain.csv 内容的二维数组 - 第一个索引是行号,从 0 开始,下一个索引是列号

基于此,我认为您需要将 else 块重写为:

$scQtyColumn = 4;

// what is the current quantity? 
$scQty = intval($stArray[$searchs][$scQtyColumn]);

// update the quantity in the stocktakemain.csv contents array
$stArray[$searchs][$scQtyColumn] = $scQty + 1;

// write each line to file
$output = fopen('databases/stocktakemain.csv', 'w');
foreach($stArray, $line) {
  fputcsv($output, $line);
}

你能试试看它是否有效吗?