PHP在多维数组中合并类似对象

I have a multidimensional array in PHP, something that looks like:

array(array(Category => Video,
            Value => 10.99),
      array(Category => Video,
            Value => 12.99),
      array(Category => Music,
            Value => 9.99)
)

and what I would like to do is combine similar categories and output everything into a table, so the output would end up being:

<tr><td>Video</td><td>23.98</td></tr>
<tr><td>Music</td><td>9.99</td></tr>

Any suggestions on how to do this?

EDIT: I can have these in two different arrays if that would be easier.

A simple loop will do:

$array = [your array];
$result = array();
foreach ($array as $a) {
    if (!isset($result[$a['Category']])) {
        $result[$a['Category']] = $a['Value'];
    } else {
        $result[$a['Category']] += $a['Value'];
    }
}
foreach ($result as $k => $v) {
    echo '<tr><td>' . htmlspecialchars($k) . '</td><td>' . $v . '</td></tr>';
}
$result = array();
foreach ($array as $value) {
  if (isset($result[$value['Category']])) {
    $result[$value['Category']] += $value['Value'];
  } else {
    $result[$value['Category']] = $value['Value'];
  }
}
foreach ($result as $category => $value)  {
  print "<tr><td>$category</td><td>$value</td></tr>";
}