-1
$list = array(
               [0]=> array(
                            [name]=>'James' 
                            [group]=>''
                          )
               [1]=> array(
                            [name]=>'Bobby' 
                            [group]=>''
                          )
             )

我正在寻找更新名称为“Bobby”的项目“组”。我正在寻找以下两种格式的解决方案。预先感谢您的回复。干杯。马克。

array_push($list, ???)

$list[] ??? = someting
4

3 回答 3

1

据我所知,没有办法用给定的语法之一更新你的数组。

我能做的唯一类似的事情是使用 array_walk 循环数组 ... http://www.php.net/manual/en/function.array-walk.php

例子:

array_walk($list, function($val, $key) use(&$list){
    if ($val['name'] == 'Bobby') {
        // If you'd use $val['group'] here you'd just editing a copy :)
        $list[$key]['group'] = "someting";
    }
});

编辑:示例是使用匿名函数,这只能从 PHP 5.3 开始。文档还提供了使用旧 PHP 版本的方法。

于 2012-04-16T11:28:20.520 回答
1

此代码可以帮助您:

$listSize = count($list);

for( $i = 0; $i < $listSize; ++$i ) {
    if( $list[$i]['name'] == 'Bobby' ) {
        $list[$i]['group'] = 'Hai';
    }
}

array_push()与更新值无关,它只是将另一个值添加到数组中。

于 2012-04-16T11:38:24.593 回答
0

您不可能有适合这两种格式的解决方案。隐式数组推送$var[]是一种语法结构,你不能发明新的 - 当然不是在 PHP 中,也不是大多数(所有?)其他语言。

除此之外,您所做的不是将项目推到阵列上。一方面,推送项目意味着一个索引数组(你的是关联的),另一方面,推送意味着向数组添加一个键(你要更新的键已经存在)。

您可以编写一个函数来执行此操作,如下所示:

function array_update(&$array, $newData, $where = array(), $strict = FALSE) {
  // Check input vars are arrays
  if (!is_array($array) || !is_array($newData) || !is_array($where)) return FALSE;
  $updated = 0;
  foreach ($array as &$item) { // Loop main array
    foreach ($where as $key => $val) { // Loop condition array and compare with current item
      if (!isset($item[$key]) || (!$strict && $item[$key] != $val) || ($strict && $item[$key] !== $val)) {
        continue 2; // if item is not a match, skip to the next one
      }
    }
    // If we get this far, item should be updated
    $item = array_merge($item, $newData);
    $updated++;
  }
  return $updated;
}

// Usage
$newData = array(
  'group' => '???'
);
$where = array(
  'name' => 'Bobby'
);

array_update($list, $newData, $where);

// Input $array and $newData array are required, $where array can be omitted to
// update all items in $array. Supply TRUE to the forth argument to force strict
// typed comparisons when looking for item(s) to update. Multiple keys can be
// supplied in $where to match more than one condition.

// Returns the number of items in the input array that were modified, or FALSE on error.
于 2012-04-16T11:34:09.613 回答