SlideShare uma empresa Scribd logo
1 de 63
Baixar para ler offline
Architecture logicielle : Object-oriented design
0. Object 101
Object
In computer science, an object is a location in memory having
a value and possibly referenced by an identifier.An object can
be a variable, a data structure, or a function.
Source : http://en.wikipedia.org
Object-oriented programming
Object-Oriented programming is an approach to designing
modular reusable software systems.The object-oriented
approach is fundamentally a modelling approach.
Source : http://en.wikipedia.org
Class
In object-oriented programming, a class is an extensible
program-code-template for creating objects, providing initial
values for state and implementations of behavior.
Source : http://en.wikipedia.org
Class - PHP exemple
class Character {
private $firstName;
private $lastName;
public function __construct($firstName, $lastName) {
$this->firstName = $firstName;
$this->lastName = $lastName;
}
}
Instance
In object-oriented programming (OOP), an instance is a
specific realization of any object.The creation of a realized
instance is called instantiation.
Source : http://en.wikipedia.org
Instance - PHP exemple
$nedStark = new Character('Eddard', 'Stark');
$robertBaratheon = new Character('Robert', 'Baratheon');
Attribute & method
A class contains data field descriptions (or properties, fields,
data members, or attributes).
Source : http://en.wikipedia.org
A method in object-oriented programming (OOP) is a
procedure associated with an object class.
Source : http://en.wikipedia.org
Attribute & method - PHP exemple
class Character {
private $firstName;
private $lastName;
private $nickname;
public function __construct($firstName, $lastName, $nickname) {
$this->firstName = $firstName;
$this->lastName = $lastName;
$this->nickname = $nickname;
}
public function getFullName(){
return $this->firstName . ' ' . $this->lastName;
}
public function getNickname(){
return $this->nickname;
}
}
$nedStark = new Character('Eddard', 'Stark', 'Ned');
echo $nedStark->getFullName(); // Eddard Stark
echo $nedStark->getNickname(); // Ned
Interface
In object-oriented languages, the term interface is often used
to define an abstract type that contains no data or code, but
defines behaviors as method signatures.A class having code
and data for all the methods corresponding to that interface is
said to implement that interface.
Source : http://en.wikipedia.org
Interface - PHP exemple
interface CharacterInterface {
public function getFullName();
}
class Human implements CharacterInterface {
private $firstName;
private $lastName;
public function __construct($firstName, $lastName) {…}
public function getFullName(){
return $this->firstName . ' ' . $this->lastName;
}
}
class Animal implements CharacterInterface {
private $name;
public function __construct($name) {…}
public function getFullName(){
return $this->name;
}
}
$nedStark = new Human('Eddard', 'Stark', 'Ned');
$nymeria = new Animal('Nymeria');
echo $nedStark->getFullName(); // Eddard Stark
echo $nymeria->getFullName(); // Nymeria
Inheritance
In object-oriented programming (OOP), inheritance is when an
object or class is based on another object or class, using the
same implementation (inheriting from a class) specifying
implementation to maintain the same behavior.
Source : http://en.wikipedia.org
Inheritance - PHP exemple
class Human {
private $firstName;
private $lastName;
public function __construct($firstName, $lastName) {
$this->firstName = $firstName;
$this->lastName = $lastName;
}
public function getFullName(){
return $this->firstName . ' ' . $this->lastName;
}
}
class King extends Human {
private $reignStart;
private $reignEnd;
public function setReign($reignStart, $reignEnd){
$this->reignStart = $reignStart;
$this->reignEnd = $reignEnd;
}
public function getReign(){
return $this->reignStart . " - " . $this->reignEnd;
}
}
$robertBaratheon = new King('Robert', 'Baratheon');
$robertBaratheon->setReign(283, 298);
echo $robertBaratheon->getFullName() . ' ( '.$robertBaratheon->getReign().' )';
// Robert Baratheon ( 283 - 298 )
2. Are You Stupid?
STUPID code, seriously?
Singleton
Tight Coupling
Untestability
Premature Optimization
Indescriptive Naming
Duplication
2.1 Singleton
Singleton syndrome
class Database
{
const DB_DSN = 'mysql:host=localhost;port=3306;dbname=westeros';
const DB_USER = 'root';
const DB_PWD = 'root';
private $dbh;
static private $instance;
private function connect()
{
if ($this->dbh instanceOf PDO) {return;}
$this->dbh = new PDO(self::DB_DSN, self::DB_USER, self::DB_PWD);
}
public function query($sql)
{
$this->connect();
return $this->dbh->query($sql);
}
public static function getInstance()
{
if (null !== self::$instance) {
return self::$instance;
}
self::$instance = new self();
return self::$instance;
}
}
Configuration difficile
singletons ~ variables globales
Couplages forts
Difficile à tester
2.2 Tight Coupling
Coupling ?
In software engineering, coupling is the manner and degree of
interdependence between software modules; a measure of
how closely connected two routines or modules are; the
strength of the relationships between modules.
Source : http://en.wikipedia.org
Et en claire ?
If making a change in one module in your
application requires you to change another
module, then coupling exists.
Exemple de couplage fort
class Location {
private $name;
private $type;
}
class Character {
private $firstName;
private $lastName;
private $location;
public function __construct($firstName, $lastName, $locationName, $locationType) {
$this->firstName = $firstName;
$this->lastName = $lastName;
$this->location = new Location($locationName, $locationType);
}
public function getFullName(){
return $this->firstName . ' ' . $this->lastName;
}
}
$nedStark = new Character('Eddard', 'Stark', 'Winterfell', 'Castle');
Exemple de couplage faible
class Location {
private $name;
private $type;
}
class Character {
private $firstName;
private $lastName;
private $location;
public function __construct($firstName, $lastName, $location) {
$this->firstName = $firstName;
$this->lastName = $lastName;
$this->location = $location;
}
public function getFullName(){
return $this->firstName . ' ' . $this->lastName;
}
}
$winterfell = new Location($locationName, $locationType);
$nedStark = new Character('Eddard', 'Stark', $winterfell);
2.3 Untestability
Testing ?
In my opinion, testing should not be hard! No, really.Whenever
you don't write unit tests because you don't have time, the
real issue is that your code is bad, but that is another story.
Source : http://williamdurand.fr
Untested and Untestable
2.4 Premature Optimization
« Premature optimization
is the root of all evil. »
Donald Knuth
« If it doesn't work, it
doesn't matter how fast it
doesn't work. »
Mich Ravera
2.5 Indescriptive Naming
Give all entities mentioned in the code (DB tables, DB tables’
fields, variables, classes, functions, etc.) meaningful, descriptive
names that make the code easily understood.The names
should be so self-explanatory that it eliminates the need for
comments in most cases.
Source : Michael Zuskin
Self-explanatory
Exemple : bad names
« If you can't find a decent
name for a class or a
method, something is
probably wrong »
William Durand
class Char {
private $fn;
private $ln;
public function __construct($fn, $ln) {
$this->fn = $fn;
$this->ln = $ln;
}
public function getFnLn(){
return $this->fn . ' ' . $this->ln;
}
}
Exemple : abbreviations
2.6 Duplication
« Write Everything Twice »
WET ?
« We Enjoy Typing »
Copy-and-paste programming is the production of highly
repetitive computer programming code, as by copy and paste
operations. It is primarily a pejorative term; those who use the
term are often implying a lack of programming competence.
Source : http://en.wikipedia.org
Copy And Paste Programming
« Every piece of knowledge must have
a single, unambiguous, authoritative
representation within a system. »
Don’t Repeat Yourself
Andy Hunt & Dave Thomas
The KISS principle states that most systems work best if they
are kept simple rather than made complicated; therefore
simplicity should be a key goal in design and unnecessary
complexity should be avoided.
Keep it simple, stupid
Source : http://en.wikipedia.org
3. Nope, Im solid !
SOLID code ?
Single Responsibility Principle
Open/Closed Principle
Liskov Substitution Principle
Interface Segregation Principle
Dependency Inversion Principle
3.1 Single Responsibility Principle
Single Responsibility
A class should have one, and
only one, reason to change.
Robert C. Martin
The problem
class DataImporter
{
public function import($file)
{
$records = $this->loadFile($file);
$this->importData($records);
}
private function loadFile($file)
{
$records = array();
// transform CSV in $records
return $records;
}
private function importData(array $records)
{
// insert records in DB
}
}
The solution
class DataImporter
{
private $loader;
private $importer;
public function __construct($loader, $gateway)
{
$this->loader = $loader;
$this->gateway = $gateway;
}
public function import($file)
{
$records = $this->loader->load($file);
foreach ($records as $record) {
$this->gateway->insert($record);
}
}
}
Kill the god class !
A "God Class" is an object that
controls way too many other objects
in the system and has grown beyond
all logic to become The Class That
Does Everything.
3.2 Open/Closed Principle
Open/Closed
Objects or entities should be
open for extension, but closed
for modification.
Robert C. Martin
The problem
class Circle {
public $radius;
// Constructor function
}
class Square {
public $length;
// Constructor function
}
class AreaCalculator {
protected $shapes;
// Constructor function
public function sum() {
foreach($this->shapes as $shape) {
if(is_a($shape, 'Square')) {
$area[] = pow($shape->length, 2);
} else if(is_a($shape, 'Circle')) {
$area[] = pi() * pow($shape->radius, 2);
}
}
return array_sum($area);
}
}
$shapes = array(
new Circle(2),
new Square(5),
new Square(6)
);
$areas = new AreaCalculator($shapes);
echo $areas->sum();
Source : https://scotch.io
The solution (1)
class Circle {
public $radius;
// Constructor function
public function area() {
return pi() * pow($this->radius, 2);
}
}
class Square {
public $length;
// Constructor function
public function area() {
return pow($this->length, 2);
}
}
class AreaCalculator {
protected $shapes;
// Constructor function
public function sum() {
foreach($this->shapes as $shape) {
$area[] = $shape->area();
}
return array_sum($area);
}
}
$shapes = array(
new Circle(2),
new Square(5),
new Square(6)
);
$areas = new AreaCalculator($shapes);
echo $areas->sum();
Source : https://scotch.io
The solution (2)
class AreaCalculator {
protected $shapes;
// Constructor function
public function sum() {
foreach($this->shapes as $shape) {
$area[] = $shape->area();
}
return array_sum($area);
}
}
$shapes = array(
new Circle(2),
new Square(5),
new Square(6)
);
$areas = new AreaCalculator($shapes);
echo $areas->sum();
interface ShapeInterface {
public function area();
}
class Circle implements ShapeInterface {
public $radius;
// Constructor function
public function area() {
return pi() * pow($this->radius, 2);
}
}
class Square implements ShapeInterface {
public $length;
// Constructor function
public function area() {
return pow($this->length, 2);
}
}
Source : https://scotch.io
3.3 Liskov Substitution Principle
Liskov Substitution
Derived classes must be
substitutable for their
base classes.Robert C. Martin
Exemple
abstract class AbstractLoader implements FileLoader
{
public function load($file)
{
if (!file_exists($file)) {
throw new InvalidArgumentException(sprintf('%s does not exist.', $file));
}
return [];
}
}
class CsvFileLoader extends AbstractLoader
{
public function load($file)
{
$records = parent::load($file);
// Get records from file
return $records;
}
}
Source : http://afsy.fr
3.4 Interface Segregation Principle
Interface Segregation
A client should never be forced to
implement an interface that it doesn’t
use or clients shouldn’t be forced to
depend on methods they do not use.
Robert C. Martin
Exemple
interface UrlGeneratorInterface
{
public function generate($name, $parameters = array());
}
interface UrlMatcherInterface
{
public function match($pathinfo);
}
interface RouterInterface extends UrlMatcherInterface, UrlGeneratorInterface
{
public function getRouteCollection();
}
Source : http://afsy.fr
3.5 Dependency Inversion Principle
Dependency Inversion
Entities must depend on abstractions not
on concretions. It states that the high
level module must not depend on the
low level module, but they should
depend on abstractions.
Robert C. Martin
The problem
class DataImporter
{
private $loader;
private $gateway;
public function __construct(CsvFileLoader $loader, DataGateway $gateway)
{
$this->loader = $loader;
$this->gateway = $gateway;
}
}
Source : http://afsy.fr
Classes
The solution
Source : http://afsy.fr
class DataImporter
{
private $loader;
private $gateway;
public function __construct(FileLoader $loader, Gateway $gateway)
{
$this->loader = $loader;
$this->gateway = $gateway;
}
}
Interfaces
To be continued …

