3

我正在尝试编写搜索查询以从数据库中查找文章。我想获取用户输入的搜索字符串并查找一组特定的可能搜索词。如果用户输入搜索字符串“2011 年德国平均工资列表”,我想生成一个要搜索的术语列表。我想我会寻找整个字符串和连续单词的部分字符串。那就是我想搜索“平均工资列表”和“2011 年德国”,而不是“2011 年德国列表”。

到目前为止,我有这段代码来生成我的搜索词:

  $searchString = "listing of average salaries in germany for 2011";
  $searchTokens = explode(" ", $searchString);
  $searchTerms = array($searchString);

  $tokenCount = count($searchTokens);
  for($max=$tokenCount - 1; $max>0; $max--) {
      $termA = "";
      $termB = "";
      for ($i=0; $i < $max; $i++) {
          $termA .= $searchTokens[$i] . " ";
          $termB .= $searchTokens[($tokenCount-$max) + $i] . " ";
      }
      array_push($searchTerms, $termA);
      array_push($searchTerms, $termB);
  }

  print_r($searchTerms);

它给了我这个术语列表:

  • 2011年德国平均工资列表
  • 德国的平均工资列表
  • 2011年德国平均工资
  • 德国平均工资列表
  • 2011年德国平均工资
  • 平均工资列表
  • 2011年德国工资
  • 平均工资清单
  • 2011年在德国
  • 平均清单
  • 2011年德国
  • 上市
  • 2011 年
  • 清单
  • 2011

我不确定如何获得的是缺少的条款:

  • 德国的平均工资
  • 德国的平均工资
  • 德国的平均工资
  • 平均工资在
  • 德国的平均工资
  • 在德国的工资
  • ETC...

更新

我不是在寻找“电源组”,所以像这样这样的答案是无效的。例如,我不希望这些出现在我的术语列表中:

  • 平均德国
  • 列出 2011 年的工资
  • 德国为

我只寻找连续的单词。

4

2 回答 2

0

首先,我只想让您知道,如果您要针对 SQL 数据库运行所有这些以进行搜索,它的效率非常低,建议您使用该LIKE选项。http://www.techonthenet.com/sql/like.php

现在,要获得所有可能的组合,只需将单词分解成一个数组(就像您对爆炸所做的那样),并遵循@ulvund 在这个问题上给出的建议:PHP: How to get all possible combination of 1D array ?

也就是说

<?php

$array = explode(" ", "listing of average salaries in germany for 2011");

function depth_picker($arr, $temp_string, &$collect) {
    if ($temp_string != "") 
        $collect []= $temp_string;

    for ($i=0; $i<sizeof($arr);$i++) {
        $arrcopy = $arr;
        $elem = array_splice($arrcopy, $i, 1); // removes and returns the i'th element
        if (sizeof($arrcopy) > 0) {
            depth_picker($arrcopy, $temp_string ." " . $elem[0], $collect);
        } else {
            $collect []= $temp_string. " " . $elem[0];
        }   
    }   
}

$collect = array();
depth_picker($array, "", $collect);
print_r($collect);

?>
于 2013-06-20T19:07:19.947 回答
0

您想找到爆炸字符串的所有顺序子集,只需从以下位置开始offset=0并将数组拆分length=1count-offset

$search_string = 'listing of average salaries in germany for 2011';
$search_array = explode(' ',$search_string);
$count = count($search_array);

$s = array();
$min_length = 1;

for ($offset=0;$offset<$count;$offset++) {
    for ($length=$min_length;$length<=$count-$offset;$length++) {
        $match = array_slice($search_array,$offset,$length);
        $search_matches []= join(' ',$match);
    }
}

print_r($search_array);
print_r($search_matches);
于 2013-06-21T17:12:24.170 回答