0

php新手在这里..我需要一些关于如何从分隔文本文件导入数据并将它们映射到html表中的PHP帮助想法/示例。数据应填充并映射到其适当的标题下。在某些情况下,每条记录都没有所有值,如果没有数据,那么我们可以将其保留为空(参见示例记录)。我还将为每条记录创建一个表格行条目。

例如,输入/源文件有这些条目:(它们以数字为前缀,表示 html 表中的标题。所以来自“1-MyServer”的数据是“server4.mra.dev.pp1”,应该在例如表头“服务器”。在某些情况下,记录也没有所有值(1-7)(见下文):

1-MyServer=server4.mra.dev.pp1;2-MyLogdate=Wed Aug 11 2010;3-MyDataset=dbip.pp1;4-MyStartTime=01:00:03;5-MyDuration=00:36:09;6-MySize=41.54 GB;7-MyStatus=Succeeded;
1-MyServer=server9.mra.dev.kul;2-MyLogdate=Wed Aug 11 2010;3-MyDataset=gls202.kul_lvm;5-MyDuration=06:20:33;7-MyStatus=Succeeded;
1-MyServer=server9.mra.dev.kul;2-MyLogdate=Wed Aug 11 2010;3-MyDataset=gls101.aie_lvm;4-MyStartTime=01:00:02;

这是我的 html 表的副本,我也需要它来映射它:(另外,我不必将“2-MyLogdate”的记录填充到标题中)

<table id="stats">
tr>
  <th>Server</th>
  <th>Set</th>
  <th>Start</th>
  <th>Duration</th>
  <th>Size</th>
  <th>Status</th>
</tr>
<tr>
<td>server4.mel.dev.sp1</td>
<td>dbip.sp1</td>
<td>01:00:03</td>
<td>00:36:09</td>
<td>41.54 GB</td>
<td>Succeeded</td>
</tr>
</table>

所以我真正需要的是一个系统来适当地映射这些。我将如何在 php 中编写这个?谢谢!

4

2 回答 2

1

这一切都是为了在您的文件中找到模式。在您的示例中,这很容易:

[number]-[column name]=[value];

我看到的主要问题是您有冗余信息:列的数量和列本身,它们对每一行都重复。不过,您可以将它们解析掉。这取决于您对程序的期望:列的顺序是否总是相同的?总会有相同的列吗?你应该如何应对未知的列?

这是一个使用正则表达式的快速示例。此示例假定列名都是相同的,并且您希望将它们全部显示,并且它们将始终以相同的顺序排列。换句话说,我正在以简单的方式做到这一点。

$data = array();

$lines = file("my/log/file.log");
// this will parse every line into an associative array, discarding the header number
foreach ($lines as $line)
{
    // populate $matches with arrays where indices are as follows:
    // 0: the whole string (0-Foo=bar;)
    // 1: the column number (0)
    // 2: the column name (Foo)
    // 3: the value (Bar)
    preg_match_all("/([0-9])-([^=]+)=([^;]+);/", $line, $matches, PREG_SET_ORDER);
    $lineData = array();
    foreach ($matches as $information)
        $lineData[$information[2]] = $information[3];
    $data[] = $lineData;
}

$keys = array_keys($data[0]); // you can also set this yourself
// for instance, $keys = array('MyServer', 'MyDataset'); would only display those two columns
echo '<table><tr>';
foreach ($keys as $column)
    echo '<th>' . $column . '</th>';
echo '</tr>';

foreach ($data as $row)
{
    echo '<tr>';
    foreach ($keys as $column)
        echo '<td>' . (isset($row[$column]) ? $row[$column] : '') . '</td>';
    echo '</tr>';
}
echo '</table>';
于 2010-08-12T06:30:33.303 回答
0

像这样的东西

$logarr = file("log.txt");
foreach ($logarr as $s) {
  $s = str_replace(";","&",$s);
  $a = array();
  parse_str($s,$a);
  echo "<tr>\n";
  if (isset($a['1-MyServer'])) echo $a['1-MyServer']; else echo "&nbsp;"
  if (isset($a['2-MyLogdate'])) echo $a['2-MyLogdate']; else echo "&nbsp;"
  // and so on
  echo "</tr>\n";
}
于 2010-08-12T06:24:32.037 回答