Mais conteúdo relacionado

Mais procurados

Class 7 - PHP Object Oriented Programming
Class 7 - PHP Object Oriented ProgrammingClass 7 - PHP Object Oriented Programming
Class 7 - PHP Object Oriented ProgrammingAhmed Swilam
 
Object Oriented PHP5
Object Oriented PHP5Object Oriented PHP5
Object Oriented PHP5Jason Austin
 
Oop in-php
Oop in-phpOop in-php
Oop in-phpRajesh S
 
Php object orientation and classes
Php object orientation and classesPhp object orientation and classes
Php object orientation and classesKumar
 
Synapseindia object oriented programming in php
Synapseindia object oriented programming in phpSynapseindia object oriented programming in php
Synapseindia object oriented programming in phpSynapseindiappsdevelopment
 
A Gentle Introduction To Object Oriented Php
A Gentle Introduction To Object Oriented PhpA Gentle Introduction To Object Oriented Php
A Gentle Introduction To Object Oriented PhpMichael Girouard
 
Object oriented programming with python
Object oriented programming with pythonObject oriented programming with python
Object oriented programming with pythonArslan Arshad
 
Object oreinted php | OOPs
Object oreinted php | OOPsObject oreinted php | OOPs
Object oreinted php | OOPsRavi Bhadauria
 
