October 20th, 2020

OO PHP Part 2: Boring OO Principles




Introduction

How about that catchy title eh? If you are reading this, you must be REALLY dedicated to learning about Object Orientated applications!

This article will try to explain some OO principles to you, as well as some ‘good practice’.

Know what to expect: there will be no funny pictures, no diagrams. There will be some code, but that won’t be very exciting either. This is all pretty dry stuff. Regardless, it is important. This tutorial will include some of the things intentionally left out of part 1, as mentioned in section 1.2 of that tutorial.

Still feel like it? Come on then, time to get your foundations in place!

Index

1 Core OO(P) Principles
1.1 Inheritance
1.2 Polymorphism
1.3 Encapsulation
2 Coupling, Cohesion and Some Related Principles
2.1 A practical example
2.2 Single Responsibility Principle (SRP)
2.3 Don’t Repeat Yourself (DRY)
2.4 Open-Closed Principle (OCP)
3 Defensive Programming
4 Heuristics
4.1 Avoid global data
4.2 All properties should be private
5 In conclusion

1 Core OO(P) Principles

1.1 Inheritance

Remember these classes from part 1?


  1. class Animal
  2. {
  3. public $hungry = ‘hell yeah.’;
  4. function eat($food)
  5. {
  6. $this->hungry = ‘not so much.’;
  7. }
  8. }
  9. class Dog extends Animal
  10. {
  11. function eat($food)
  12. {
  13. if($food == ‘cookie’)
  14. {
  15. $this->hungry = ‘not so much.’;
  16. }
  17. else
  18. {
  19. echo ‘barf, I only like cookies!’;
  20. }
  21. }
  22. }

I used them to explain the concept of inheritance to you. Class Dog inherits Animal’s properties and methods when an object is instantiated, if it doesn’t re-declare them itself.

Animal could be the base class for other animal classes, like Bird and Cat. Subclasses like these would have a common interface defined by Animal. Confused? Sharing an interface simply means other components of your application can interact with the classes in a similar way. This interaction is defined by the calling routines (methods and method arguments – the name, arguments and return value of a method is also referred to as the method signature).

In this ridiculously simply example, eat is the whole of the interface. Any class extending Animal is guaranteed to have a eat method which takes a single argument, because even if they don’t declare it themselves, Animal defines the default behaviour.

1.2 Polymorphism

Let’s take a look at a possible Bird…


  1. class Bird extends Animal
  2. {
  3. function eat($food)
  4. {
  5. if($food == ’seed’)
  6. {
  7. $this->hungry = ‘not so much.’;
  8. }
  9. else
  10. {
  11. echo ‘barf, I only like seed!’;
  12. }
  13. }
  14. }

As you can see, Bird isn’t all that different from Dog. They both eat food. However, because they are not the same type of Animal, they behave differently in response to the $food they are being fed. This is referred to as having their own implementations of the interface provided by Animal, or simply: implementations of Animal.

This is at the core of the principle of polymorphism: Different types of objects can be handled in the same way, even though their implementations vary.

1.3 Encapsulation

Encapsulation refers to ‘isolating’ meaningful parts of your application from each other. This involves hiding information (both data and the implementation of a specific behaviour), and breaking your application into meaningful parts. Often encapsulation is used as a synonym for Information Hiding. But this is only half of the story. The other half, breaking your application into meaningful parts, will be covered in the next chapter.

For a practical example of Information Hiding, check out the heuristic “All Properties Should be Private” later in this tutorial.

2 Coupling, Cohesion and Some Related Principles

Coupling describes the relationship between different parts of an application, and is an indication of dependency between those parts.

Cohesion is the degree in which different parts form a meaningful unit. ‘Parts’ can refer to pieces of software on any level, from components, to packages, sub packages, classes, methods, or even blocks of code. It’s not really contradictory to coupling. High cohesion can promote loose coupling, because high cohesion usually equals less (or more related) responsibilities for that part.

Parts of an application are coupled when a structural or behavioural change in one, requires a change in other parts of the application. The ‘amount’ of change required represents the level of coupling.

Decoupling simply means to separate a specific implementation from its context, by generalization and/or encapsulation. It is key to achieving reusability of code.

Ok, I assume that at this point you are really bored, confused, or both. So let’s try a practical example.

2.1 A practical example

