Iterate Doctrine Collection ordered by some field

后端 未结 4 1388
没有蜡笔的小新
没有蜡笔的小新 2021-02-19 16:34

I need something like this:

        $products = Products::getTable()->find(274);
        foreach ($products->Categories->orderBy(\'title\') as $category         


        
相关标签:
4条回答
  • 2021-02-19 16:52

    You could use collection iterator:

    $collection = Table::getInstance()->findAll();
    
    $iter = $collection->getIterator();
    $iter->uasort(function($a, $b) {
      $name_a = (int)$a->getName();
      $name_b = (int)$b->getName();
    
      return $name_a == $name_b ? 0 : $name_a > $name_b ? 1 : - 1;
    });        
    
    foreach ($iter as $element) {
      // ... Now you could iterate sorted collection
    }
    

    If you want to sort collection using __toString method, it will be much easier:

    foreach ($collection->getIterator()->asort() as $element) { /* ... */ }
    
    0 讨论(0)
  • 2021-02-19 17:01

    I was just looking at the same problem. You need to convert the Doctrine_Collection into an array:

    $someDbObject = Doctrine_Query::create()...;
    $children = $someDbObject->Children;
    $children = $children->getData(); // convert from Doctrine_Collection to array
    

    Then you can create a custom sort function and call it:

    // sort children
    usort($children, array(__CLASS__, 'compareChildren')); // fixed __CLASS__
    

    Where compareChildren looks something like:

    private static function compareChildren($a, $b) {
       // in this case "label" is the name of the database column
       return strcmp($a->label, $b->label);
    }
    
    0 讨论(0)
  • 2021-02-19 17:09

    You might add a sort function to Colletion.php :

    public function sortBy( $sortFunction )
    {
        usort($this->data, $sortFunction);
    }  
    

    Sorting a Doctrine_Collection of users by their age would look like this:

    class ExampleClass
    {
    
        public static function sortByAge( $a , $b )
        {
             $age_a = $a->age;
             $age_b = $b->age;
    
             return $age_a == $age_b ? 0 : $age_a > $age_b ? 1 : - 1;
        }    
    
        public function sortExample()
        {
             $users = User::getTable()->findAll();
             $users ->sortBy('ExampleClass::sortByAge');
    
             echo "Oldest User:";
             var_dump ( $users->end() );
        }
    
    }
    
    0 讨论(0)
  • 2021-02-19 17:11

    You can also do:

    $this->hasMany('Category as Categories', array(...
                 'orderBy' => 'title ASC'));
    

    In your schema file it looks like:

      Relations:
        Categories:
          class: Category
          ....
          orderBy: title ASC
    
    0 讨论(0)
提交回复
热议问题