Using usort in php with a class private function

ok using usort with a function is not so complicated

This is what i had before in my linear code

function merchantSort($a,$b){
    return ....// stuff;
}

$array = array('..','..','..');

to sort i simply do

usort($array,"merchantSort");

Now we are upgrading the code and removing all global functions and putting them in their appropriate place. Now all the code is in a class and i can't figure out how to use the usort function to sort the array with the parameter that is an object method instead of a simple function

class ClassName {
   ...

   private function merchantSort($a,$b) {
       return ...// the sort
   }

   public function doSomeWork() {
   ...
       $array = $this->someThingThatReturnAnArray();
       usort($array,'$this->merchantSort'); // ??? this is the part i can't figure out
   ...

   }
}

The question is how do i call an object method inside the usort() function


Solution 1:

Make your sort function static:

private static function merchantSort($a,$b) {
       return ...// the sort
}

And use an array for the second parameter:

$array = $this->someThingThatReturnAnArray();
usort($array, array('ClassName','merchantSort'));

Solution 2:

  1. open the manual page http://www.php.net/usort
  2. see that the type for $value_compare_func is callable
  3. click on the linked keyword to reach http://php.net/manual/en/language.types.callable.php
  4. see that the syntax is array($this, 'merchantSort')

Solution 3:

You need to pass $this e.g.: usort( $myArray, array( $this, 'mySort' ) );

Full example:

class SimpleClass
{                       
    function getArray( $a ) {       
        usort( $a, array( $this, 'nameSort' ) ); // pass $this for scope
        return $a;
    }                 

    private function nameSort( $a, $b )
    {
        return strcmp( $a, $b );
    }              

}

$a = ['c','a','b']; 
$sc = new SimpleClass();
print_r( $sc->getArray( $a ) );