Imagine some CMS with data access logic scattered throughout the application. A part of it is a User object, which looks sorta like below.


  1. class User
  2. {
  3. private $_db;
  4. private $_password;
  5. public function __construct(mysqli $db, $username)
  6. {
  7. $this->_db = $db;
  8. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  9. $row = $result->fetch_assoc();
  10. $this->_password = $row['password'];
  11. }
  12. public function login($password)
  13. {
  14. if($this->_password === hash(’sha256′, $password))
  15. {
  16. $this->_loggedIn = true;
  17. $this->_update();
  18. return true;
  19. }
  20. else
  21. {
  22. return false;
  23. }
  24. }
  25. private function _update()
  26. {
  27. $this->_db->query(“UPDATE user SET logged_in = $this->_loggedIn”);
  28. }
  29. }

Note that this isn’t a mysqli tutorial and there are better ways to use mysqli. Just to keep things simple, we’ll stick with the query() method.

2.2 Single Responsibility Principle (SRP)

If you haven’t fell asleep you might remember that it is important to strive for high cohesion – form a meaningful unit. The SRP is not much more than a nice handle for that goal.

Each component (e.g. a class) should have a single, obvious responsibility. Unfortunately this is not always as easy as it sounds. The biggest challenges lies in correctly formulating a components’ responsibility.

Look at the example class, and ask yourself: what does it do? The simple (but untrue) answer would be ‘it handles user related stuff’. The right answer is: it handles user related stuff AND maps its data to the database. This is a direct violation of the SRP principle (bring out the handcuffs!). So how do we fix this? We encapsulate the concept that varies (much about that in a later article). Database mapping has nothing to do directly with the concept of a user, so out it goes!

view plaincopy to clipboard
  1. class User
  2. {
  3. private $_name;
  4. private $_password;
  5. private $_loggedIn;
  6. public function __construct($username, $password, $loggedIn = false)
  7. {
  8. $this->_name = $username;
  9. $this->_password = $password;
  10. $this->_loggedIn = $loggedIn;
  11. }
  12. public function login($password)
  13. {
  14. if($this->getPassword() === hash(’sha256′, $password))
  15. {
  16. $this->_loggedIn = true;
  17. return true;
  18. }
  19. else
  20. {
  21. return false;
  22. }
  23. }
  24. public function getUserName()
  25. {
  26. return $this->_name;
  27. }
  28. public function getPassword()
  29. {
  30. return $this->_password;
  31. }
  32. public function isLoggedIn()
  33. {
  34. return $this->_loggedIn;
  35. }
  36. }

Of course we still need to map to database, so we create a Data Mapper (more about that later as well, for now a simplified example).


  1. class UserDataMapper
  2. {
  3. private $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. public function find($username)
  9. {
  10. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  11. $row = $result->fetch_assoc();
  12. return new User($row['username'], $row['password'], $row['logged_in']);
  13. }
  14. public function update(User $user)
  15. {
  16. $this->_db->query(
  17. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  18. );
  19. }
  20. }

The User class is now independent of the SQL and database adapter used. Coupling between User and mysqli is non-existent. The client code is still coupled though:


  1. //Configuration
  2. $mapper = new UserDataMapper(new mysqli());
  3. //Later
  4. $user = $mapper->find(‘448191′);
  5. if(!$user->login(‘foo’))
  6. {
  7. echo ‘Sorry dude, you\’re not 448191..’;
  8. }

But that is where it belongs, in the place where you pick the components you want to use. Sometimes, all this talk of abstraction and reducing responsibilities can get people confused. Because in the bigger picture, you’re not reducing responsibilities, you are simply moving them to different context. Somewhere where you can be comfortable about committing to a specific implementation, without losing flexibility. You can, for example, use a configuration option to decide what database adapter to use.

We have achieved decoupling. Where does the cohesion come in? In this case, simply by striving for decoupling, we have achieved higher cohesion as well! On a class level, the _update() method is gone, and User now forms a more meaningful unit.

If we apply this throughout our badly written app, the different mappers and Domain Objects (that’s what User is – other examples are ShoppingCart, Post, Board, etc..) will form a meaningful unit as well. Achieving loose coupling and high cohesion is that easy.

2.3 Don’t Repeat Yourself (DRY)

A linear script, simply executing top down, may have to do the same or similar thing several times. In the procedural model, you create a function to try and encapsulate these repeated procedures in functions. You have done this before.

