Группировка строк с определенным рисунком в одну строку в виде текстового файла CSV - PullRequest
0 голосов
/ 05 июня 2019

Я пишу парсер для текстовых данных. Я почти закончил ... но теперь настало время, чтобы скрипт php работал на сервере с версией PHP 5.3.13. И нет возможности обновить. Поэтому я пытаюсь переписать сценарий, но ... я думаю, что сломал его. Это не работает вообще.

Сначала вот исходные текстовые данные, которые мне нужно проанализировать:

27 may 15:28 Id: 42 #1 Random Text

Info: 3 Location: Street Guests: 2              



(Text header 1) Apple                    15
(Text header 2) Milk          2
(Text header 1) Ice cream                   4
(Text header 3) Pencil            1
(Text header 1) Box                    1
   (Text header 2) Cardboard                 x1
   (Text header 3) White                 x1
   (Text header 1) Cube              x1
(Text header 1) Phone     1
   (Text header 1) Specific text                x1
   (Text header 1) Symbian                x1

Второй - это желаемый вывод, текстовый файл результата, который мне нужен:

42 ; 15:28
Apple ; 15 ; NOHANDLE ; NOHANDLE
Milk ; 2 ; NOHANDLE ; NOHANDLE
Ice cream ; 4 ; NOHANDLE ; NOHANDLE
Pencil ; 1 ; NOHANDLE ; NOHANDLE
Box ; 1 ; Cardboard, White, Cube ; NOHANDLE
Phone ; 1 ; Symbian ; Specific text

NOHANDLE необходим, потому что, как вы видите, это файл CSV. Для правильной работы CSV каждая строка должна иметь одинаковое количество столбцов. Поэтому я должен добавлять NOHADLE каждый раз, когда нет «дочерних» строк.

И, наконец, вот код I, который я пытаюсь заставить работать правильно:

<?php

$data = trim(file_get_contents('inbox_file_utf8_clean.txt'));


$all_lines = preg_split("/\r?\n/", $data);
$date_id_line = array_shift($all_lines);
if(!preg_match('/^\d+\s\w+\s(?<time>\d+:\d+)\sId:\s(?<id>\d+).*/', $date_id_line, $matches)) {
  trigger_error('Failed to match ID and timestamp', E_USER_ERROR);
}
$output_data = array(
  'info' => array(
    'id' => $matches['id'],
    'time' => $matches['time']
  ),
  'data' => array()
);

$all_text_headers = array_values(preg_grep('/^\s*\(/', $all_lines));

// The first "Text header" is a parent.
// Count the number of leading whitespaces to determine other parents
preg_match('/^\x20*/', $all_text_headers[0], $leading_space_matches);
$leading_spaces = $leading_space_matches[0];
$num_leading_spaces = strlen($leading_spaces);
$parent_lead = str_repeat(' ', $num_leading_spaces) . '(';
$parent = NULL;
foreach($all_text_headers as $index => $header_line) {
  array($lead, $item_value) = explode( ") ", $header_line);
  array($topic, $topic_count) = array_map('trim',
    preg_split('/\s{2,}/', $item_value, -1, PREG_SPLIT_NO_EMPTY)
  );

  $topic_count = (int) $topic_count;

  if($is_parent = ($parent === NULL || strpos($lead, $parent_lead) === 0)) {
    $parent = $topic;
  }

  // This only goes one level deep
  if($is_parent) {
    $output_data['data'][$parent] = array(
      'values' => array(),
      'count' => $topic_count
    );
  } else {
    $output_data['data'][$parent]['values'][] = $topic;
  }
};

$csv_delimiter = ';';

$handle = fopen('output_file.csv', 'wb');

fputcsv($handle, array_values($output_data['info']), $csv_delimiter);

foreach($output_data['data'] as $key => $values) {

  $row = [
    $key,
    $values['count'],
    implode(', ', $values['values']) ?: 'NOHANDLE',
    'NOHANDLE'
  ];
  fputcsv($handle, $row, $csv_delimiter);
}

fclose($handle);

?>

Теперь я застрял ... Я получаю эту ошибку:

Parse error: syntax error, unexpected '=' in index.php on line 29

1 Ответ

0 голосов
/ 05 июня 2019

вы правы, вы должны использовать array () вместо просто []

и строка ошибки

array($lead, $item_value) = explode( ") ", $header_line);

должно быть так:

list($lead, $item_value) = explode(') ', $header_line);

и в следующей строке вы должны использовать list ()

Я пытаюсь внести все исправления:

<?php

$data = trim(file_get_contents('inbox_file_utf8_clean.txt'));


$all_lines = preg_split("/\r?\n/", $data);
$date_id_line = array_shift($all_lines);
if(!preg_match('/^\d+\s\w+\s(?<time>\d+:\d+)\sId:\s(?<id>\d+).*/', $date_id_line, $matches)) {
  trigger_error('Failed to match ID and timestamp', E_USER_ERROR);
}
$output_data = array(
  'info' => array(
    'id' => $matches['id'],
    'time' => $matches['time']
  ),
  'data' => array()
);

$all_text_headers = array_values(preg_grep('/^\s*\(/', $all_lines));

// The first "Text header" is a parent.
// Count the number of leading whitespaces to determine other parents
preg_match('/^\x20*/', $all_text_headers[0], $leading_space_matches);
$leading_spaces = $leading_space_matches[0];
$num_leading_spaces = strlen($leading_spaces);
$parent_lead = str_repeat(' ', $num_leading_spaces) . '(';
$parent = NULL;
foreach($all_text_headers as $index => $header_line) {
  list($lead, $item_value) = explode(') ', $header_line);
  list($topic, $topic_count) = array_map('trim',
    preg_split('/\s{2,}/', $item_value, -1, PREG_SPLIT_NO_EMPTY)
  );

  $topic_count = (int) $topic_count;

  if($is_parent = ($parent === NULL || strpos($lead, $parent_lead) === 0)) {
    $parent = $topic;
  }

  // This only goes one level deep
  if($is_parent) {
    $output_data['data'][$parent] = array(
      'values' => array(),
      'count' => $topic_count
    );
  } else {
    $output_data['data'][$parent]['values'][] = $topic;
  }
};

$csv_delimiter = ';';

$handle = fopen('output_file.csv', 'wb');

fputcsv($handle, array_values($output_data['info']), $csv_delimiter);

foreach($output_data['data'] as $key => $values) {

  $row = array(
    $key,
    $values['count'],
    implode(', ', $values['values']) ?: 'NOHANDLE',
    'NOHANDLE'
  );
  fputcsv($handle, $row, $csv_delimiter);
}

fclose($handle);

?>
...