What is the best approach to sorting an array by one attribute and then by another attribute in PHP?

When sorting an array by one attribute and then by another attribute in PHP, you can use the `usort()` function along with a custom comparison function. This custom function should compare the two elements based on the first attribute first, and if they are equal, then compare based on the second attribute.

// Sample array of objects with attributes 'attribute1' and 'attribute2'
$data = [
    ['attribute1' => 3, 'attribute2' => 1],
    ['attribute1' => 2, 'attribute2' => 4],
    ['attribute1' => 3, 'attribute2' => 2],
    ['attribute1' => 1, 'attribute2' => 3],
];

// Custom comparison function for usort
usort($data, function($a, $b) {
    if ($a['attribute1'] == $b['attribute1']) {
        return $a['attribute2'] - $b['attribute2'];
    }
    return $a['attribute1'] - $b['attribute1'];
});

// Print sorted array
print_r($data);