In the context of OOP, you are provided with way more opportunities to reduce repeated logic than when you code procedural. Going back to our UserDataMapper, we may want to add more find methods, that’ll find users based on different criteria. Let’s say we just want the all time highest poster. Using the copy and paste approach, we could produce this:


  1. class UserDataMapper
  2. {
  3. private $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. public function find($username)
  9. {
  10. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  11. $row = $result->fetch_assoc();
  12. return new User($row['username'], $row['password'], $row['logged_in']);
  13. }
  14. public function findHighestPoster()
  15. {
  16. $result = $this->_db->query(
  17. “SELECT user_id, username, password, logged_in, COUNT(post_id) AS postcount
  18. FROM user
  19. JOIN posts USING(user_id)
  20. GROUP BY user_id ORDER BY postcount DESC LIMIT 1″
  21. );
  22. $row = $result->fetch_assoc();
  23. return new User($row['username'], $row['password'], $row['logged_in']);
  24. }
  25. public function update(User $user)
  26. {
  27. $this->_db->query(
  28. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  29. );
  30. }
  31. }

But find and findHighestPoster now have very similar implementations. In fact, the only difference is the query used. It also reveals a responsibility of UserDataMapper we overlooked: creating new User objects. How do we fix this? There are two things that violate DRY: Getting an array out of a query and initializing a User object. It would be overkill to move the fetching of a array to a different type, we’ll just abstract it out.

How do we do that? We create an abstract class which all DataMappers will extend. This is where we will put the behaviour that is common to all types of Data Mappers.


  1. abstract class DataMapper
  2. {
  3. protected $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. protected function _fetchSingleRecordAssoc($query)
  9. {
  10. $result = $this->_db->query($query);
  11. return $result->fetch_assoc();
  12. }
  13. }
  14. class UserDataMapper extends DataMapper
  15. {
  16. public function find($username)
  17. {
  18. $row = $this->_fetchSingleRecordAssoc(“SELECT * FROM user WHERE username = $username”);
  19. return new User($row['username'], $row['password'], $row['logged_in']);
  20. }
  21. public function findHigestPoster()
  22. {
  23. $row = $this->_fetchSingleRecordAssoc(
  24. “SELECT user_id, username, password, logged_in, COUNT(post_id) AS postcount
  25. FROM user
  26. JOIN posts USING(user_id)
  27. GROUP BY user_id ORDER BY postcount DESC LIMIT 1″
  28. );
  29. return new User($row['username'], $row['password'], $row['logged_in']);
  30. }
  31. public function update(User $user)
  32. {
  33. $this->_db->query(
  34. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  35. );
  36. }
  37. }

That fixes one problem, one to go. Instantiating a new User makes UserDataMapper coupled to the User class. There’s no way we can really eliminate this, but we can reduce it. We could do that in a variety of ways, but for the sake of brevity, we are simply going to abstract creating a new User. Then at least, we won’t be violating DRY, just the SRP, and I think we can get away with a fine and a month probation.


  1. public function find($username)
  2. {
  3. return $this->userFactory(
  4. $this->_fetchSingleRecordAssoc(“SELECT * FROM user WHERE username = $username”)
  5. );
  6. }
  7. public function userFactory(array $row)
  8. {
  9. return new User($row['username'], $row['password'], $row['logged_in']);
  10. }

2.4 Open-Closed Principle (OCP)

The open closed principle prescribes that components should be “closed for modification” but “open for extension”.

If you go back to the example in chapter 1.1, you’ll see this principle in effect. At some point a component is complete and tested. When you need additional functionality or alternative behaviour, you could go back in and modify the component. But why change something that does exactly what you want it to do?

Instead we declare Animal closed (although we do not have any means to enforce this) for modification. It is still open for extension, and Dog gratefully takes advantage of this by redefining (thus overriding) method eat() to suit its own implementation of how an Animal should behave.

The OCP is very closely related to the core OOP principles of inheritance, encapsulation and polymorphism.

Boring, no? The bottom line: try to make your components extensible. That way you don’t have to hack code that works fine to support new behaviour.

2 Coupling, Cohesion and Some Related Principles

Coupling describes the relationship between different parts of an application, and is an indication of dependency between those parts.

Cohesion is the degree in which different parts form a meaningful unit. ‘Parts’ can refer to pieces of software on any level, from components, to packages, sub packages, classes, methods, or even blocks of code. It’s not really contradictory to coupling. High cohesion can promote loose coupling, because high cohesion usually equals less (or more related) responsibilities for that part.

Parts of an application are coupled when a structural or behavioural change in one, requires a change in other parts of the application. The ‘amount’ of change required represents the level of coupling.

Decoupling simply means to separate a specific implementation from its context, by generalization and/or encapsulation. It is key to achieving reusability of code.

Ok, I assume that at this point you are really bored, confused, or both. So let’s try a practical example.

2.1 A practical example

