我试图将这个php函数转换为javascript:
function sanitize_words($string,$limit=false) {
preg_match_all("/\p{L}[\p{L}\p{Mn}\p{Pd}'\x{2019}]{1,}/u",$string,$matches,PREG_PATTERN_ORDER);
return $matches[0];
}
基本上,它需要这个字符串:
$string = "Why hello, how are you?"
$array = sanitize_words($string);
并将其转换为数组:
$array[0] = 'Why';
$array[1] = 'hello';
$array[2] = 'how';
$array[3] = 'are';
$array[4] = 'you';
它在php上工作得很好,但我不知道如何在javascript上实现它,因为phpjs.org中没有preg_match_all。有任何想法吗?感谢。
答案 0 :(得分:1)
JavaScript split()
函数将使用分隔符从任何字符串生成数组。在这种情况下,空间。
var str = "Why hello, how are you?".split(" ")
alert(str[0]) // = "Why"
答案 1 :(得分:1)
你不需要正则表达式,拆分将在javascript中完成。
<script type="text/javascript">
var myString = "zero one two three four";
var mySplitResult = myString.split(" ");
for(i = 0; i < mySplitResult.length; i++){
document.write("<br /> Element " + i + " = " + mySplitResult[i]);
}
</script>
显示器:
Element 0 = zero
Element 1 = one
Element 2 = two
Element 3 = three
Element 4 = four
作为旁注,在你的PHP脚本中,如果你想要做的就是创建一个单词数组,你应该使用explode()
它的开销更少:
<?php
$pizza = "piece1 piece2 piece3 piece4 piece5 piece6";
// to remove non alpha-numeric chars, and still less costly
$pizza = preg_replace('/[^a-zA-Z0-9\s]/', '', $pizza);
$pieces = explode(" ", $pizza);
echo $pieces[0]; // piece1
echo $pieces[1]; // piece2
?>
答案 2 :(得分:1)
使用String.match
方法,在RegEx上设置g
(全局)标志。 \w
相当于[a-zA-Z0-9_]
。如果确实想要模仿当前模式,请使用this page作为参考,以JavaScript模式转换字符属性。
function sanitize_words($string) {
return $string.match(/\w+/g);
}