Taking your question as it stands (sort an array of paths based on a specific path-fragment), I thought of a function that would allow you to specify the fragment you want the paths to be sorted on.
As the paths in the example only differ in their last part, the above is not very interesting when applied on that example. So I will use a slightly different list:
$paths = [
'/home/user/public_html/things/sub/1',
'/home/user/public_html/things/3',
'/home/admin/public_html/things/2'
];
function build_sorter($part) {
return function ($a, $b) use ($part) {
return strnatcmp(
implode("/", array_slice(explode("/", $a), $part)),
implode("/", array_slice(explode("/", $b), $part))
);
};
}
usort($paths, build_sorter(2));
print_r ($paths);
The output generated has put the "admin" folder first:
Array (
[0] => /home/admin/public_html/things/2
[1] => /home/user/public_html/things/3
[2] => /home/user/public_html/things/sub/1
)
Sorting by the last part would go like this:
usort($paths, build_sorter(-1));
print_r ($paths);
Output:
Array (
[0] => /home/user/public_html/things/sub/1
[1] => /home/admin/public_html/things/2
[2] => /home/user/public_html/things/3
)
So the argument you pass to builder_sort
is the offset (positive from left, negative from right) of the part of the paths you want to base your sort on.