Imagine some CMS with data access logic scattered throughout the application. A part of it is a User object, which looks sorta like below.


  1. class User
  2. {
  3. private $_db;
  4. private $_password;
  5. public function __construct(mysqli $db, $username)
  6. {
  7. $this->_db = $db;
  8. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  9. $row = $result->fetch_assoc();
  10. $this->_password = $row['password'];
  11. }
  12. public function login($password)
  13. {
  14. if($this->_password === hash(’sha256′, $password))
  15. {
  16. $this->_loggedIn = true;
  17. $this->_update();
  18. return true;
  19. }
  20. else
  21. {
  22. return false;
  23. }
  24. }
  25. private function _update()
  26. {
  27. $this->_db->query(“UPDATE user SET logged_in = $this->_loggedIn”);
  28. }
  29. }

Note that this isn’t a mysqli tutorial and there are better ways to use mysqli. Just to keep things simple, we’ll stick with the query() method.

2.2 Single Responsibility Principle (SRP)

If you haven’t fell asleep you might remember that it is important to strive for high cohesion – form a meaningful unit. The SRP is not much more than a nice handle for that goal.

Each component (e.g. a class) should have a single, obvious responsibility. Unfortunately this is not always as easy as it sounds. The biggest challenges lies in correctly formulating a components’ responsibility.

https://static.wixstatic.com/ugd/c2ad63_468583fad9c7407c9c3f99ae546decff.pdf
https://static.wixstatic.com/ugd/c2ad63_a76cf8daf28344f0b614419157d2b976.pdf
https://static.wixstatic.com/ugd/c2ad63_41f565a4385d4d878f1c9586f49a5d2d.pdf

Look at the example class, and ask yourself: what does it do? The simple (but untrue) answer would be ‘it handles user related stuff’. The right answer is: it handles user related stuff AND maps its data to the database. This is a direct violation of the SRP principle (bring out the handcuffs!). So how do we fix this? We encapsulate the concept that varies (much about that in a later article). Database mapping has nothing to do directly with the concept of a user, so out it goes!


  1. class User
  2. {
  3. private $_name;
  4. private $_password;
  5. private $_loggedIn;
  6. public function __construct($username, $password, $loggedIn = false)
  7. {
  8. $this->_name = $username;
  9. $this->_password = $password;
  10. $this->_loggedIn = $loggedIn;
  11. }
  12. public function login($password)
  13. {
  14. if($this->getPassword() === hash(’sha256′, $password))
  15. {
  16. $this->_loggedIn = true;
  17. return true;
  18. }
  19. else
  20. {
  21. return false;
  22. }
  23. }
  24. public function getUserName()
  25. {
  26. return $this->_name;
  27. }
  28. public function getPassword()
  29. {
  30. return $this->_password;
  31. }
  32. public function isLoggedIn()
  33. {
  34. return $this->_loggedIn;
  35. }
  36. }

Of course we still need to map to database, so we create a Data Mapper (more about that later as well, for now a simplified example).

view plaincopy to clipboard
  1. class UserDataMapper
  2. {
  3. private $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. public function find($username)
  9. {
  10. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  11. $row = $result->fetch_assoc();
  12. return new User($row['username'], $row['password'], $row['logged_in']);
  13. }
  14. public function update(User $user)
  15. {
  16. $this->_db->query(
  17. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  18. );
  19. }
  20. }

The User class is now independent of the SQL and database adapter used. Coupling between User and mysqli is non-existent. The client code is still coupled though:


  1. //Configuration
  2. $mapper = new UserDataMapper(new mysqli());
  3. //Later
  4. $user = $mapper->find(‘448191′);
  5. if(!$user->login(‘foo’))
  6. {
  7. echo ‘Sorry dude, you\’re not 448191..’;
  8. }

But that is where it belongs, in the place where you pick the components you want to use. Sometimes, all this talk of abstraction and reducing responsibilities can get people confused. Because in the bigger picture, you’re not reducing responsibilities, you are simply moving them to different context. Somewhere where you can be comfortable about committing to a specific implementation, without losing flexibility. You can, for example, use a configuration option to decide what database adapter to use.

We have achieved decoupling. Where does the cohesion come in? In this case, simply by striving for decoupling, we have achieved higher cohesion as well! On a class level, the _update() method is gone, and User now forms a more meaningful unit.

If we apply this throughout our badly written app, the different mappers and Domain Objects (that’s what User is – other examples are ShoppingCart, Post, Board, etc..) will form a meaningful unit as well. Achieving loose coupling and high cohesion is that easy.

2.3 Don’t Repeat Yourself (DRY)