Basics of Object Oriented Programming in Python
Basics of Object Oriented Programming in PythonBasics of Object Oriented Programming in Python
Basics of Object Oriented Programming in PythonSujith Kumar
 
Introduction to OOP with PHP
Introduction to OOP with PHPIntroduction to OOP with PHP
Introduction to OOP with PHPMichael Peacock
 
09 Object Oriented Programming in PHP #burningkeyboards
09 Object Oriented Programming in PHP #burningkeyboards09 Object Oriented Programming in PHP #burningkeyboards
09 Object Oriented Programming in PHP #burningkeyboardsDenis Ristic
 

Mais procurados (20)

Class 7 - PHP Object Oriented Programming
Class 7 - PHP Object Oriented ProgrammingClass 7 - PHP Object Oriented Programming
Class 7 - PHP Object Oriented Programming
 
Object Oriented PHP5
Object Oriented PHP5Object Oriented PHP5
Object Oriented PHP5
 
Oop in-php
Oop in-phpOop in-php
Oop in-php
 
Xtext Eclipse Con
Xtext Eclipse ConXtext Eclipse Con
Xtext Eclipse Con
 
Php object orientation and classes
Php object orientation and classesPhp object orientation and classes
Php object orientation and classes
 
Oop concepts in python
Oop concepts in pythonOop concepts in python
Oop concepts in python
 
PHP OOP
PHP OOPPHP OOP
PHP OOP
 
Synapseindia object oriented programming in php
Synapseindia object oriented programming in phpSynapseindia object oriented programming in php
Synapseindia object oriented programming in php
 
A Gentle Introduction To Object Oriented Php
A Gentle Introduction To Object Oriented PhpA Gentle Introduction To Object Oriented Php
A Gentle Introduction To Object Oriented Php
 
Object oriented programming with python
Object oriented programming with pythonObject oriented programming with python
Object oriented programming with python
 
Python OOPs
Python OOPsPython OOPs
Python OOPs
 
Oops in PHP
Oops in PHPOops in PHP
Oops in PHP
 
Object oriented programming in python
Object oriented programming in pythonObject oriented programming in python
Object oriented programming in python
 
Object oreinted php | OOPs
Object oreinted php | OOPsObject oreinted php | OOPs
Object oreinted php | OOPs
 
Basics of Object Oriented Programming in Python
Basics of Object Oriented Programming in PythonBasics of Object Oriented Programming in Python
Basics of Object Oriented Programming in Python
 
Oops concept in php
Oops concept in phpOops concept in php
Oops concept in php
 
Introduction to php oop
Introduction to php oopIntroduction to php oop
Introduction to php oop
 
Introduction to OOP with PHP
Introduction to OOP with PHPIntroduction to OOP with PHP
Introduction to OOP with PHP
 
09 Object Oriented Programming in PHP #burningkeyboards
09 Object Oriented Programming in PHP #burningkeyboards09 Object Oriented Programming in PHP #burningkeyboards
09 Object Oriented Programming in PHP #burningkeyboards
 
Python oop third class
Python oop   third classPython oop   third class
Python oop third class
 

Destaque

Javascript #9 : barbarian quest
Javascript #9 : barbarian questJavascript #9 : barbarian quest
Javascript #9 : barbarian questJean Michel
 
Architecture logicielle #5 : hipsto framework
Architecture logicielle #5 : hipsto frameworkArchitecture logicielle #5 : hipsto framework
Architecture logicielle #5 : hipsto frameworkJean Michel
 
WebApp #2 : responsive design
WebApp #2 : responsive designWebApp #2 : responsive design
WebApp #2 : responsive designJean Michel
 
Javascript #4.2 : fonctions for pgm
Javascript #4.2 : fonctions for pgmJavascript #4.2 : fonctions for pgm
Javascript #4.2 : fonctions for pgmJean Michel
 
Javascript #11: Space invader
Javascript #11: Space invaderJavascript #11: Space invader
Javascript #11: Space invaderJean Michel
 
PHP #3 : tableaux & formulaires
PHP #3 : tableaux & formulairesPHP #3 : tableaux & formulaires
PHP #3 : tableaux & formulairesJean Michel
 
Javascript #10 : canvas
Javascript #10 : canvasJavascript #10 : canvas
Javascript #10 : canvasJean Michel
 
Javascript #3 : boucles & conditions
Javascript #3 : boucles & conditionsJavascript #3 : boucles & conditions
Javascript #3 : boucles & conditionsJean Michel
 
Javascript #5.1 : tp1 zombies!
Javascript #5.1 : tp1 zombies!Javascript #5.1 : tp1 zombies!
Javascript #5.1 : tp1 zombies!Jean Michel
 
