0

我有一个包含文章文本的字符串。这撒有 BBCodes(在方括号之间)。我需要能够抓住文章的第一个 200 个字符,而不会在 bbcode 中间将其截断。所以我需要一个可以安全切断它的索引。这会给我文章摘要。

  • 摘要必须至少为 200 个字符,但可以更长,以便从 bbcode 中“逃脱”。(这个长度值实际上是一个函数的参数)。
  • 它不能像这样在独立的 bbcode(见管道)中给我一个点:[lis|t]。
  • 它不能像这样在开始和结束 bbcode 之间给我一个点:[url="http://www.google.com"]Go To Goo|gle[/url]。
  • 在上面的示例中,它不能在开始或结束 bbcode 内或它们之间给我一个点。

它应该给我 200 之后的“安全”指数,并且不会切断任何 BBCode。

希望这是有道理的。我已经为此苦苦挣扎了一段时间。我的正则表达式技能只是中等。谢谢你的帮助!

4

5 回答 5

4

首先,我建议您考虑一下您将如何处理完全包裹在 BBcode 中的帖子,这在字体标签的情况下通常是正确的。换句话说,解决问题的方法很容易导致包含整篇文章的“摘要”。识别哪些标签仍然打开并附加必要的 BBcode 以关闭它们可能更有价值。当然,在链接的情况下,需要额外的工作来确保您不会破坏它。

于 2009-07-28T20:40:10.580 回答
2

好吧,显而易见的简单答案是在没有任何 bbcode 驱动的标记的情况下呈现您的“摘要”(下面的正则表达式取自此处

$summary = substr( preg_replace( '|[[\/\!]*?[^\[\]]*?]|si', '', $article ), 0, 200 );

但是,做你明确描述的工作需要的不仅仅是一个正则表达式。词法分析器/解析器可以解决问题,但这是一个中等复杂的话题。我会看看我能不能拿出一些东西。

编辑

这是 lexer 的一个漂亮的 ghetto 版本,但对于这个例子它可以工作。这会将输入字符串转换为 bbcode 标记。

<?php

class SimpleBBCodeLexer
{
  protected
      $tokens = array()
    , $patterns = array(
        self::TOKEN_OPEN_TAG  => "/\\[[a-z].*?\\]/"
      , self::TOKEN_CLOSE_TAG => "/\\[\\/[a-z].*?\\]/"
    );

  const TOKEN_TEXT      = 'TEXT';
  const TOKEN_OPEN_TAG  = 'OPEN_TAG';
  const TOKEN_CLOSE_TAG = 'CLOSE_TAG';

  public function __construct( $input )
  {
    for ( $i = 0, $l = strlen( $input ); $i < $l; $i++ )
    {
      $this->processChar( $input{$i} );
    }
    $this->processChar();
  }

  protected function processChar( $char=null )
  {
    static $tokenFragment = '';
    $tokenFragment = $this->processTokenFragment( $tokenFragment );
    if ( is_null( $char ) )
    {
      $this->addToken( $tokenFragment );
    } else {
      $tokenFragment .= $char;
    }
  }

  protected function processTokenFragment( $tokenFragment )
  {
    foreach ( $this->patterns as $type => $pattern )
    {
      if ( preg_match( $pattern, $tokenFragment, $matches ) )
      {
        if ( $matches[0] != $tokenFragment )
        {
          $this->addToken( substr( $tokenFragment, 0, -( strlen( $matches[0] ) ) ) );
        }
        $this->addToken( $matches[0], $type );
        return '';
      }
    }
    return $tokenFragment;
  }

  protected function addToken( $token, $type=self::TOKEN_TEXT )
  {
    $this->tokens[] = array( $type => $token );
  }

  public function getTokens()
  {
    return $this->tokens;
  }
}

$l = new SimpleBBCodeLexer( 'some [b]sample[/b] bbcode that [i] should [url="http://www.google.com"]support[/url] what [/i] you need.' );

echo '<pre>';
print_r( $l->getTokens() );
echo '</pre>';

下一步将是创建一个解析器,该解析器循环遍历这些标记并在遇到每种类型时采取行动。也许我以后有时间会做...

于 2009-07-28T20:38:58.757 回答
1

这听起来不像(仅)正则表达式的工作。“普通编程”逻辑是一个更好的选择:

  • 抓取'['以外的字符,增加计数器;
  • 如果遇到开始标签,请继续前进,直到到达结束标签(不要增加计数器!);
  • 当您的计数器达到 200 时停止抓取文本。
于 2009-07-28T20:39:59.813 回答
0

我写了这个函数,它应该做你想要的。它计算 n 个字符(标签中的字符除外),然后关闭需要关闭的标签。代码中包含的示例用法。代码在 python 中,但应该很容易移植到其他语言,例如 php。

def limit(input, length):
  """Splits a text after (length) characters, preserving bbcode"""

  stack = []
  counter = 0
  output = ""
  tag = ""
  insideTag = 0           # 0 = Outside tag, 1 = Opening tag, 2 = Closing tag, 3 = Opening tag, parameters section

  for i in input:
    if counter >= length: # If we have reached the max length (add " and i == ' '") to not make it split in a word
      break
    elif i == '[':        # If we have reached a tag
      insideTag = 1
    elif i == '/':        # If we reach a slash...
      if insideTag == 1:  # And we are in an opening tag
        insideTag = 2
    elif i == '=':        # If we have reached the parameters
      if insideTag >= 1:  # If we actually are in a tag
        insideTag = 3
    elif i == ']':        # If we have reached the closing of a tag
      if insideTag == 2:  # If we are in a closing tag
        stack.pop()       # Pop the last tag, we closed it
      elif insideTag >= 1:# If we are in a tag, parameters or not
        stack.append(tag) # Add current tag to the tag-stack
      if insideTag >= 0:  # If are in some type of tag
        insideTag = 0
        tag = ""
    elif insideTag == 0:  # If we are not in a tag
      counter += 1
    elif insideTag <= 2:  # If we are in a tag and not among the parameters
      tag += i
    output += i

  while len(stack) > 0:
    output += '[/'+stack.pop()+']'   # Add the remaining tags

  return output

cutText = limit('[font]This should be easy:[img]yippee.png[/img][i][u][url="http://www.stackoverflow.com"]Check out this site[/url][/u]Should be cut here somewhere [/i][/font]', 60)
print cutText
于 2009-08-15T11:17:35.667 回答
0

这是一个开始。我目前无法访问 PHP,因此您可能需要进行一些调整才能使其运行。此外,这不会确保标签是关闭的(即字符串可能有 [url] 而没有 [/url])。此外,如果字符串无效(即并非所有方括号都匹配),它可能不会返回您想要的内容。

function getIndex($str, $minLen = 200)
{
  //on short input, return the whole string
  if(strlen($str) <= $minLen)
    return strlen($str);

  //get first minLen characters
  $substr = substr($str, 0, $minLen);

  //does it have a '[' that is not closed?
  if(preg_match('/\[[^\]]*$/', $substr))
  {
    //find the next ']', if there is one
    $pos = strpos($str, ']', $minLen);

    //now, make the substr go all the way to that ']'
    if($pos !== false)
      $substr = substr($str, 0, $pos+1);
  }

  //now, it may be better to return $subStr, but you specifically
  //asked for the index, which is the length of this substring.
  return strlen($substr);
}
于 2009-07-28T20:40:41.763 回答