I need something like this:
$products = Products::getTable()->find(274);
foreach ($products->Categories->orderBy('title') as $category)
{
echo "{$category->title}<br />";
}
I know is it not possible, but... How can I do something like this without creating a Doctrine_Query?
Thanks.
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);
}
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
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) { /* ... */ }
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() );
}
}