如何按字母顺序对数组内的每个元素进行排序[复制]

This question already has an answer here:

For example we have the following words: hey, hello, wrong

$unsorted = array("eyh", "lhleo", "nrwgo");

I know that I could use asort to sort the array alphabetically, but I don't want that. I wish to take the elements of the array and sort those, so that it would become something like this:

$sorted = array("ehy", "ehllo", "gnorw"); // each word in the array sorted

hey sorted = ehy

hello sorted = ehllo

wrong sorted = gnorw

As far as I know, the function sort will only work for arrays, so if you attempt to sort a word using sort, it will produce an error. If I had to assume, I will probably need to use a foreach along with strlen and a for statement or something similar, but I am not sure.

Thanks in advance!

</div>
$myArray = array("eyh", "lhleo", "nrwgo");
array_walk(
     $myArray,
     function (&$value) {
         $value = str_split($value);
         sort($value);
         $value = implode($value);
     }
);
print_r($myArray);
function sort_each($arr) {
    foreach ($arr as &$string) {
        $stringParts = str_split($string);
        sort($stringParts);
        $string = implode('', $stringParts);
    }
    return $arr;
}

$unsorted = array("eyh", "lhleo", "nrwgo");
$sorted = sort_each($unsorted);
print_r($sorted); // returns Array ( [0] => ehy [1] => ehllo [2] => gnorw )

Try this

$unsorted = array("eyh", "lhleo", "nrwgo");
$sorted = array();
foreach ($unsorted as $value) {
$stringParts = str_split($value);
sort($stringParts);
$sortedString =  implode('', $stringParts);
array_push($sorted, $sortedString);
}
print_r($sorted);