Architecture logicielle #2 : TP timezone
Architecture logicielle #2 : TP timezoneArchitecture logicielle #2 : TP timezone
Architecture logicielle #2 : TP timezoneJean Michel
 
#1 entreprendre au xxiè siècle
#1 entreprendre au xxiè siècle#1 entreprendre au xxiè siècle
#1 entreprendre au xxiè siècleJean Michel
 
PHP #4 : sessions & cookies
PHP #4 : sessions & cookiesPHP #4 : sessions & cookies
PHP #4 : sessions & cookiesJean Michel
 
WebApp #4 : Consuming REST APIs
WebApp #4 : Consuming REST APIs WebApp #4 : Consuming REST APIs
WebApp #4 : Consuming REST APIs Jean Michel
 
PHP & MYSQL #5 : fonctions
PHP & MYSQL #5 :  fonctionsPHP & MYSQL #5 :  fonctions
PHP & MYSQL #5 : fonctionsJean Michel
 
PHP #7 : guess who?
PHP #7 : guess who?PHP #7 : guess who?
PHP #7 : guess who?Jean Michel
 
Html & Css #5 : positionement
Html & Css #5 : positionementHtml & Css #5 : positionement
Html & Css #5 : positionementJean Michel
 
Javascript #7 : manipuler le dom
Javascript #7 : manipuler le domJavascript #7 : manipuler le dom
Javascript #7 : manipuler le domJean Michel
 
Javascript #6 : objets et tableaux
Javascript #6 : objets et tableauxJavascript #6 : objets et tableaux
Javascript #6 : objets et tableauxJean Michel
 
Les modèles économiques du web
Les modèles économiques du webLes modèles économiques du web
Les modèles économiques du webJean Michel
 

Destaque (20)

Javascript #9 : barbarian quest
Javascript #9 : barbarian questJavascript #9 : barbarian quest
Javascript #9 : barbarian quest
 
Architecture logicielle #5 : hipsto framework
Architecture logicielle #5 : hipsto frameworkArchitecture logicielle #5 : hipsto framework
Architecture logicielle #5 : hipsto framework
 
WebApp #2 : responsive design
WebApp #2 : responsive designWebApp #2 : responsive design
WebApp #2 : responsive design
 
Javascript #4.2 : fonctions for pgm
Javascript #4.2 : fonctions for pgmJavascript #4.2 : fonctions for pgm
Javascript #4.2 : fonctions for pgm
 
Javascript #11: Space invader
Javascript #11: Space invaderJavascript #11: Space invader
Javascript #11: Space invader
 
PHP #3 : tableaux & formulaires
PHP #3 : tableaux & formulairesPHP #3 : tableaux & formulaires
PHP #3 : tableaux & formulaires
 
Javascript #10 : canvas
Javascript #10 : canvasJavascript #10 : canvas
Javascript #10 : canvas
 
Javascript #3 : boucles & conditions
Javascript #3 : boucles & conditionsJavascript #3 : boucles & conditions
Javascript #3 : boucles & conditions
 
Javascript #5.1 : tp1 zombies!
Javascript #5.1 : tp1 zombies!Javascript #5.1 : tp1 zombies!
Javascript #5.1 : tp1 zombies!
 
Architecture logicielle #2 : TP timezone
Architecture logicielle #2 : TP timezoneArchitecture logicielle #2 : TP timezone
Architecture logicielle #2 : TP timezone
 
#1 entreprendre au xxiè siècle
#1 entreprendre au xxiè siècle#1 entreprendre au xxiè siècle
#1 entreprendre au xxiè siècle
 
PHP #4 : sessions & cookies
PHP #4 : sessions & cookiesPHP #4 : sessions & cookies
PHP #4 : sessions & cookies
 
WebApp #4 : Consuming REST APIs
WebApp #4 : Consuming REST APIs WebApp #4 : Consuming REST APIs
WebApp #4 : Consuming REST APIs
 
PHP & MYSQL #5 : fonctions
PHP & MYSQL #5 :  fonctionsPHP & MYSQL #5 :  fonctions
PHP & MYSQL #5 : fonctions
 
PHP #7 : guess who?
PHP #7 : guess who?PHP #7 : guess who?
PHP #7 : guess who?
 
Html & Css #5 : positionement
Html & Css #5 : positionementHtml & Css #5 : positionement
Html & Css #5 : positionement
 
Javascript #7 : manipuler le dom
Javascript #7 : manipuler le domJavascript #7 : manipuler le dom
Javascript #7 : manipuler le dom
 
Javascript #6 : objets et tableaux
Javascript #6 : objets et tableauxJavascript #6 : objets et tableaux
Javascript #6 : objets et tableaux
 
#4 css 101
#4 css 101#4 css 101
#4 css 101
 
Les modèles économiques du web
Les modèles économiques du webLes modèles économiques du web
Les modèles économiques du web
 

Semelhante a Architecture logicielle #3 : object oriented design

Demystifying Object-Oriented Programming - Lone Star PHP
Demystifying Object-Oriented Programming - Lone Star PHPDemystifying Object-Oriented Programming - Lone Star PHP
Demystifying Object-Oriented Programming - Lone Star PHPAlena Holligan
 
Demystifying Object-Oriented Programming - ZendCon 2016
Demystifying Object-Oriented Programming - ZendCon 2016Demystifying Object-Oriented Programming - ZendCon 2016
Demystifying Object-Oriented Programming - ZendCon 2016Alena Holligan
 
Demystifying Object-Oriented Programming - Midwest PHP
Demystifying Object-Oriented Programming - Midwest PHPDemystifying Object-Oriented Programming - Midwest PHP
Demystifying Object-Oriented Programming - Midwest PHPAlena Holligan
 
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering College
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering CollegeObject Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering College
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering CollegeDhivyaa C.R
 
The Origin of Lithium
The Origin of LithiumThe Origin of Lithium
The Origin of LithiumNate Abele
 
FFW Gabrovo PMG - PHP OOP Part 3
FFW Gabrovo PMG - PHP OOP Part 3FFW Gabrovo PMG - PHP OOP Part 3
FFW Gabrovo PMG - PHP OOP Part 3Toni Kolev
 
