0

我有这个 javascript 函数,可以将任何字符串转换为完美的 slug(在我看来)。

function slugGenerator(str) {
  str = str.replace(/^\s+|\s+$/g, '');
  str = str.toLowerCase();

  var from = "àáäâèéëêìíïîòóöôùúüûñç·/_,:;";
  var to   = "aaaaeeeeiiiioooouuuunc------";
  for (var i=0, l=from.length ; i<l ; i++) {
    str = str.replace(new RegExp(from.charAt(i), 'g'), to.charAt(i));
  }
  str = str.replace(/[^a-z0-9 -]/g, '').replace(/\s+/g, '_').replace(/-+/g, '-'); 
  return str;
}

我需要将其转换为 PHP,我已经尝试过,结果是:

function slugGenerator($str) {
  $str = preg_replace('/^\s+|\s+$/g', '', $str);
  $str = strtolower($str);

  $from = "àáäâèéëêìíïîòóöôùúüûñç·/_,:;";
  $to   = "aaaaeeeeiiiioooouuuunc------";

  for ($i = 0, $l = strlen($from); $i<$l ; $i++) {
    $str = str.replace(new RegExp(from.charAt(i), 'g'), to.charAt(i));
  }

  $str = preg_replace('/[^a-z0-9 -]/g', '', $str)
  $str = preg_replace('/\s+/g', '_', $str)

  $str = preg_replace('/-+/g', '-', $str); 
  return $str;
}

我有这个for循环的问题:

for ($i = 0, $l = strlen($from); $i<$l ; $i++) {

  // This string
  $str = str.replace(new RegExp(from.charAt(i), 'g'), to.charAt(i));
}

我不知道如何将其转换为 PHP,有人可以尝试转换它吗?

解决方案: 添加strtr_unicode函数并使用此脚本:

function slugGenerator($str) {

    $str = preg_replace('/^\s+|\s+$/', '', $str);
    $str = strtolower($str);

    $from = "àáäâèéëêìíïîòóöôùúüûñç·/_,:;";
    $to   = "aaaaeeeeiiiioooouuuunc------";
    $str = strtr_unicode($str, $from, $to);

    $str = preg_replace(
      array("~[^a-z0-9 -]~i", "~\s+~", "~-+~"),
      array("", "_", "-"),
      $str
    );

    return $str;
}
4

4 回答 4

2

两者都strtrstr_split您不起作用,因为您的代码包含 unicode 字符。如果您喜欢使用,这里有一些有用的东西。

str_split_unicodehttps
strtr_unicode : //github.com/qeremy/unicode-tools.php/blob/master/unicode-tools.php#L145:https: //github.com/qeremy/unicode-tools.php/blob/master/unicode -tools.php#L223

测试:

echo strtr_unicode("Hëëëy, hôw ärê yôü!", $from, $to);
// outs: Heeey- how are you!

之后,您可以将数组用作preg_replace;的参数。

$from = "àáäâèéëêìíïîòóöôùúüûñç·/_,:;";
$to   = "aaaaeeeeiiiioooouuuunc------";
$str = strtr_unicode("Hëëëy, hôw ärê yôü!", $from, $to);
echo $str ."\n";
// according to this line: 
// str = str.replace(/[^a-z0-9 -]/g, '').replace(/\s+/g, '_').replace(/-+/g, '-');
$str = preg_replace(
    array("~[^a-z0-9 -]~i", "~\s+~", "~-+~"),
    array("-", "_", "-"),
    $str
);
echo $str;

出局;

嘿嘿-你好吗!
嘿嘿-_how_are_you-
于 2013-02-16T18:25:00.303 回答
0

这段代码应该可以工作:

$str = preg_replace('/'.$from[$i].'/', $to[$i], $str);
于 2013-02-16T18:06:09.593 回答
0

PHP 函数 str_replace 可以接受数组参数。因此,如果您将$fromand转换$to为数组,您将能够使用:

$str = str_replace($from, $to, $str);

将所有出现的 替换为内部$from的相应项目,而不是 for 循环。$to$str

要快速转换$from并转换$to为数组,您可以使用str_split

$from = str_split($from); // meaning your original string from the question
// same for $to
于 2013-02-16T18:11:52.793 回答
0

删除for循环。 strtr基本上是为你想要做的事情而设计的:

$str = strtr($str, $from, $to);
于 2013-02-16T18:28:43.153 回答