Il y a plusieurs façons d'aborder cela, celle-ci en est une. Supposons que vous ayez un schéma de base de données similaire à celui-ci :
Vous pouvez maintenant confier à AlbumMapper et ArtistMapper la responsabilité de récupérer ces objets à partir de la base de données :
interface AlbumMapper {
/**
* Fetches the albums from the db based on criteria
* @param type $albumCriteria
* @param ArtistMapper $artistMapper
*
* Note: the ArtistMapper here can be also made optional depends on your app
*/
public function fetchBySomeCriteria($albumCriteria, ArtistMapper $artistMapper);
}
interface ArtistMapper {
/**
* @param array $ids
* @return Artist[]
*/
public function fetchByAlbumIds(array $ids);
}
J'ai mis que AlbumMapper nécessite ArtistMapper donc avec ce mappeur les albums sont toujours retournés avec leurs artistes. Maintenant, un exemple d'implémentation peut être comme celui-ci où j'utilise une petite astuce d'indexation pour attacher l'artiste aux albums :
class ConcreteAlbumMapper implements AlbumMapper {
public function fetchBySomeCriteria($albumCriteria, ArtistMapper $artistMapper) {
//sql for fetching rows from album table based on album criteria
$albums = array();
foreach ($albumRows as $albumRow) {
$albums[$albumRow['id']] = new Album($albumRow);
}
$artists = $artistMapper->fetchByAlbumIds(array_keys($albums));
//marrying album and artists
foreach ($artists as $artist) {
/**
* not crazy about the getAlbumId() part, would be better to say
* $artist->attachYourselfToAnAlbumFromThisIndexedCollection($albums);
* but going with this for simplicity
*/
$albums[$artist->getAlbumId()]->addArtist($artist);
}
return $albums;
}
}
Dans ce cas, votre album ressemblera à :
class Album {
private $id;
private $title;
private $artists = array();
public function __construct($data) {
//initialize fields
}
public function addArtist(Artist $artist) {
$this->artists[] = $artist;
}
}
À la fin de tout cela, vous devriez avoir une collection d'objets Album initialisés avec leurs artistes.