SlideShare una empresa de Scribd logo
1 de 66
Descargar para leer sin conexión
Yannick Grenzinger
@ygrenzinger
Some history
Typical flow of development (before)
Scrum
What is craft ?
But really for me as a developper,
why craft is important ?
Working software is not enough
You don’t like code without it
“I could list all of the qualities that I notice in
clean code, but there is one overarching quality
that leads to all of them. Clean code always looks
like it was written by someone who cares.
There is nothing obvious that you can do to make
it better.”
Michael Feathers, author of Working Effectively with Legacy Code
Principles
● Quality : Simple Design (DDD, OO), clean code, refactoring, Tests (maybe TDD)
● Humility : I question myself and continuously improving
● Sharing : code review, pair (or mob) programming, collective code ownership
● Pragmatism : I understand the constraints and adapt myself if necessary
● Professionalism : I treat my client as a partner (principle of "courage" from XP)
● Boy Scout rule : "Always leave the campground cleaner than you found it."
Test First
Unit tests and TDD
Why ?
Pyramid of tests
Why ?
● Fast feedback when you’re coding or on your continuous integration tool
● Best entry point for a new developer
○ Best documentation (always up to date)
○ Use by example of the API (the public method you expose on your classes)
● Safety net for future change
Unit Tests - FIRST Principle
● Fast: run (subset of) tests quickly (since you'll be running them all the time)
● Independent: no tests depend on others, so can run any subset in any order
● Repeatable: run N times, get same result (to help isolate bugs and enable
automation)
● Self-checking: test can automatically detect if passed (no human checking of
output)
● Timely: written about the same time as code under test (with TDD, written
first!)
How to write ?
● Test behaviors, not method
● Each test have a clear intention : should_do_when_conditions
● 3 A’s rule:
○ Arrange (Given) all necessary preconditions and inputs
○ Act (When) on the object or method under test
○ Assert (Then) that the expected results have occurred
● You should begin by the intention, the Assert/Then
TDD loop
OVERVIEW
Analyse problem
Guiding tests list
RED
Declare & Name
Arrange, Act & Assert
Satisfy compiler
GREEN
Implement simplest
solution to make the
test pass
REFACTOR
Remove code smells
and improve readability
No new functionalities
Double loop
Kata “classic” lists
http://codingdojo.org/
https://leanpub.com/codingdojohandbook
Leap Year Kata
Write a function that returns true or false depending on whether its input integer is a
leap year or not.
A leap year is divisible by 4, but is not otherwise divisible by 100 unless it is also
divisible by 400.
● 2001 is a typical common year
● 1996 is a typical leap year
● 1900 is an atypical common year
● 2000 is an atypical leap year
Old Good One - FooBarQix
Write a program that displays numbers from 1 to 100. A number per line. Follow these
rules:
● If the number is divisible by 3, write "Foo"
● If the number is divisible by 5, write "Bar".
● If the number is divisible by 7, write "Qix".
● Else return the number converted to string
Old Good One - FooBarQix
Write a program that displays numbers from 1 to 100. A number per line. Follow these
rules:
● If the number is divisible by 3, write "Foo"
● If the number is divisible by 5, write "Bar".
● If the number is divisible by 7, write "Qix".
● Else return the number converted to string
● If the string representation contains 3, write "Foo" for each 3.
● If the string representation contains 5, write "Bar" for each 3.
● If the string representation contains 7, write "Qix" for each 3.
Old Good One - FooBarQix
Write a program that displays numbers from 1 to 100. A number per line. Follow these
rules:
● If the number is divisible by 3 or
● If the string representation contains 3, write "Foo" instead of 3.
● If the number is divisible by 5 or contains 5, write "Bar" instead of 5.
● If the number is divisible by 7 or 7 contains, write "Qix" instead of 7.
More specs:
● We watch the dividers before the content (eg 51 -> FooBar)
● We look at the content in the order in which it appears (eg 53 -> BarFoo)
● We look at the multi in the order Foo, Bar and Qix (eg 21 -> FooQix)
● 13 contains 3 therefore wrote "Foo"
● 15 is divisible by 3 and 5 and contains a 5 therefore written "FooBarBar"
● 33 contains twice 3 and is divisible by 3 therefore written "FooFooFoo"
Clean Code
A lots of principles
● Have clear intention
● Formating
● Naming
● SOLID
● YAGNI
● KISS
● Demeter’s law or “Tell don’t ask”
● Donald Norman’s Design Principles
Naming - the most difficult
● Understand the functional side
● Building common (“ubiquitous”) language
● Use intention revealing name
● Use clear and known mental mapping
● For class names, use nouns and avoid technical noisy term like Manager, Data
● Method names should have a verb
SOLID principles
● Single Responsibility
● Open / Closed
● Liskov Substitution
● Interface Segregation
● Dependency Inversion
Single Responsibility Principle - SRP
only one potential change in the software's specification should be able to affect the
specification of the class
● a class should have only a single responsibility / purpose
● all members in a class should be related to this responsibility
● If a class has multiple responsibilities, it should be divided into new classes
Surely breaking the principle if you have :
● A very big class (Line of Code, Total of methods metrics)
● A lack of cohesion of methods (LCOM4 metric)
SRP not respected
SRP respected
Open / Closed Principle - OCP
“software entities … should be open for extension, but closed for modification” -
Bertrand Meyer
● Once a module has been developed and tested, the code should only be adjusted
to correct bugs (closed).
● However it should be able to extend it to introduce new functionalities (open).
Surely breaking the principle if you have :
● A high cyclomatic complexity
● Too much conditionals instruction (if, switch..)
OCP not respected
OCP
Liskov Substitution Principle - LSP
“objects in a program should be replaceable with instances of their subtypes without
altering the correctness of that program.”
if S is a subtype of T, then objects of type T may be replaced with objects of type S (i.e.
objects of type S may substitute objects of type T) without altering any of the desirable
properties of that program (correctness, task performed, etc.)
Similar to Design by Contract by Bertrand Meyer
LSP not respected
LSP respected
Interface segregation principle - ISP
“many client-specific interfaces are better than one general-purpose interface”
● Client should not be forced to depend upon interfaces they do not use
● The number of members in the interface that are visible should be minimized
● Very large interface should be split into smaller ones
● Large classes should implement multiple small interface that group functions
according to their purpose (SRP once again)
ISP not respected
ISP respected
Dependency Inversion Principle - DIP
When dependencies exist between classes, they should depend upon abstractions,
such as interfaces, rather than referencing classes directly
● High-level modules should not depend on low-level modules.
○ Both should depend on abstractions.
● Abstractions should not depend upon details.
○ Details should depend upon abstractions.
Often met with the of dependency injection.
Surely breaking the principle when you have difficulty to test or change the behavior
of your code
DIP not respected
DIP respected
Domain Driven Design
● Ubiquitous language
● Value object / Entity / Aggregate
● Repository / Service
● Bounded context
● Anti-corruption layer
Hexagonal (Onion / Clean) Architecture
There are only two hard things in Computer Science: cache invalidation and naming
things.
-- Phil Karlton
Ubiquitous Language
To go farther : leaving the layered architecture
Classic drawbacks:
● typically assumes that an
application communicates with only
two external systems : the client and
the database.
● technical elements (like persistence
layer framework) creeps into the
domain logic
● difficult to test domain logic without
involving the data layer
Hexagonal Architecture
Principles:
● the domain model does not depend
on any other layer; all other layers
depend on the domain model.
● abstract external systems and APIs
with a Facade. A facade is a
simplified view of the external
system and an interface written in
terms of domain objects
● The domain logic will only deal with
the facade, and can be tested
thoroughly using stubbed and
mocked versions of that interface.
Time for Code Kata / Coding Dojo
Kata - refactoring
Trip Service Kata
The objective is to write tests and refactor the given legacy code.
https://github.com/sandromancuso/trip-service-kata
Birthday greetings Kata with hexagonal architecture
Business need:
● Loads a set of employee records from a flat file
● Sends a greetings email to all employees whose birthday is today
Example of email:
Subject: Happy birthday!
Body : Happy birthday, dear John!
Example of flat file:
last_name, first_name, date_of_birth, email
Doe, John, 1982/10/08, john.doe@foobar.com
Ann, Mary, 1975/09/11, mary.ann@foobar.com
public static void main(String[] args) {
...
BirthdayService birthdayService = new BirthdayService(
employeeRepository, emailService
);
birthdayService.sendGreetings(today());
}
Refactoring
Refactoring smells
- Duplicated code
- Long Method
- Large Class
- Long Parameter List
- Divergent Change
- Parallel Inheritance Hierarchies
- Lazy Class
- Shotgun Surgery
- Feature Envy
- Data Clumps
- Primitive Obsession
- Switch Statements
Refactoring smells
- Specualitve Generality
- Temporary Field
- Message Chains
- Middle Man
- Inapropriate Intimacy
- Alternative Classes with Different Interfaces
- Incomplete Library Class
- Data Class
- Refused Request
- Comments
Refactoring …..
- Composing Methods
- Moving Features between objects
- Simplifying Conditional Expression
- Making Method Calls Simpler
- Organizing Data
- Dealing with Generalization

Más contenido relacionado

Similar a Software Craftmanship - Cours Polytech

C STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptxC STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptx
SKUP ACADEMY
 

Similar a Software Craftmanship - Cours Polytech (20)

L05 Design Patterns
L05 Design PatternsL05 Design Patterns
L05 Design Patterns
 
From class to architecture
From class to architectureFrom class to architecture
From class to architecture
 
Coding conventions
Coding conventionsCoding conventions
Coding conventions
 
May 2021 Spark Testing ... or how to farm reputation on StackOverflow
May 2021 Spark Testing ... or how to farm reputation on StackOverflowMay 2021 Spark Testing ... or how to farm reputation on StackOverflow
May 2021 Spark Testing ... or how to farm reputation on StackOverflow
 
Principled And Clean Coding
Principled And Clean CodingPrincipled And Clean Coding
Principled And Clean Coding
 
Keeping code clean
Keeping code cleanKeeping code clean
Keeping code clean
 
Code Smells and Refactoring - Satyajit Dey & Ashif Iqbal
Code Smells and Refactoring - Satyajit Dey & Ashif IqbalCode Smells and Refactoring - Satyajit Dey & Ashif Iqbal
Code Smells and Refactoring - Satyajit Dey & Ashif Iqbal
 
Software development fundamentals
Software development fundamentalsSoftware development fundamentals
Software development fundamentals
 
C STANDARDS (C17).pptx
C STANDARDS (C17).pptxC STANDARDS (C17).pptx
C STANDARDS (C17).pptx
 
C STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptxC STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptx
 
C STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptxC STANDARDS (C17) (1).pptx
C STANDARDS (C17) (1).pptx
 
C STANDARDS (C17).pptx
C STANDARDS (C17).pptxC STANDARDS (C17).pptx
C STANDARDS (C17).pptx
 
Basics of writing clean code
Basics of writing clean codeBasics of writing clean code
Basics of writing clean code
 
Clean code
Clean codeClean code
Clean code
 
TDD in Python With Pytest
TDD in Python With PytestTDD in Python With Pytest
TDD in Python With Pytest
 
Hello to code
Hello to codeHello to code
Hello to code
 
Clean Code
Clean CodeClean Code
Clean Code
 
Design Like a Pro: Scripting Best Practices
Design Like a Pro: Scripting Best PracticesDesign Like a Pro: Scripting Best Practices
Design Like a Pro: Scripting Best Practices
 
Improving Software Quality Using Object Oriented Design Principles
Improving Software Quality Using Object Oriented Design PrinciplesImproving Software Quality Using Object Oriented Design Principles
Improving Software Quality Using Object Oriented Design Principles
 
Better java with design
Better java with designBetter java with design
Better java with design
 

Más de yannick grenzinger

Creons des produits exceptionnels
Creons des produits exceptionnelsCreons des produits exceptionnels
Creons des produits exceptionnels
yannick grenzinger
 

Más de yannick grenzinger (18)

Tour d'horizon des tests
Tour d'horizon des testsTour d'horizon des tests
Tour d'horizon des tests
 
Microservices depuis les tranchées
Microservices depuis les tranchéesMicroservices depuis les tranchées
Microservices depuis les tranchées
 
From Scrum To Flow
From Scrum To FlowFrom Scrum To Flow
From Scrum To Flow
 
Changements - psychologie systémique
Changements - psychologie systémiqueChangements - psychologie systémique
Changements - psychologie systémique
 
Spirale dynamique - Mieux comprendre les organisations
Spirale dynamique - Mieux comprendre les organisationsSpirale dynamique - Mieux comprendre les organisations
Spirale dynamique - Mieux comprendre les organisations
 
Paradigms programming from functional to multi-agent dataflow
Paradigms programming  from functional to multi-agent dataflowParadigms programming  from functional to multi-agent dataflow
Paradigms programming from functional to multi-agent dataflow
 
Guerilla DDD
Guerilla DDDGuerilla DDD
Guerilla DDD
 
Docker introduction for Carbon IT
Docker introduction for Carbon ITDocker introduction for Carbon IT
Docker introduction for Carbon IT
 
Le design du code de tous les jours
Le design du code  de tous les joursLe design du code  de tous les jours
Le design du code de tous les jours
 
Spirale Dynamique et Organisations
Spirale Dynamique et OrganisationsSpirale Dynamique et Organisations
Spirale Dynamique et Organisations
 
BBL - Lean Startup
BBL - Lean StartupBBL - Lean Startup
BBL - Lean Startup
 
Construisons des organisations adaptées au 21ème siècle
 Construisons des organisations adaptées au 21ème siècle Construisons des organisations adaptées au 21ème siècle
Construisons des organisations adaptées au 21ème siècle
 
Coding fast and slow
Coding fast and slowCoding fast and slow
Coding fast and slow
 
Liberez vos developpeurs
Liberez vos developpeursLiberez vos developpeurs
Liberez vos developpeurs
 
Devoxx france 2015 - Coding Fast and Slow
Devoxx france 2015 - Coding Fast and SlowDevoxx france 2015 - Coding Fast and Slow
Devoxx france 2015 - Coding Fast and Slow
 
Introduction à la Gamification
Introduction à la GamificationIntroduction à la Gamification
Introduction à la Gamification
 
Apprendre à apprendre pour innover, s'adapter et surtout survivre au 21ème si...
Apprendre à apprendre pour innover, s'adapter et surtout survivre au 21ème si...Apprendre à apprendre pour innover, s'adapter et surtout survivre au 21ème si...
Apprendre à apprendre pour innover, s'adapter et surtout survivre au 21ème si...
 
Creons des produits exceptionnels
Creons des produits exceptionnelsCreons des produits exceptionnels
Creons des produits exceptionnels
 

Último

Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Safe Software
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
WSO2
 

Último (20)

Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
Apidays New York 2024 - Accelerating FinTech Innovation by Vasa Krishnan, Fin...
 
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
Web Form Automation for Bonterra Impact Management (fka Social Solutions Apri...
 
AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024AXA XL - Insurer Innovation Award Americas 2024
AXA XL - Insurer Innovation Award Americas 2024
 
2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...2024: Domino Containers - The Next Step. News from the Domino Container commu...
2024: Domino Containers - The Next Step. News from the Domino Container commu...
 
Corporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptxCorporate and higher education May webinar.pptx
Corporate and higher education May webinar.pptx
 
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers:  A Deep Dive into Serverless Spatial Data and FMECloud Frontiers:  A Deep Dive into Serverless Spatial Data and FME
Cloud Frontiers: A Deep Dive into Serverless Spatial Data and FME
 
ICT role in 21st century education and its challenges
ICT role in 21st century education and its challengesICT role in 21st century education and its challenges
ICT role in 21st century education and its challenges
 
GenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdfGenAI Risks & Security Meetup 01052024.pdf
GenAI Risks & Security Meetup 01052024.pdf
 
Boost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdfBoost Fertility New Invention Ups Success Rates.pdf
Boost Fertility New Invention Ups Success Rates.pdf
 
Ransomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdfRansomware_Q4_2023. The report. [EN].pdf
Ransomware_Q4_2023. The report. [EN].pdf
 
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
Emergent Methods: Multi-lingual narrative tracking in the news - real-time ex...
 
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWEREMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
EMPOWERMENT TECHNOLOGY GRADE 11 QUARTER 2 REVIEWER
 
Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024Manulife - Insurer Transformation Award 2024
Manulife - Insurer Transformation Award 2024
 
Automating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps ScriptAutomating Google Workspace (GWS) & more with Apps Script
Automating Google Workspace (GWS) & more with Apps Script
 
presentation ICT roal in 21st century education
presentation ICT roal in 21st century educationpresentation ICT roal in 21st century education
presentation ICT roal in 21st century education
 
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data DiscoveryTrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
TrustArc Webinar - Unlock the Power of AI-Driven Data Discovery
 
Architecting Cloud Native Applications
Architecting Cloud Native ApplicationsArchitecting Cloud Native Applications
Architecting Cloud Native Applications
 
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law DevelopmentsTrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
TrustArc Webinar - Stay Ahead of US State Data Privacy Law Developments
 
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, AdobeApidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
Apidays New York 2024 - Scaling API-first by Ian Reasor and Radu Cotescu, Adobe
 
"I see eyes in my soup": How Delivery Hero implemented the safety system for ...
"I see eyes in my soup": How Delivery Hero implemented the safety system for ..."I see eyes in my soup": How Delivery Hero implemented the safety system for ...
"I see eyes in my soup": How Delivery Hero implemented the safety system for ...
 

Software Craftmanship - Cours Polytech

  • 3. Typical flow of development (before)
  • 4.
  • 7.
  • 8.
  • 9.
  • 10.
  • 11. But really for me as a developper, why craft is important ?
  • 12. Working software is not enough
  • 13. You don’t like code without it
  • 14. “I could list all of the qualities that I notice in clean code, but there is one overarching quality that leads to all of them. Clean code always looks like it was written by someone who cares. There is nothing obvious that you can do to make it better.” Michael Feathers, author of Working Effectively with Legacy Code
  • 15.
  • 16. Principles ● Quality : Simple Design (DDD, OO), clean code, refactoring, Tests (maybe TDD) ● Humility : I question myself and continuously improving ● Sharing : code review, pair (or mob) programming, collective code ownership ● Pragmatism : I understand the constraints and adapt myself if necessary ● Professionalism : I treat my client as a partner (principle of "courage" from XP) ● Boy Scout rule : "Always leave the campground cleaner than you found it."
  • 19. Why ?
  • 21. Why ? ● Fast feedback when you’re coding or on your continuous integration tool ● Best entry point for a new developer ○ Best documentation (always up to date) ○ Use by example of the API (the public method you expose on your classes) ● Safety net for future change
  • 22. Unit Tests - FIRST Principle ● Fast: run (subset of) tests quickly (since you'll be running them all the time) ● Independent: no tests depend on others, so can run any subset in any order ● Repeatable: run N times, get same result (to help isolate bugs and enable automation) ● Self-checking: test can automatically detect if passed (no human checking of output) ● Timely: written about the same time as code under test (with TDD, written first!)
  • 23. How to write ? ● Test behaviors, not method ● Each test have a clear intention : should_do_when_conditions ● 3 A’s rule: ○ Arrange (Given) all necessary preconditions and inputs ○ Act (When) on the object or method under test ○ Assert (Then) that the expected results have occurred ● You should begin by the intention, the Assert/Then
  • 24. TDD loop OVERVIEW Analyse problem Guiding tests list RED Declare & Name Arrange, Act & Assert Satisfy compiler GREEN Implement simplest solution to make the test pass REFACTOR Remove code smells and improve readability No new functionalities
  • 25.
  • 28. Leap Year Kata Write a function that returns true or false depending on whether its input integer is a leap year or not. A leap year is divisible by 4, but is not otherwise divisible by 100 unless it is also divisible by 400. ● 2001 is a typical common year ● 1996 is a typical leap year ● 1900 is an atypical common year ● 2000 is an atypical leap year
  • 29. Old Good One - FooBarQix Write a program that displays numbers from 1 to 100. A number per line. Follow these rules: ● If the number is divisible by 3, write "Foo" ● If the number is divisible by 5, write "Bar". ● If the number is divisible by 7, write "Qix". ● Else return the number converted to string
  • 30. Old Good One - FooBarQix Write a program that displays numbers from 1 to 100. A number per line. Follow these rules: ● If the number is divisible by 3, write "Foo" ● If the number is divisible by 5, write "Bar". ● If the number is divisible by 7, write "Qix". ● Else return the number converted to string ● If the string representation contains 3, write "Foo" for each 3. ● If the string representation contains 5, write "Bar" for each 3. ● If the string representation contains 7, write "Qix" for each 3.
  • 31. Old Good One - FooBarQix Write a program that displays numbers from 1 to 100. A number per line. Follow these rules: ● If the number is divisible by 3 or ● If the string representation contains 3, write "Foo" instead of 3. ● If the number is divisible by 5 or contains 5, write "Bar" instead of 5. ● If the number is divisible by 7 or 7 contains, write "Qix" instead of 7. More specs: ● We watch the dividers before the content (eg 51 -> FooBar) ● We look at the content in the order in which it appears (eg 53 -> BarFoo) ● We look at the multi in the order Foo, Bar and Qix (eg 21 -> FooQix) ● 13 contains 3 therefore wrote "Foo" ● 15 is divisible by 3 and 5 and contains a 5 therefore written "FooBarBar" ● 33 contains twice 3 and is divisible by 3 therefore written "FooFooFoo"
  • 33. A lots of principles ● Have clear intention ● Formating ● Naming ● SOLID ● YAGNI ● KISS ● Demeter’s law or “Tell don’t ask” ● Donald Norman’s Design Principles
  • 34. Naming - the most difficult ● Understand the functional side ● Building common (“ubiquitous”) language ● Use intention revealing name ● Use clear and known mental mapping ● For class names, use nouns and avoid technical noisy term like Manager, Data ● Method names should have a verb
  • 35. SOLID principles ● Single Responsibility ● Open / Closed ● Liskov Substitution ● Interface Segregation ● Dependency Inversion
  • 36.
  • 37. Single Responsibility Principle - SRP only one potential change in the software's specification should be able to affect the specification of the class ● a class should have only a single responsibility / purpose ● all members in a class should be related to this responsibility ● If a class has multiple responsibilities, it should be divided into new classes Surely breaking the principle if you have : ● A very big class (Line of Code, Total of methods metrics) ● A lack of cohesion of methods (LCOM4 metric)
  • 40.
  • 41. Open / Closed Principle - OCP “software entities … should be open for extension, but closed for modification” - Bertrand Meyer ● Once a module has been developed and tested, the code should only be adjusted to correct bugs (closed). ● However it should be able to extend it to introduce new functionalities (open). Surely breaking the principle if you have : ● A high cyclomatic complexity ● Too much conditionals instruction (if, switch..)
  • 43. OCP
  • 44.
  • 45. Liskov Substitution Principle - LSP “objects in a program should be replaceable with instances of their subtypes without altering the correctness of that program.” if S is a subtype of T, then objects of type T may be replaced with objects of type S (i.e. objects of type S may substitute objects of type T) without altering any of the desirable properties of that program (correctness, task performed, etc.) Similar to Design by Contract by Bertrand Meyer
  • 48.
  • 49. Interface segregation principle - ISP “many client-specific interfaces are better than one general-purpose interface” ● Client should not be forced to depend upon interfaces they do not use ● The number of members in the interface that are visible should be minimized ● Very large interface should be split into smaller ones ● Large classes should implement multiple small interface that group functions according to their purpose (SRP once again)
  • 52.
  • 53. Dependency Inversion Principle - DIP When dependencies exist between classes, they should depend upon abstractions, such as interfaces, rather than referencing classes directly ● High-level modules should not depend on low-level modules. ○ Both should depend on abstractions. ● Abstractions should not depend upon details. ○ Details should depend upon abstractions. Often met with the of dependency injection. Surely breaking the principle when you have difficulty to test or change the behavior of your code
  • 56. Domain Driven Design ● Ubiquitous language ● Value object / Entity / Aggregate ● Repository / Service ● Bounded context ● Anti-corruption layer Hexagonal (Onion / Clean) Architecture
  • 57. There are only two hard things in Computer Science: cache invalidation and naming things. -- Phil Karlton Ubiquitous Language
  • 58. To go farther : leaving the layered architecture Classic drawbacks: ● typically assumes that an application communicates with only two external systems : the client and the database. ● technical elements (like persistence layer framework) creeps into the domain logic ● difficult to test domain logic without involving the data layer
  • 59. Hexagonal Architecture Principles: ● the domain model does not depend on any other layer; all other layers depend on the domain model. ● abstract external systems and APIs with a Facade. A facade is a simplified view of the external system and an interface written in terms of domain objects ● The domain logic will only deal with the facade, and can be tested thoroughly using stubbed and mocked versions of that interface.
  • 60. Time for Code Kata / Coding Dojo
  • 61. Kata - refactoring Trip Service Kata The objective is to write tests and refactor the given legacy code. https://github.com/sandromancuso/trip-service-kata
  • 62. Birthday greetings Kata with hexagonal architecture Business need: ● Loads a set of employee records from a flat file ● Sends a greetings email to all employees whose birthday is today Example of email: Subject: Happy birthday! Body : Happy birthday, dear John! Example of flat file: last_name, first_name, date_of_birth, email Doe, John, 1982/10/08, john.doe@foobar.com Ann, Mary, 1975/09/11, mary.ann@foobar.com public static void main(String[] args) { ... BirthdayService birthdayService = new BirthdayService( employeeRepository, emailService ); birthdayService.sendGreetings(today()); }
  • 64. Refactoring smells - Duplicated code - Long Method - Large Class - Long Parameter List - Divergent Change - Parallel Inheritance Hierarchies - Lazy Class - Shotgun Surgery - Feature Envy - Data Clumps - Primitive Obsession - Switch Statements
  • 65. Refactoring smells - Specualitve Generality - Temporary Field - Message Chains - Middle Man - Inapropriate Intimacy - Alternative Classes with Different Interfaces - Incomplete Library Class - Data Class - Refused Request - Comments
  • 66. Refactoring ….. - Composing Methods - Moving Features between objects - Simplifying Conditional Expression - Making Method Calls Simpler - Organizing Data - Dealing with Generalization