I'm trying to get a specific SQL JOIN (MySQL) and I'm not quite sure how to get that going in Lithium.
I have 3 models:
<?php
class Members extends \lithium\data\Model {
public $hasMany = [
'Friendships' => [
'constraints' => [
'or' => [
['Friendships.member_id' => 'Members.id'],
// I had to quote `Friends.id` this way because there is no direct relationship
// with Members. Got this from the unit tests.
['Friendships.friend_id' => "'Friends.id'"]
]
]
]
];
/**
* Returns all the Friends of the currently logged in member using the Friendships relation.
*/
public static function friends() {
// @assumption Current Members.id = 6
return static::find(6, [
'with' => ['Friendships.Friends']
]);
}
}
?>
<?php
/**
* The relevant fields to this question that this model has are:
* - id
* - member_id
* - friend_id
*/
class Friendships extends \lithium\data\Model {
public $belongsTo = ['Members', 'Friends'];
}
?>
<?php
class Friends extends \lithium\data\Model {
public $hasMany = ['Friendships'];
}
?>
This generates two queries when I execute Members::friends()
:
SELECT DISTINCT(`Members`.`id`) AS _ID_
FROM `users` AS `Members`
LEFT JOIN `friendships` AS `Friendships`
ON (
(`Friendships`.`member_id` = `Members`.`id`)
OR
(`Friendships`.`friend_id` = 'Friends.id')
)
AND `Members`.`id` = `Friendships`.`member_id`
LEFT JOIN `users` AS `Friends`
ON `Friendships`.`friend_id` = `Friends`.`id`
WHERE `Members`.`id` = '6'
LIMIT 1
SELECT *
FROM `users` AS `Members`
LEFT JOIN `friendships` AS `Friendships`
ON (
(`Friendships`.`member_id` = `Members`.`id`)
OR
(`Friendships`.`friend_id` = 'Friends.id')
)
AND `Members`.`id` = `Friendships`.`member_id`
LEFT JOIN `users` AS `Friends`
ON `Friendships`.`friend_id` = `Friends`.`id`
WHERE `Members`.`id` IN ('6')
Not sure why this is happening. Any idea how I can stick this into one queries and get records from Friendships
(via the Members relationship) where either Friendships.friend_id
or Friendships.member_id
is 6
?