如何将元素添加到功能PHP中的数组中



如果数组中不存在元素,则如何从函数内部添加元素?

我的主要代码将多次调用功能。但是每次都会在函数内部创建不同的元素

我的示例当前代码是

$all=[];
t(); // 1st call
t(); //2nd call
function t(){
$d='2,3,3,4,4,4';  //this is a sample.but element will different for each function calling
$d=explode(',',$d);
foreach($d as $e){
if(!in_array($e,$all)){
  array_push($all, $e);
       }
     }
}
 print_r($all);

输出为空,

Array()

但是我需要这样的

Array
(
    [0] => 2
    [1] => 3
    [2] => 4
)

谢谢

如果您查看php http://php.net/manual/manual/en/language.variables.scope.scope.php中的变量范围您会看到功能无法访问外部范围。

因此,您需要通过参考来通过数组:

function t(&$myarray)

在功能的内部创建一个数组,然后返回一个

function t(){
  $all = [];
  $d='2,3,3,4,4,4';
  $d=explode(',',$d);
  foreach($d as $e){
    if(!in_array($e,$all)){
       array_push($all, $e);
    }
  }
return $all;
}

,或者如果要继续添加到数组中,则可以执行

function t($all){
  $d='2,3,3,4,4,4';
  $d=explode(',',$d);
  foreach($d as $e){
    if(!in_array($e,$all)){
       array_push($all, $e);
    }
  }
return $all;
}

然后用$all = t($all);

调用该功能

您的代码将显示错误,因为$ able不在功能范围内,您需要传递该值才能具有任何效果...

<?php
error_reporting(E_ALL);
ini_set('display_errors', 1);
$all=[];
t($all); // 1st call
t($all); //2nd call
function t( &$data){
    $d='2,3,3,4,4,4';  //this is a sample.but element will different for each function calling
    $d=explode(',',$d);
    foreach($d as $e){
        if(!in_array($e,$data)){
            array_push($data, $e);
        }
    }
}
print_r($all);

结果

Array
(
    [0] => 2
    [1] => 3
    [2] => 4
)

您可以使用全局,但这通常是不建议的。

添加了Alexy关于使用'array_unique($ d('的响应,我建议它消除了对循环的需求。您可以将过滤的数组传递到array_values($ d(以索引您的元素,如您要实现的结果所示。仅供参考:array_unique将保留原始键:http://php.net/manual/en/en/function.array-unique.php

您的情况将需要删除重复项几次,以便为此提供单独的功能:

$all = [];
function t(){
   global $all;//Tell PHP that we are referencing the global $all variable
   $d='2,3,3,4,4,4';  
   $d=explode(',',$d);
   $d=rmvDuplicates($d);
   $all = array_merge($all,$d);//Combine the new array with what we already had
   $all = rmvDuplicates($all);
}
function rmvDuplicates(array){
   $array=array_unique($d);
   $array=array_values($d);
   return $array;
}

相关内容

  • 没有找到相关文章

最新更新