我有数组返回
$header_html = array(1=>array('width'=>40,
'sort_case'=>23,
'title'=>'AxA'),
2=>array('width'=>50,
'sort_case'=>7,
'title'=>'B2B'),
3=>array('width'=>100,
'sort_case'=>12,
'title'=>'C12')
);
我想获得依赖于$ header_array = array('AxA','B2B','C12')的新数组
例如:
if have $header_array=array('C12','B2B','AxA').
新的$ header_html将是:
$header_html = array(
1=>array('width'=>100,
'sort_case'=>12,
'title'=>'C12'),
2=>array('width'=>50,
'sort_case'=>7,
'title'=>'B2B'),
3=>array('width'=>40,
'sort_case'=>23,
'title'=>'AxA')
);
依旧......
有人知道怎么做吗?
答案 0 :(得分:2)
您可以使用usort自定义比较函数对数组进行排序:
function cmp($a, $b) {
// Sort via $a['title'] and $b['title']
}
usort($header_html, 'cmp');
诀窍是提出了一个能够做你想要的比较功能。要简单地按标题排序,您可以使用:
function cmp($a, $b) {
if ($a['title'] == $b['title'])
return 0;
// usually return -1 if $a < $b, but we're sorting backwards
return ($a['title'] < $b['title'] ? 1 : -1;
}
答案 1 :(得分:2)
在PHP 5.3中,您可以使用仿函数和用户轻松完成此操作。
class MyComparator {
protected $order = array();
public function __construct() {
$values = func_get_args();
$i = 0;
foreach($values as $v) {
$this->order[$v] = $i;
$i++;
}
}
public function __invoke($a, $b) {
$vala = isset($this->order[$a['title']]) ?
$this->order[$a['title']] : count($this->order);
$valb = isset($this->order[$b['title']]) ?
$this->order[$b['title']] : count($this->order);
if($vala == $valb) return 0;
return $vala < $valb ? -1 : 1;
}
}
你可以这样使用它:
$sorter = new MyComparator('CCC', 'AAA', 'BBB');
usort($header_html, $sorter);
答案 2 :(得分:2)
您需要一个用户定义的排序,以便您可以访问要排序的元素的各个字段:
function mysort($a, $b)
{
global $header_array;
$pos1 = array_search($a["title"], $header_array);
$pos2 = array_search($b["title"], $header_array);
if ($pos1 == $pos2) { return 0; }
return $pos1 < $pos2 ? -1 : 1;
}
$header_array = array("CCC", "BBB", "AAA");
usort($header_html, "mysort");
print_r($header_array);
注意: usort()
成功时返回true,失败时返回false;它不会返回使用的阵列。
答案 3 :(得分:1)
听起来你想要一个函数按照你在$header_array
中指定的顺序返回数组元素。如果是这样,这是一个刺:
function header_resort($header_array, $header_html) {
foreach($header_array as $i => $val) {
foreach($header_html as $obj) {
if( $obj->title == $val )
$header_html_new[$i] = $obj;
}
}
return $header_html_new;
}