I have a database with authors and books, m:n authors (a_id, ...) authors_books (a_id, b_id) books (b_id, ...)
My problem is, that I can't use the constructors to fetch the author/book-data into an array, because I would get an infinite loop.
class Book
{
public $name;
public $authors;
public function __construct($name)
{
$this->name=$name;
$this->authors=$this->Get_Authors();
}
public function Get_Authors()
{
$authors=array();
/* ... (database) */
$authors[]=new Author($name_from_db);
return $authors;
}
}
class Author
{
public $name;
public $books;
public function __construct($name)
{
$this->name=$name;
$this->books=$this->Get_Books();
}
public function Get_Books()
{
$books=array();
/* ... (database) */
$books[]=new Book($name_from_db);
return $books;
}
}
Example:
new Book('book_1');
-> is going to fetch 'author_1' and uses __constructor of Author class
new Author('author_1');
-> is going to fetch 'book_1 and uses __constructor of Book class ...
What is the "best practice" to resolve a m:n relation in PHP classes?
You can use lazy loading here:
This will cause that authors/books will be loaded only if you'll need it and won't loop infinitely, but you can reach another problem here:
Solution for that would be to use some third object for loading books and authors, that will store already loaded objects and inject them in proper places