1

我在尝试理解带有变量的函数时遇到问题。这是我的代码。我正在尝试为报告诈骗的网站创建友好的网址。如果预设,我创建了一个充满坏词的数据库,以便从 url 中删除。如果 url 中的名称包含一个链接,我希望它看起来像这样:example.com-scam.php 或 html(以更好者为准)。但是,现在它去掉了 (.),它看起来像这个 examplecom。如何解决此问题以保留 (.) 并在末尾添加 -scam.php 或 -scam.html?

函数/seourls.php

/* takes the input, scrubs bad characters */
function generate_seo_link($link, $replace = '-', $remove_words = true, $words_array = array()) {
  //make it lowercase, remove punctuation, remove multiple/leading/ending spaces
  $return = trim(ereg_replace(' +', ' ', preg_replace('/[^a-zA-Z0-9\s]/', '', strtolower($link))));

  //remove words, if not helpful to seo
  //i like my defaults list in remove_words(), so I wont pass that array
  if($remove_words) { $return = remove_words($return, $replace, $words_array); }

  //convert the spaces to whatever the user wants
  //usually a dash or underscore..
  //...then return the value.
  return str_replace(' ', $replace, $return);
}

/* takes an input, scrubs unnecessary words */
function remove_words($link,$replace,$words_array = array(),$unique_words = true)
{
  //separate all words based on spaces
  $input_array = explode(' ',$link);

  //create the return array
  $return = array();

  //loops through words, remove bad words, keep good ones
  foreach($input_array as $word)
  {
    //if it's a word we should add...
    if(!in_array($word,$words_array) && ($unique_words ? !in_array($word,$return) : true))
    {
      $return[] = $word;
    }
  }

  //return good words separated by dashes
  return implode($replace,$return);
}

这是我的 test.php 文件:

require_once "dbConnection.php"; 


$query = "select * from bad_words";
$result = mysql_query($query);


while ($record = mysql_fetch_assoc($result)) 
{
    $words_array[] = $record['word'];
}



$sql = "SELECT * FROM reported_scams WHERE id=".$_GET['id'];
$rs_result = mysql_query($sql);

while ($row = mysql_fetch_array($rs_result)) {

$link = $row['business'];

}


require_once "functions/seourls.php";
echo generate_seo_link($link, '-', true, $words_array);

任何帮助理解这一点将不胜感激:) 另外,为什么我必须回显该功能?

4

2 回答 2

0

您的第一行真正的代码有以下注释:

//make it lowercase, remove punctuation, remove multiple/leading/ending spaces

句号是标点符号,所以它们被删除了。.如果要例外,请添加到接受的字符集。

于 2012-10-03T15:15:24.837 回答
0

更改您的正则表达式(第二行)以允许句号:

$return = trim(ereg_replace(' +', ' ', preg_replace('/[^a-zA-Z0-9\.\s]/', '', strtolower($link))));

您的代码需要回显的原因是因为您在函数中返回了一个变量。如果您想在调用该函数后立即将其打印出来,您可以将函数中的 return 更改为 echo/print。

于 2012-10-03T15:17:34.050 回答