A linear script, simply executing top down, may have to do the same or similar thing several times. In the procedural model, you create a function to try and encapsulate these repeated procedures in functions. You have done this before.

In the context of OOP, you are provided with way more opportunities to reduce repeated logic than when you code procedural. Going back to our UserDataMapper, we may want to add more find methods, that’ll find users based on different criteria. Let’s say we just want the all time highest poster. Using the copy and paste approach, we could produce this:


  1. class UserDataMapper
  2. {
  3. private $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. public function find($username)
  9. {
  10. $result = $this->_db->query(“SELECT * FROM user WHERE username = $username”);
  11. $row = $result->fetch_assoc();
  12. return new User($row['username'], $row['password'], $row['logged_in']);
  13. }
  14. public function findHighestPoster()
  15. {
  16. $result = $this->_db->query(
  17. “SELECT user_id, username, password, logged_in, COUNT(post_id) AS postcount
  18. FROM user
  19. JOIN posts USING(user_id)
  20. GROUP BY user_id ORDER BY postcount DESC LIMIT 1″
  21. );
  22. $row = $result->fetch_assoc();
  23. return new User($row['username'], $row['password'], $row['logged_in']);
  24. }
  25. public function update(User $user)
  26. {
  27. $this->_db->query(
  28. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  29. );
  30. }
  31. }

But find and findHighestPoster now have very similar implementations. In fact, the only difference is the query used. It also reveals a responsibility of UserDataMapper we overlooked: creating new User objects. How do we fix this? There are two things that violate DRY: Getting an array out of a query and initializing a User object. It would be overkill to move the fetching of a array to a different type, we’ll just abstract it out.

How do we do that? We create an abstract class which all DataMappers will extend. This is where we will put the behaviour that is common to all types of Data Mappers.


  1. abstract class DataMapper
  2. {
  3. protected $_db;
  4. public function __construct(mysqli $db)
  5. {
  6. $this->_db = $db;
  7. }
  8. protected function _fetchSingleRecordAssoc($query)
  9. {
  10. $result = $this->_db->query($query);
  11. return $result->fetch_assoc();
  12. }
  13. }
  14. class UserDataMapper extends DataMapper
  15. {
  16. public function find($username)
  17. {
  18. $row = $this->_fetchSingleRecordAssoc(“SELECT * FROM user WHERE username = $username”);
  19. return new User($row['username'], $row['password'], $row['logged_in']);
  20. }
  21. public function findHigestPoster()
  22. {
  23. $row = $this->_fetchSingleRecordAssoc(
  24. “SELECT user_id, username, password, logged_in, COUNT(post_id) AS postcount
  25. FROM user
  26. JOIN posts USING(user_id)
  27. GROUP BY user_id ORDER BY postcount DESC LIMIT 1″
  28. );
  29. return new User($row['username'], $row['password'], $row['logged_in']);
  30. }
  31. public function update(User $user)
  32. {
  33. $this->_db->query(
  34. “UPDATE user SET logged_in = {$user->isLoggedIn()}”
  35. );
  36. }
  37. }

That fixes one problem, one to go. Instantiating a new User makes UserDataMapper coupled to the User class. There’s no way we can really eliminate this, but we can reduce it. We could do that in a variety of ways, but for the sake of brevity, we are simply going to abstract creating a new User. Then at least, we won’t be violating DRY, just the SRP, and I think we can get away with a fine and a month probation.


  1. public function find($username)
  2. {
  3. return $this->userFactory(
  4. $this->_fetchSingleRecordAssoc(“SELECT * FROM user WHERE username = $username”)
  5. );
  6. }
  7. public function userFactory(array $row)
  8. {
  9. return new User($row['username'], $row['password'], $row['logged_in']);
  10. }

2.4 Open-Closed Principle (OCP)

The open closed principle prescribes that components should be “closed for modification” but “open for extension”.

If you go back to the example in chapter 1.1, you’ll see this principle in effect. At some point a component is complete and tested. When you need additional functionality or alternative behaviour, you could go back in and modify the component. But why change something that does exactly what you want it to do?

Instead we declare Animal closed (although we do not have any means to enforce this) for modification. It is still open for extension, and Dog gratefully takes advantage of this by redefining (thus overriding) method eat() to suit its own implementation of how an Animal should behave.

The OCP is very closely related to the core OOP principles of inheritance, encapsulation and polymorphism.

Boring, no? The bottom line: try to make your components extensible. That way you don’t have to hack code that works fine to support new behaviour.


There are no comments yet, add one below.


Leave a Comment