SPL: The Missing Link in Development
SPL: The Missing Link in DevelopmentSPL: The Missing Link in Development
SPL: The Missing Link in Developmentjsmith92
 
Lecture 17 - PHP-Object-Orientation.pptx
Lecture 17 - PHP-Object-Orientation.pptxLecture 17 - PHP-Object-Orientation.pptx
Lecture 17 - PHP-Object-Orientation.pptxDavidLazar17
 
Demystifying Object-Oriented Programming - PHP UK Conference 2017
Demystifying Object-Oriented Programming - PHP UK Conference 2017Demystifying Object-Oriented Programming - PHP UK Conference 2017
Demystifying Object-Oriented Programming - PHP UK Conference 2017Alena Holligan
 
Objects, Testing, and Responsibility
Objects, Testing, and ResponsibilityObjects, Testing, and Responsibility
Objects, Testing, and Responsibilitymachuga
 
Symfony2, creare bundle e valore per il cliente
Symfony2, creare bundle e valore per il clienteSymfony2, creare bundle e valore per il cliente
Symfony2, creare bundle e valore per il clienteLeonardo Proietti
 
PHP OOP Lecture - 04.pptx
PHP OOP Lecture - 04.pptxPHP OOP Lecture - 04.pptx
PHP OOP Lecture - 04.pptxAtikur Rahman
 

Semelhante a Architecture logicielle #3 : object oriented design (20)

Demystifying Object-Oriented Programming - Lone Star PHP
Demystifying Object-Oriented Programming - Lone Star PHPDemystifying Object-Oriented Programming - Lone Star PHP
Demystifying Object-Oriented Programming - Lone Star PHP
 
Demystifying Object-Oriented Programming - ZendCon 2016
Demystifying Object-Oriented Programming - ZendCon 2016Demystifying Object-Oriented Programming - ZendCon 2016
Demystifying Object-Oriented Programming - ZendCon 2016
 
Oops in php
Oops in phpOops in php
Oops in php
 
Demystifying Object-Oriented Programming - Midwest PHP
Demystifying Object-Oriented Programming - Midwest PHPDemystifying Object-Oriented Programming - Midwest PHP
Demystifying Object-Oriented Programming - Midwest PHP
 
Solid principles
Solid principlesSolid principles
Solid principles
 
UNIT III (8).pptx
UNIT III (8).pptxUNIT III (8).pptx
UNIT III (8).pptx
 
UNIT III (8).pptx
UNIT III (8).pptxUNIT III (8).pptx
UNIT III (8).pptx
 
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering College
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering CollegeObject Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering College
Object Oriented PHP by Dr.C.R.Dhivyaa Kongu Engineering College
 
The Origin of Lithium
The Origin of LithiumThe Origin of Lithium
The Origin of Lithium
 
Value objects
Value objectsValue objects
Value objects
 
FFW Gabrovo PMG - PHP OOP Part 3
FFW Gabrovo PMG - PHP OOP Part 3FFW Gabrovo PMG - PHP OOP Part 3
FFW Gabrovo PMG - PHP OOP Part 3
 
SPL: The Missing Link in Development
SPL: The Missing Link in DevelopmentSPL: The Missing Link in Development
SPL: The Missing Link in Development
 
Lecture 17 - PHP-Object-Orientation.pptx
Lecture 17 - PHP-Object-Orientation.pptxLecture 17 - PHP-Object-Orientation.pptx
Lecture 17 - PHP-Object-Orientation.pptx
 
Demystifying Object-Oriented Programming - PHP UK Conference 2017
Demystifying Object-Oriented Programming - PHP UK Conference 2017Demystifying Object-Oriented Programming - PHP UK Conference 2017
Demystifying Object-Oriented Programming - PHP UK Conference 2017
 
Objects, Testing, and Responsibility
Objects, Testing, and ResponsibilityObjects, Testing, and Responsibility
Objects, Testing, and Responsibility
 
Symfony2, creare bundle e valore per il cliente
Symfony2, creare bundle e valore per il clienteSymfony2, creare bundle e valore per il cliente
Symfony2, creare bundle e valore per il cliente
 
PHP OOP Lecture - 04.pptx
PHP OOP Lecture - 04.pptxPHP OOP Lecture - 04.pptx
PHP OOP Lecture - 04.pptx
 
OOP in PHP.pptx
OOP in PHP.pptxOOP in PHP.pptx
OOP in PHP.pptx
 
Demystifying oop
Demystifying oopDemystifying oop
Demystifying oop
 
OOP in PHP
OOP in PHPOOP in PHP
OOP in PHP
 

Mais de Jean Michel

Startup #7 : how to get customers
Startup #7 : how to get customersStartup #7 : how to get customers
Startup #7 : how to get customersJean Michel
 
Javascript #2.2 : jQuery
Javascript #2.2 : jQueryJavascript #2.2 : jQuery
Javascript #2.2 : jQueryJean Michel
 
HTML & CSS #10 : Bootstrap
HTML & CSS #10 : BootstrapHTML & CSS #10 : Bootstrap
HTML & CSS #10 : BootstrapJean Michel
 
Architecture logicielle #4 : mvc
Architecture logicielle #4 : mvcArchitecture logicielle #4 : mvc
Architecture logicielle #4 : mvcJean Michel
 
Wordpress #3 : content strategie
Wordpress #3 : content strategieWordpress #3 : content strategie
Wordpress #3 : content strategieJean Michel
 
Architecture logicielle #1 : introduction
Architecture logicielle #1 : introductionArchitecture logicielle #1 : introduction
Architecture logicielle #1 : introductionJean Michel
 
Wordpress #2 : customisation
Wordpress #2 : customisationWordpress #2 : customisation
Wordpress #2 : customisationJean Michel
 
Wordpress #1 : introduction
Wordpress #1 : introductionWordpress #1 : introduction
Wordpress #1 : introductionJean Michel
 
PHP #2 : variables, conditions & boucles
PHP #2 : variables, conditions & boucles PHP #2 : variables, conditions & boucles
PHP #2 : variables, conditions & boucles Jean Michel
 
