0

我正在尝试制作一个正则表达式来从表中取出一些数据。

我现在得到的代码是:

<table>
   <tr>
     <td>quote1</td>
     <td>have you trying it off and on again ?</td>
   </tr>
   <tr>
     <td>quote65</td>
     <td>You wouldn't steal a helmet of a policeman</td>
   </tr>
</table>

我想替换为:

引用1:你有没有反复尝试过?

引用65:你不会偷警察的头盔

我已经写的代码是这样的:

%<td>((?s).*?)</td>%

但现在我被困住了。

4

5 回答 5

5

如果你真的想使用正则表达式(如果你真的确定你的字符串总是这样格式化可能没问题),在你的情况下,这样的东西呢:

$str = <<<A
<table>
   <tr>
     <td>quote1</td>
     <td>have you trying it off and on again ?</td>
   </tr>
   <tr>
     <td>quote65</td>
     <td>You wouldn't steal a helmet of a policeman</td>
   </tr>
</table>
A;

$matches = array();
preg_match_all('#<tr>\s+?<td>(.*?)</td>\s+?<td>(.*?)</td>\s+?</tr>#', $str, $matches);

var_dump($matches);

关于正则表达式的几句话:

  • <tr>
  • 然后任意数量的空格
  • 然后<td>
  • 那么你想要捕捉的东西
  • 然后</td>
  • 又一样
  • 最后,</tr>

我使用:

  • ?在正则表达式中以非贪婪模式匹配
  • preg_match_all得到所有的比赛

然后你得到你想要的结果$matches[1]and $matches[2] (not $matches[0]) ; var_dump这是我使用的输出(我删除了条目 0,以使其更短)

array
  0 => 
    ...
  1 => 
    array
      0 => string 'quote1' (length=6)
      1 => string 'quote65' (length=7)
  2 => 
    array
      0 => string 'have you trying it off and on again ?' (length=37)
      1 => string 'You wouldn't steal a helmet of a policeman' (length=42)

然后,您只需要使用一些字符串连接等来操作这个数组;例如,像这样:

$num = count($matches[1]);
for ($i=0 ; $i<$num ; $i++) {
    echo $matches[1][$i] . ':' . $matches[2][$i] . '<br />';
}

你得到:

quote1:have you trying it off and on again ?
quote65:You wouldn't steal a helmet of a policeman

注意:您应该添加一些安全检查(例如preg_match_all必须返回 true,count 必须至少为 1,...)

附带说明:使用正则表达式解析 HTML 通常不是一个好主意;如果你可以使用真正的解析器,它应该更安全......

于 2009-07-19T20:31:03.167 回答
3

Tim 的正则表达式可能有效,但您可能需要考虑使用 PHP 的 DOM 功能而不是正则表达式,因为它在处理标记中的微小更改时可能更可靠。

查看loadHTML 方法

于 2009-07-19T20:30:32.153 回答
1

像往常一样,应该使用解析器从 HTML 和其他非常规语言中提取文本 - 正则表达式可能会导致问题。但是如果你确定你的数据结构,你可以使用

%<td>((?s).*?)</td>\s*<td>((?s).*?)</td>%

找到这两段文字。\1:\2 将成为替代品。

如果文本不能超过一行,那么删除这些(?s)位会更安全......

于 2009-07-19T20:20:39.583 回答
1

从中提取每个内容<td>

    preg_match_all("%\<td((?s).*?)</td>%", $respose, $mathes);
    var_dump($mathes);
于 2017-06-15T23:53:46.233 回答
0

不要使用正则表达式,使用 HTML 解析器。比如PHP Simple HTML DOM Parser

于 2009-07-19T20:28:10.320 回答