PHP for和循环数组

时间:2018-10-30 18:33:39

标签: php algorithm structure core

我只想从一个元音多于和少于3个的数组中获取单词列表,但是单独使用for循环怎么做呢?

$name   = array('jake', 'rita', 'ali', 'addert', 'siryteee', 'skeueei', 'wsewwauie', 'aaaaweefio');

    $vowels = array('a', 'e', 'i', 'o', 'u');

    $massiv = [ ];

    $vowel  = [ ];

    for ($i = 0; $i < count($name); $i++) {

        $massiv[ ] = $name[$i];

        for ($j = 0; $j < count($vowels); $j++) {

            $vowel[ ] = $vowels[$j];
        }
    }

1 个答案:

答案 0 :(得分:0)

使用Preg Grep:

$name = array('jake', 'rita', 'ali', 'addert', 'siryteee', 'skeueei', 'wsewwauie', 'aaaaweefio');
$vowels = array('a', 'e', 'i', 'o', 'u');

$pattern = '/('.implode('|',$vowels).'){3}/i';

print_r(preg_grep($pattern, $name));

输出

Array
(
    [4] => siryteee
    [5] => skeueei
    [6] => wsewwauie
    [7] => aaaaweefio
)

Sandbox

正则表达式向前走了

/(a|e|i|o|u){3}/i

使用以下a|e|i|o|u的任何组合中的至少3种来匹配任何内容。 (..)是一个捕获组,|是or,{3}被匹配3次。您可以使用{3,} 3个或更多,但是在这种情况下并不重要,因为一旦拥有3个,您就可以看得到。 \i标志使其不区分大小写。

只要每个数组项都是一个单词,这应该可以正常工作,如果您有多个单词,则匹配起来会困难得多。

仅适用于循环

在这里,我会帮你的忙

$name = array('jake', 'rita', 'ali', 'addert', 'siryteee', 'skeueei', 'wsewwauie', 'aaaaweefio');
$vowels = array('a', 'e', 'i', 'o', 'u');

$matches = [];

for ($i = 0; $i < count($name); $i++) {
    $total = 0;
    for ($j = 0; $j < count($vowels); $j++) {
        $total += substr_count($name[$i], $vowels[$j]);
        if($total > 2){
            $matches[] = $name[$i];
            break; //exit inner loop
        }
    }
 }

 print_r($matches);

Sandbox

主要是

  

int substr_count (字符串 $ haystack ,字符串 $ needle [,int $ offset = 0 [, int $ length ]])

     

substr_count()返回在干草堆字符串中出现针状子字符串的次数。请注意,针头区分大小写。

http://php.net/manual/en/function.substr-count.php

与第一个输出相同。但是,关于Preg Grep的好处(除了不区分大小写)是它保留了数组键,您可以通过在添加匹配项时在其中添加$i索引来在for每个循环中复制它:

$matches[$i] = $name[$i];

这会使匹配项与原始数组保持关联,这在某些情况下可能有用。

如果您希望不区分大小写,那么只需将单词小写即可。在某些情况下,这是行不通的,但是对于大多数英语单词来说应该没问题。

  $name=strtolower($names[$i]); 
  //change $name to $names as it makes more sense
  //when adding to the match array use $names[$i]
  //that way we add the unmodified version to our matches

从性能的角度来看,我还要提到,通常最好在for循环(条件)之外进行计数。

$name_len = count($name);
for ($i = 0; $i <  $name_len; $i++)
//another way to do it is like this
for($i=0,$n=count($name);$i<$n;$i++)

摘要

所以把所有东西都聚在一起

$names = array('jake', 'rita', 'ali', 'addert', 'siryteee', 'skeueei', 'wsewwauie', 'aaaaweefio');
$vowels = array('a', 'e', 'i', 'o', 'u');

$matches = [];
for ($i=0,$n=count($names);$i<$n;$i++) {
    $total=0;
    $name=strtolower($names[$i]);
    for ($j=0,$v=count($vowels);$j<$v;$j++) {
        //count lowercased version
        $total += substr_count($name, $vowels[$j]); 
        if($total > 2){
            $matches[$i] = $names[$i]; //use original in match
            break; //exit inner loop
        }
    }
}
print_r($matches);

您将获得大约12行代码,相当于一次preg_grep调用。

最后一件事情

您拥有的代码只是将单词和元音转移到另一个数组。除非您要多words*vowels个元音。因为对于外层for循环的每个循环(绑定到单词),您将对所有元音进行完整循环。

无论如何都喜欢!