PHP #1 : introduction
PHP #1 : introductionPHP #1 : introduction
PHP #1 : introductionJean Michel
 
Dev Web 101 #2 : development for dummies
Dev Web 101 #2 : development for dummiesDev Web 101 #2 : development for dummies
Dev Web 101 #2 : development for dummiesJean Michel
 
Startup #5 : pitch
Startup #5 : pitchStartup #5 : pitch
Startup #5 : pitchJean Michel
 
Javascript #8 : événements
Javascript #8 : événementsJavascript #8 : événements
Javascript #8 : événementsJean Michel
 
Gestion de projet #4 : spécification
Gestion de projet #4 : spécificationGestion de projet #4 : spécification
Gestion de projet #4 : spécificationJean Michel
 
WebApp #1 : introduction
WebApp #1 : introductionWebApp #1 : introduction
WebApp #1 : introductionJean Michel
 

Mais de Jean Michel (19)

Startup #7 : how to get customers
Startup #7 : how to get customersStartup #7 : how to get customers
Startup #7 : how to get customers
 
Javascript #2.2 : jQuery
Javascript #2.2 : jQueryJavascript #2.2 : jQuery
Javascript #2.2 : jQuery
 
HTML & CSS #10 : Bootstrap
HTML & CSS #10 : BootstrapHTML & CSS #10 : Bootstrap
HTML & CSS #10 : Bootstrap
 
Architecture logicielle #4 : mvc
Architecture logicielle #4 : mvcArchitecture logicielle #4 : mvc
Architecture logicielle #4 : mvc
 
Wordpress #3 : content strategie
Wordpress #3 : content strategieWordpress #3 : content strategie
Wordpress #3 : content strategie
 
Architecture logicielle #1 : introduction
Architecture logicielle #1 : introductionArchitecture logicielle #1 : introduction
Architecture logicielle #1 : introduction
 
Wordpress #2 : customisation
Wordpress #2 : customisationWordpress #2 : customisation
Wordpress #2 : customisation
 
Wordpress #1 : introduction
Wordpress #1 : introductionWordpress #1 : introduction
Wordpress #1 : introduction
 
PHP #6 : mysql
PHP #6 : mysqlPHP #6 : mysql
PHP #6 : mysql
 
PHP #2 : variables, conditions & boucles
PHP #2 : variables, conditions & boucles PHP #2 : variables, conditions & boucles
PHP #2 : variables, conditions & boucles
 
PHP #1 : introduction
PHP #1 : introductionPHP #1 : introduction
PHP #1 : introduction
 
Dev Web 101 #2 : development for dummies
Dev Web 101 #2 : development for dummiesDev Web 101 #2 : development for dummies
Dev Web 101 #2 : development for dummies
 
Startup #5 : pitch
Startup #5 : pitchStartup #5 : pitch
Startup #5 : pitch
 
Javascript #8 : événements
Javascript #8 : événementsJavascript #8 : événements
Javascript #8 : événements
 
Projet timezone
Projet timezoneProjet timezone
Projet timezone
 
WebApp #3 : API
WebApp #3 : APIWebApp #3 : API
WebApp #3 : API
 
Gestion de projet #4 : spécification
Gestion de projet #4 : spécificationGestion de projet #4 : spécification
Gestion de projet #4 : spécification
 
Projet timezone
Projet timezoneProjet timezone
Projet timezone
 
WebApp #1 : introduction
WebApp #1 : introductionWebApp #1 : introduction
WebApp #1 : introduction
 

Último

Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Modelsaagamshah0812
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️Delhi Call girls
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...ICS
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providermohitmore19
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...OnePlan Solutions
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxComplianceQuest1
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsArshad QA
 
5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdfWave PLM
 
Diamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with PrecisionDiamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with PrecisionSolGuruz
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfjoe51371421
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfCionsystems
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfkalichargn70th171
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...MyIntelliSource, Inc.
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...panagenda
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxbodapatigopi8531
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...MyIntelliSource, Inc.
 

Último (20)

Unlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language ModelsUnlocking the Future of AI Agents with Large Language Models
Unlocking the Future of AI Agents with Large Language Models
 
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
call girls in Vaishali (Ghaziabad) 🔝 >༒8448380779 🔝 genuine Escort Service 🔝✔️✔️
 
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
The Real-World Challenges of Medical Device Cybersecurity- Mitigating Vulnera...
 
Call Girls In Mukherjee Nagar 📱 9999965857 🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
Call Girls In Mukherjee Nagar 📱  9999965857  🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...Call Girls In Mukherjee Nagar 📱  9999965857  🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
Call Girls In Mukherjee Nagar 📱 9999965857 🤩 Delhi 🫦 HOT AND SEXY VVIP 🍎 SE...
 
TECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service providerTECUNIQUE: Success Stories: IT Service provider
TECUNIQUE: Success Stories: IT Service provider
 
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
Tech Tuesday-Harness the Power of Effective Resource Planning with OnePlan’s ...
 
A Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docxA Secure and Reliable Document Management System is Essential.docx
A Secure and Reliable Document Management System is Essential.docx
 
Software Quality Assurance Interview Questions
Software Quality Assurance Interview QuestionsSoftware Quality Assurance Interview Questions
Software Quality Assurance Interview Questions
 
5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf5 Signs You Need a Fashion PLM Software.pdf
5 Signs You Need a Fashion PLM Software.pdf
 
Diamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with PrecisionDiamond Application Development Crafting Solutions with Precision
Diamond Application Development Crafting Solutions with Precision
 
why an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdfwhy an Opensea Clone Script might be your perfect match.pdf
why an Opensea Clone Script might be your perfect match.pdf
 
Exploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the ProcessExploring iOS App Development: Simplifying the Process
Exploring iOS App Development: Simplifying the Process
 
Active Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdfActive Directory Penetration Testing, cionsystems.com.pdf
Active Directory Penetration Testing, cionsystems.com.pdf
 
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICECHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
CHEAP Call Girls in Pushp Vihar (-DELHI )🔝 9953056974🔝(=)/CALL GIRLS SERVICE
 
Microsoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdfMicrosoft AI Transformation Partner Playbook.pdf
Microsoft AI Transformation Partner Playbook.pdf
 
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdfLearn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
Learn the Fundamentals of XCUITest Framework_ A Beginner's Guide.pdf
 
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
Try MyIntelliAccount Cloud Accounting Software As A Service Solution Risk Fre...
 
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
W01_panagenda_Navigating-the-Future-with-The-Hitchhikers-Guide-to-Notes-and-D...
 
Hand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptxHand gesture recognition PROJECT PPT.pptx
Hand gesture recognition PROJECT PPT.pptx
 
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
Steps To Getting Up And Running Quickly With MyTimeClock Employee Scheduling ...
 

Architecture logicielle #3 : object oriented design

  • 1. Architecture logicielle : Object-oriented design
  • 3. Object In computer science, an object is a location in memory having a value and possibly referenced by an identifier.An object can be a variable, a data structure, or a function. Source : http://en.wikipedia.org
  • 4. Object-oriented programming Object-Oriented programming is an approach to designing modular reusable software systems.The object-oriented approach is fundamentally a modelling approach. Source : http://en.wikipedia.org
  • 5. Class In object-oriented programming, a class is an extensible program-code-template for creating objects, providing initial values for state and implementations of behavior. Source : http://en.wikipedia.org
  • 6. Class - PHP exemple class Character { private $firstName; private $lastName; public function __construct($firstName, $lastName) { $this->firstName = $firstName; $this->lastName = $lastName; } }
  • 7. Instance In object-oriented programming (OOP), an instance is a specific realization of any object.The creation of a realized instance is called instantiation. Source : http://en.wikipedia.org
  • 8. Instance - PHP exemple $nedStark = new Character('Eddard', 'Stark'); $robertBaratheon = new Character('Robert', 'Baratheon');
  • 9. Attribute & method A class contains data field descriptions (or properties, fields, data members, or attributes). Source : http://en.wikipedia.org A method in object-oriented programming (OOP) is a procedure associated with an object class. Source : http://en.wikipedia.org
  • 10. Attribute & method - PHP exemple class Character { private $firstName; private $lastName; private $nickname; public function __construct($firstName, $lastName, $nickname) { $this->firstName = $firstName; $this->lastName = $lastName; $this->nickname = $nickname; } public function getFullName(){ return $this->firstName . ' ' . $this->lastName; } public function getNickname(){ return $this->nickname; } } $nedStark = new Character('Eddard', 'Stark', 'Ned'); echo $nedStark->getFullName(); // Eddard Stark echo $nedStark->getNickname(); // Ned
  • 11. Interface In object-oriented languages, the term interface is often used to define an abstract type that contains no data or code, but defines behaviors as method signatures.A class having code and data for all the methods corresponding to that interface is said to implement that interface. Source : http://en.wikipedia.org
  • 12. Interface - PHP exemple interface CharacterInterface { public function getFullName(); } class Human implements CharacterInterface { private $firstName; private $lastName; public function __construct($firstName, $lastName) {…} public function getFullName(){ return $this->firstName . ' ' . $this->lastName; } } class Animal implements CharacterInterface { private $name; public function __construct($name) {…} public function getFullName(){ return $this->name; } } $nedStark = new Human('Eddard', 'Stark', 'Ned'); $nymeria = new Animal('Nymeria'); echo $nedStark->getFullName(); // Eddard Stark echo $nymeria->getFullName(); // Nymeria
  • 13. Inheritance In object-oriented programming (OOP), inheritance is when an object or class is based on another object or class, using the same implementation (inheriting from a class) specifying implementation to maintain the same behavior. Source : http://en.wikipedia.org
  • 14. Inheritance - PHP exemple class Human { private $firstName; private $lastName; public function __construct($firstName, $lastName) { $this->firstName = $firstName; $this->lastName = $lastName; } public function getFullName(){ return $this->firstName . ' ' . $this->lastName; } } class King extends Human { private $reignStart; private $reignEnd; public function setReign($reignStart, $reignEnd){ $this->reignStart = $reignStart; $this->reignEnd = $reignEnd; } public function getReign(){ return $this->reignStart . " - " . $this->reignEnd; } } $robertBaratheon = new King('Robert', 'Baratheon'); $robertBaratheon->setReign(283, 298); echo $robertBaratheon->getFullName() . ' ( '.$robertBaratheon->getReign().' )'; // Robert Baratheon ( 283 - 298 )
  • 15. 2. Are You Stupid?
  • 16. STUPID code, seriously? Singleton Tight Coupling Untestability Premature Optimization Indescriptive Naming Duplication
  • 19. class Database { const DB_DSN = 'mysql:host=localhost;port=3306;dbname=westeros'; const DB_USER = 'root'; const DB_PWD = 'root'; private $dbh; static private $instance; private function connect() { if ($this->dbh instanceOf PDO) {return;} $this->dbh = new PDO(self::DB_DSN, self::DB_USER, self::DB_PWD); } public function query($sql) { $this->connect(); return $this->dbh->query($sql); } public static function getInstance() { if (null !== self::$instance) { return self::$instance; } self::$instance = new self(); return self::$instance; } } Configuration difficile singletons ~ variables globales Couplages forts Difficile à tester
  • 21. Coupling ? In software engineering, coupling is the manner and degree of interdependence between software modules; a measure of how closely connected two routines or modules are; the strength of the relationships between modules. Source : http://en.wikipedia.org
  • 22. Et en claire ? If making a change in one module in your application requires you to change another module, then coupling exists.
  • 23. Exemple de couplage fort class Location { private $name; private $type; } class Character { private $firstName; private $lastName; private $location; public function __construct($firstName, $lastName, $locationName, $locationType) { $this->firstName = $firstName; $this->lastName = $lastName; $this->location = new Location($locationName, $locationType); } public function getFullName(){ return $this->firstName . ' ' . $this->lastName; } } $nedStark = new Character('Eddard', 'Stark', 'Winterfell', 'Castle');
  • 24. Exemple de couplage faible class Location { private $name; private $type; } class Character { private $firstName; private $lastName; private $location; public function __construct($firstName, $lastName, $location) { $this->firstName = $firstName; $this->lastName = $lastName; $this->location = $location; } public function getFullName(){ return $this->firstName . ' ' . $this->lastName; } } $winterfell = new Location($locationName, $locationType); $nedStark = new Character('Eddard', 'Stark', $winterfell);
  • 27. In my opinion, testing should not be hard! No, really.Whenever you don't write unit tests because you don't have time, the real issue is that your code is bad, but that is another story. Source : http://williamdurand.fr Untested and Untestable
  • 29. « Premature optimization is the root of all evil. » Donald Knuth
  • 30. « If it doesn't work, it doesn't matter how fast it doesn't work. » Mich Ravera
  • 32. Give all entities mentioned in the code (DB tables, DB tables’ fields, variables, classes, functions, etc.) meaningful, descriptive names that make the code easily understood.The names should be so self-explanatory that it eliminates the need for comments in most cases. Source : Michael Zuskin Self-explanatory
  • 33. Exemple : bad names
  • 34. « If you can't find a decent name for a class or a method, something is probably wrong » William Durand
  • 35. class Char { private $fn; private $ln; public function __construct($fn, $ln) { $this->fn = $fn; $this->ln = $ln; } public function getFnLn(){ return $this->fn . ' ' . $this->ln; } } Exemple : abbreviations
  • 37. « Write Everything Twice » WET ? « We Enjoy Typing »
  • 38. Copy-and-paste programming is the production of highly repetitive computer programming code, as by copy and paste operations. It is primarily a pejorative term; those who use the term are often implying a lack of programming competence. Source : http://en.wikipedia.org Copy And Paste Programming
  • 39. « Every piece of knowledge must have a single, unambiguous, authoritative representation within a system. » Don’t Repeat Yourself Andy Hunt & Dave Thomas
  • 40. The KISS principle states that most systems work best if they are kept simple rather than made complicated; therefore simplicity should be a key goal in design and unnecessary complexity should be avoided. Keep it simple, stupid Source : http://en.wikipedia.org
  • 41. 3. Nope, Im solid !
  • 42. SOLID code ? Single Responsibility Principle Open/Closed Principle Liskov Substitution Principle Interface Segregation Principle Dependency Inversion Principle
  • 44. Single Responsibility A class should have one, and only one, reason to change. Robert C. Martin
  • 45. The problem class DataImporter { public function import($file) { $records = $this->loadFile($file); $this->importData($records); } private function loadFile($file) { $records = array(); // transform CSV in $records return $records; } private function importData(array $records) { // insert records in DB } }
  • 46. The solution class DataImporter { private $loader; private $importer; public function __construct($loader, $gateway) { $this->loader = $loader; $this->gateway = $gateway; } public function import($file) { $records = $this->loader->load($file); foreach ($records as $record) { $this->gateway->insert($record); } } }
  • 47. Kill the god class ! A "God Class" is an object that controls way too many other objects in the system and has grown beyond all logic to become The Class That Does Everything.
  • 49. Open/Closed Objects or entities should be open for extension, but closed for modification. Robert C. Martin
  • 50. The problem class Circle { public $radius; // Constructor function } class Square { public $length; // Constructor function } class AreaCalculator { protected $shapes; // Constructor function public function sum() { foreach($this->shapes as $shape) { if(is_a($shape, 'Square')) { $area[] = pow($shape->length, 2); } else if(is_a($shape, 'Circle')) { $area[] = pi() * pow($shape->radius, 2); } } return array_sum($area); } } $shapes = array( new Circle(2), new Square(5), new Square(6) ); $areas = new AreaCalculator($shapes); echo $areas->sum(); Source : https://scotch.io
  • 51. The solution (1) class Circle { public $radius; // Constructor function public function area() { return pi() * pow($this->radius, 2); } } class Square { public $length; // Constructor function public function area() { return pow($this->length, 2); } } class AreaCalculator { protected $shapes; // Constructor function public function sum() { foreach($this->shapes as $shape) { $area[] = $shape->area(); } return array_sum($area); } } $shapes = array( new Circle(2), new Square(5), new Square(6) ); $areas = new AreaCalculator($shapes); echo $areas->sum(); Source : https://scotch.io
  • 52. The solution (2) class AreaCalculator { protected $shapes; // Constructor function public function sum() { foreach($this->shapes as $shape) { $area[] = $shape->area(); } return array_sum($area); } } $shapes = array( new Circle(2), new Square(5), new Square(6) ); $areas = new AreaCalculator($shapes); echo $areas->sum(); interface ShapeInterface { public function area(); } class Circle implements ShapeInterface { public $radius; // Constructor function public function area() { return pi() * pow($this->radius, 2); } } class Square implements ShapeInterface { public $length; // Constructor function public function area() { return pow($this->length, 2); } } Source : https://scotch.io
  • 54. Liskov Substitution Derived classes must be substitutable for their base classes.Robert C. Martin
  • 55. Exemple abstract class AbstractLoader implements FileLoader { public function load($file) { if (!file_exists($file)) { throw new InvalidArgumentException(sprintf('%s does not exist.', $file)); } return []; } } class CsvFileLoader extends AbstractLoader { public function load($file) { $records = parent::load($file); // Get records from file return $records; } } Source : http://afsy.fr
  • 57. Interface Segregation A client should never be forced to implement an interface that it doesn’t use or clients shouldn’t be forced to depend on methods they do not use. Robert C. Martin
  • 58. Exemple interface UrlGeneratorInterface { public function generate($name, $parameters = array()); } interface UrlMatcherInterface { public function match($pathinfo); } interface RouterInterface extends UrlMatcherInterface, UrlGeneratorInterface { public function getRouteCollection(); } Source : http://afsy.fr
  • 60. Dependency Inversion Entities must depend on abstractions not on concretions. It states that the high level module must not depend on the low level module, but they should depend on abstractions. Robert C. Martin
  • 61. The problem class DataImporter { private $loader; private $gateway; public function __construct(CsvFileLoader $loader, DataGateway $gateway) { $this->loader = $loader; $this->gateway = $gateway; } } Source : http://afsy.fr Classes
  • 62. The solution Source : http://afsy.fr class DataImporter { private $loader; private $gateway; public function __construct(FileLoader $loader, Gateway $gateway) { $this->loader = $loader; $this->gateway = $gateway; } } Interfaces