1

这是我的代码。

        if(in_array("1", $mod)){ 
        $res=array('First Name','Insertion','Last Name','Lead Country');}

       if(in_array("2", $mod)){ 
        $res=array('Landline No:','Mobile No:','Lead Country');}

        if(in_array("3", $mod)){ 
        $res=array('City','State','Country','Lead Country');}

        if(in_array("4", $mod)){ 
        $res=array('Email','Lead Country');}

        return $res;

到目前为止,它工作正常。但是如果数组包含多个值,比如 (1,3),我需要返回 1 和 3 的结果。

eg:如果数组是这样的

    array([0]=>1 [1]=>3)

然后

    $res=array('First Name','Insertion','Last Name','City','State','Country','Lead Country') 

但如果有 2 个主要国家/地区只应显示一个,该怎么做?请帮助我。

4

3 回答 3

1

使用array_merge

$res = array();
if(in_array("1", $mod)){
    $res=array_merge($res, array('First Name','Insertion','Last Name','Lead Country'));
}

// and so on ...

return $res;
于 2012-10-22T10:41:12.910 回答
1

使用 array_merge 构建结果...

    $res = array();

    if(in_array("1", $mod)) { 
        $res = array_merge($res, array('First Name','Insertion','Last Name','Lead Country'));
    }

    // etc
于 2012-10-22T10:42:36.390 回答
1

这是一个使用函数添加元素的示例,前提是它们尚不存在:

    function addItems($items, $arr)
    {
        foreach($items as $value)
        {
            if(!in_array($value, $arr))
            {
                $arr[] = $value;
            }
        }

        return $arr;
    }

    $res = array();

    if(in_array("1", $mod)){ 
    $res = addItems(array('First Name','Insertion','Last Name','Lead Country'), $res);}

    if(in_array("2", $mod)){ 
    $res = addItems(array('Landline No:','Mobile No:','Lead Country'), $res);}

    if(in_array("3", $mod)){ 
    $res = addItems(array('City','State','Country','Lead Country'), $res);}

    if(in_array("4", $mod)){ 
    $res = addItems(array('Email','Lead Country'), $res);}

    return $res;

这是另一种方法,它更 OOP 并且可能更合乎逻辑,因为它不会一直将整个数组来回传递,而是使用一个保存数组的对象,并有一个添加方法,并得到最终结果:

    class ItemsManager
    {
        protected $items = array();

        public function addItems($items)
        {
            foreach($items as $value)
            {
                if(!in_array($value, $this->items))
                {
                    $this->items[] = $value;
                }
            }
        }

        public function getItems()
        {
            return $this->items;
        }
    }

    $im = new ItemsManager();

    if(in_array("1", $mod)){ 
    $im->addItems(array('First Name','Insertion','Last Name','Lead Country'));}

    if(in_array("2", $mod)){ 
    $im->addItems(array('Landline No:','Mobile No:','Lead Country'));}

    if(in_array("3", $mod)){ 
    $im->addItems(array('City','State','Country','Lead Country'));}

    if(in_array("4", $mod)){ 
    $im->addItems(array('Email','Lead Country'));}

    return $im->getItems();
于 2012-10-22T10:52:16.423 回答