SlideShare a Scribd company logo
1 of 55
Implementing
Domain Driven Design (DDD)
a practical guide
https://github.com/hikalkan/presentations
ABOUT ME
Halil İbrahim Kalkan
Web: halilibrahimkalkan.com
Github: @hikalkan
Twitter: @hibrahimkalkan
Co-Founder of
ASP.NET BOILERPLATE
6+ years continuous development
7.000+ stars on GitHub
1.500.000+ downloads on NuGet
https://aspnetboilerplate.com
Agenda
• Part-I: What is DDD?
• Architecture & layers
• Execution flow
• Building blocks
• Common principles
• Part-II: Implementing DDD
• Layering a Visual Studio solution
• Rules & Best Practices
• Examples
Part-I: What is DDD?
What is DDD?
• Domain-driven design (DDD) is an approach to
software development for complex needs by
connecting the implementation to an evolving model
• Focuses on the core domain logic rather than the
infrastructure.
• Suitable for complex domains and large-scale
applications.
• Helps to build a flexible, modular and maintainable
code base, based on the Object Oriented
Programming principles.
Domain Driven Design
Layers & Clean Architecture
Infrastructure
Layer
Presentation Layer
Application Layer
Domain Layer
Domain Driven Design
Core Building Blocks
Domain Layer
• Entity
• Value Object
• Aggregate & Aggregate Root
• Repository
• Domain Service
• Specification
• …
Application Layer
• Application Service
• Data Transfer Object (DTO)
• Unit of Work
• …
Domain Driven Design
Layering in Visual Studio
Application Layer
Domain Layer
Infrastructure Layer
Presentation Layer
Test Projects
• Domain.Shared
• IssueConsts
• IssueType (enum)
• Domain
• Issue
• IssueManager
• IIssueRepository
• Application.Contracts
• IIssueAppService
• IssueDto, IssueCreationDto
• Application
• IssueAppService (implementation)
• Infrastructure / EntityFrameworkCore
• EfCoreIssueRepository
• MyDbContext
• Web
• IssueController
• IssueViewModel
• Issues.cshtml
• Issues.js
Domain Driven Design
Layering in Visual Studio
Domain.SharedDomain
App.ContractsApplication
Web
Infrastructure / EntityFrameworkCore
Domain Driven Design
Execution Flow
Application
Services
Domain Services
Entities
Repositories
(interface)
HTTP API
MVC UIBrowsers
Remote clients DTO
DTO
HTTP request
HTTP request
HTML/JSON/js/css
JSON
DOMAIN layerAPPLICATION layerPRESENTATION layer
Distributed Services
Layer
Authorization
Validation
Exception Handling
Audit Logging
Caching
Authorization
Validation
Audit Logging
Unit of Work / DB Transaction
C R O S S C U T T I N G C O N C E R N S
Domain Driven Design
Common Principles
• Database / ORM independence
• Presentation technology agnostic
• Doesn’t care about reporting / mass querying
• Focuses on state changes of domain objects
Part-II: Implementation
Implementing Domain Driven Design (DDD)
Aggregates
Example
Guid Id
--------------------------------------
string Text
bool IsClosed
Enum CloseReason
--------------------------------------
Guid RepositoryId
Guid AssignedUserId
--------------------------------------
ICollection<Comment>
ICollection<IssueLabel>
Issue (aggregate root)
Guid IssueId
Guid LabelId
IssueLabel (value obj)
Guid Id
--------------------------------------
string Text
DateTime CreationTime
--------------------------------------
Guid IssueId
Guid UserId
Comment (entity)
Guid Id
--------------------------------------
string Name
…
…
Repository (agg. root)
Guid Id
--------------------------------------
string UserName
string Password
…
User (agg. root)
Guid Id
--------------------------------------
string Name
string Color
…
Label (agg. root)
Guid Id
--------------------------------------
…
…
Other (entity)
Issue Aggregate
Repository
Aggregate
User Aggregate
Label Aggregate
Aggregate Roots
Principles
• Saved & retrieved as a single unit
(with all sub-collections & all
properties)
• Should maintain self integrity &
validity by implementing domain
rules & constraints
• Responsible to manage sub
entities/objects
• An aggregate is generally
considered as a transaction
boundary.
• Should be serializable (already
required for NoSQL databases)
Aggregate Roots
Rule: Reference Other Aggregates only by Id
• Don’t define collections to other
aggregates!
• Don’t define navigation property to other
aggregates!
• Reference to other aggregate roots by Id.
Aggregate Roots
Tip: Keep it small
Considerations;
• Objects used together
• Query Performance
• Data Integrity & Validity
Aggregate Roots / Entities
Primary Keys
Aggregate Root
Define a single Primary Key (Id)
Entity
Can define a composite Primary Key
Suggestion: Prefer GUID as the PK
Aggregate Roots & Entities
Constructor
• Force to create a VALID entity
• Get minimum required arguments
• Check validity of inputs
• Initialize sub collections
• Create a private default constructor for
ORMs & deserialization
• Tip: Get id as an argument, don’t use
Guid.NewGuid() inside the constructor
• Use a service to create GUIDs
Aggregate Roots & Entities
Property Accessors & Methods
• Maintain object validity
• Use private setters when needed
• Change properties via methods
Aggregate Roots & Entities
Business Logic & Exceptions
• Implement Business Rules
• Define and throw specialized
exceptions
Aggregate Roots & Entities
Business Logic Requires External Services
• How to implement when you need external services?
• Business Rule: Can not assign more than 3 issues to a user!
Aggregate Roots & Entities
Business Logic Requires External Services
• How to implement when you need external services?
• Business Rule: Can not assign more than 3 issues to a user!
ALTERNATIVE..?
Create a Domain Service!
Repositories
Principles
• A repository is a collection-like interface to interact with the database
to read and write entities
• Define interface in the domain layer, implement in the infrastructure
• Do not include domain logic
• Repository interface should be database / ORM independent
• Create repositories for aggregate roots, not entities
Repositories
Do not Include Domain Logic
What is an In-Active issue?
Repositories
Do not Include Domain Logic
• Implicit definition of a
domain rule!
• How to re-use this
expression?
Repositories
Do not Include Domain Logic
• Implicit definition of a
domain rule!
• How to re-use this
expression?
• Copy/paste?
• Solution: The Specification
Pattern!
Specifications
Specification Interface
• A specification is a named, reusable & combinable class to filter
objects.
Specifications
Specification Interface
• A specification is a named, reusable & combinable class to filter
objects.
Specifications
Base Specification Class
Specifications
Define a Specification
Specifications
Use the Specification
Specifications
Use the Specification
Specifications
Combining Specifications
Specifications
Combining Specifications
Domain Services
Principles
• Implements domain logic that;
• Depends on services and repositories
• Needs to work with multiple entities / entity types
• Works with domain objects, not DTOs
Domain Services
Example
Business Rule: Can not assign more than 3 issues to a user
Domain Services
Example
Application Services
Principles
• Implement use cases of the application (application logic)
• Do not implement core domain logic
• Get & return Data Transfer Objects, not entities
• Use domain services, entities, repositories and other domain objects
inside
Application Services
Example • Inject domain services & repositories
• Get DTO as argument
• Get aggregate roots from repositories
• Use domain service to perform the
domain logic
• Always update the entity explicitly
(don’t assume the change tracking)
Application Services
Common DTO Principles Best Practices
• Should be serializable
• Should have a parameterless constructor
• Should not contain any business logic
• Never inherit from entities! Never reference to entities!
Application Services
Input DTO Best Practices
• Define only the properties needed for the use case
• Do not reuse same input DTO for multiple use
cases (service methods)
• Id is not used in create! Do not share
same DTO for create & update!
• Password is not used in Update and
ChangeUserName!
• CreationTime should not be sent by
the client!
Application Services
Input DTO Best Practices
• Define only the properties needed for the use case
• Do not reuse same input DTO for multiple use
cases (service methods)
Application Services
Input DTO Best Practices
• Implement only the formal validation (can use data annotation attributes)
• Don’t include domain validation logic (ex: unique user name constraint)
Application Services
Output DTO suggestions
• Keep output DTO count minimum. Reuse where possible (except input DTOs as output DTO).
• Can contain more properties than client needs
• Return the entity DTO from Create & update methods.
• Exception: Where performance is critical, especially for large result sets.
Application Services
Output DTO suggestions
Application Services
Object to Object Mapping
• Use auto object mapping libraries (but, carefully – enable configuration
validation)
• Do not map input DTOs to entities.
• Map entities to output DTOs
Application Services
Example: Entity Creation & DTO Mapping
• Don’t use DTO to entity auto-
mapping, use entity constructor.
• Perform additional domain actions.
• Use repository to insert the entity.
• Return DTO using auto-mapping.
Multiple Application Layers
Domain Layer
Back Office Application
Layer
Public Web Application
Layer
Mobile Application
Layer
Mobile APIMVC UIREST API
SPA Browser Mobile App
• Create separate application layers
for each application type.
• Use a single domain layer to share
the core domain logic.
Application Logic & Domain Logic
Examples..?
Business Logic
Application Logic
(Use Cases)
Domain Logic
Application Logic & Domain Logic
• Don’t create domain services to perform
simple CRUD operations!
• Use Repositories in the application services.
• Never pass DTOs to or return DTOs from
domain services!
• DTOs should be in the application layer.
Application Logic & Domain Logic
• Domain service should check
duplicate organization name.
• Domain service doesn’t perform
authorization!
• Do in the application layer!
• Domain service must not depend on
the current user!
• Do in the application/UI/API layer!
• Domain service must not send email
that is not related to the actual
business!
• Do in the application layer or implement
via domain events.
Application Logic & Domain Logic
• Application service methods should be a unit of
work (transactional) if contains more than one
database operations.
• Authorization is done in the application layer.
• Payment (infrastructure service) and Organization
creation should not be combined in the domain
layer. Should be orchestrated by the application
layer.
• Email sending can be done in the application service.
• Do not return entities from application services!
• Why not moving payment logic inside the domain
service?
Reference Books
Domain Driven Design
Eric Evans
Implementing
Domain Driven Design
Vaughn Vernon
Clean Architecture
Robert C. Martin
Thanks..! Questions..?
Halil İbrahim Kalkan
• http://halilibrahimkalkan.com
• GitHub @hikalkan
• Twitter @hibrahimkalkan
Presentation:
https://github.com/hikalkan/presentations

More Related Content

What's hot

What's hot (20)

Domain Driven Design
Domain Driven DesignDomain Driven Design
Domain Driven Design
 
Refactoring for Domain Driven Design
Refactoring for Domain Driven DesignRefactoring for Domain Driven Design
Refactoring for Domain Driven Design
 
Domain Driven Design
Domain Driven DesignDomain Driven Design
Domain Driven Design
 
Applying Domain-Driven Design to craft Rich Domain Models
Applying Domain-Driven Design to craft Rich Domain ModelsApplying Domain-Driven Design to craft Rich Domain Models
Applying Domain-Driven Design to craft Rich Domain Models
 
Domain Driven Design Introduction
Domain Driven Design IntroductionDomain Driven Design Introduction
Domain Driven Design Introduction
 
Clean architecture with asp.net core
Clean architecture with asp.net coreClean architecture with asp.net core
Clean architecture with asp.net core
 
Onion architecture
Onion architectureOnion architecture
Onion architecture
 
Domain Driven Design
Domain Driven DesignDomain Driven Design
Domain Driven Design
 
Introduction to Apache ZooKeeper
Introduction to Apache ZooKeeperIntroduction to Apache ZooKeeper
Introduction to Apache ZooKeeper
 
Scalability, Availability & Stability Patterns
Scalability, Availability & Stability PatternsScalability, Availability & Stability Patterns
Scalability, Availability & Stability Patterns
 
Introducing Domain Driven Design - codemash
Introducing Domain Driven Design - codemashIntroducing Domain Driven Design - codemash
Introducing Domain Driven Design - codemash
 
Introduction to MongoDB
Introduction to MongoDBIntroduction to MongoDB
Introduction to MongoDB
 
Introduction to DDD
Introduction to DDDIntroduction to DDD
Introduction to DDD
 
Rethinking Best Practices
Rethinking Best PracticesRethinking Best Practices
Rethinking Best Practices
 
Hexagonal architecture for java applications
Hexagonal architecture for java applicationsHexagonal architecture for java applications
Hexagonal architecture for java applications
 
Domain Driven Design (Ultra) Distilled
Domain Driven Design (Ultra) DistilledDomain Driven Design (Ultra) Distilled
Domain Driven Design (Ultra) Distilled
 
Domain Driven Design Quickly
Domain Driven Design QuicklyDomain Driven Design Quickly
Domain Driven Design Quickly
 
Intro to React
Intro to ReactIntro to React
Intro to React
 
React workshop presentation
React workshop presentationReact workshop presentation
React workshop presentation
 
Domain Driven Design
Domain Driven DesignDomain Driven Design
Domain Driven Design
 

Similar to .NET Fest 2019. Halil Ibrahim Kalkan. Implementing Domain Driven Design

Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
Decision CAMP
 

Similar to .NET Fest 2019. Halil Ibrahim Kalkan. Implementing Domain Driven Design (20)

Domain Driven Design
Domain Driven DesignDomain Driven Design
Domain Driven Design
 
Software design with Domain-driven design
Software design with Domain-driven design Software design with Domain-driven design
Software design with Domain-driven design
 
Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
Decision CAMP 2014 - Erik Marutian - Using rules-based gui framework to power...
 
An Introduction to Domain Driven Design in PHP
An Introduction to Domain Driven Design in PHPAn Introduction to Domain Driven Design in PHP
An Introduction to Domain Driven Design in PHP
 
2019-Nov: Domain Driven Design (DDD) and when not to use it
2019-Nov: Domain Driven Design (DDD) and when not to use it2019-Nov: Domain Driven Design (DDD) and when not to use it
2019-Nov: Domain Driven Design (DDD) and when not to use it
 
Soa 1 7.ppsx
Soa 1 7.ppsxSoa 1 7.ppsx
Soa 1 7.ppsx
 
Application Architecture
Application ArchitectureApplication Architecture
Application Architecture
 
Dojo Grids in XPages
Dojo Grids in XPagesDojo Grids in XPages
Dojo Grids in XPages
 
Sitecore development approach evolution – destination helix
Sitecore development approach evolution – destination helixSitecore development approach evolution – destination helix
Sitecore development approach evolution – destination helix
 
Diksha sda presentation
Diksha sda presentationDiksha sda presentation
Diksha sda presentation
 
ow.ppt
ow.pptow.ppt
ow.ppt
 
ow.ppt
ow.pptow.ppt
ow.ppt
 
Ow
OwOw
Ow
 
Azure Digital Twins 2.0
Azure Digital Twins 2.0Azure Digital Twins 2.0
Azure Digital Twins 2.0
 
Improving The Quality of Existing Software
Improving The Quality of Existing SoftwareImproving The Quality of Existing Software
Improving The Quality of Existing Software
 
Improving the Quality of Existing Software
Improving the Quality of Existing SoftwareImproving the Quality of Existing Software
Improving the Quality of Existing Software
 
From ddd to DDD : My journey from data-driven development to Domain-Driven De...
From ddd to DDD : My journey from data-driven development to Domain-Driven De...From ddd to DDD : My journey from data-driven development to Domain-Driven De...
From ddd to DDD : My journey from data-driven development to Domain-Driven De...
 
SDWest2005Goetsch
SDWest2005GoetschSDWest2005Goetsch
SDWest2005Goetsch
 
Code for Startup MVP (Ruby on Rails) Session 1
Code for Startup MVP (Ruby on Rails) Session 1Code for Startup MVP (Ruby on Rails) Session 1
Code for Startup MVP (Ruby on Rails) Session 1
 
Integrate Applications into IBM Connections Cloud and On Premises (AD 1632)
Integrate Applications into IBM Connections Cloud and On Premises (AD 1632)Integrate Applications into IBM Connections Cloud and On Premises (AD 1632)
Integrate Applications into IBM Connections Cloud and On Premises (AD 1632)
 

More from NETFest

More from NETFest (20)

.NET Fest 2019. Николай Балакин. Микрооптимизации в мире .NET
.NET Fest 2019. Николай Балакин. Микрооптимизации в мире .NET.NET Fest 2019. Николай Балакин. Микрооптимизации в мире .NET
.NET Fest 2019. Николай Балакин. Микрооптимизации в мире .NET
 
.NET Fest 2019. Сергей Калинец. Efficient Microservice Communication with .NE...
.NET Fest 2019. Сергей Калинец. Efficient Microservice Communication with .NE....NET Fest 2019. Сергей Калинец. Efficient Microservice Communication with .NE...
.NET Fest 2019. Сергей Калинец. Efficient Microservice Communication with .NE...
 
.NET Fest 2019. Оля Гавриш. .NET Core 3.0 и будущее .NET
.NET Fest 2019. Оля Гавриш. .NET Core 3.0 и будущее .NET.NET Fest 2019. Оля Гавриш. .NET Core 3.0 и будущее .NET
.NET Fest 2019. Оля Гавриш. .NET Core 3.0 и будущее .NET
 
.NET Fest 2019. Оля Гавриш. Машинное обучение для .NET программистов
.NET Fest 2019. Оля Гавриш. Машинное обучение для .NET программистов.NET Fest 2019. Оля Гавриш. Машинное обучение для .NET программистов
.NET Fest 2019. Оля Гавриш. Машинное обучение для .NET программистов
 
.NET Fest 2019. Roberto Freato. Provisioning Azure PaaS fluently with Managem...
.NET Fest 2019. Roberto Freato. Provisioning Azure PaaS fluently with Managem....NET Fest 2019. Roberto Freato. Provisioning Azure PaaS fluently with Managem...
.NET Fest 2019. Roberto Freato. Provisioning Azure PaaS fluently with Managem...
 
.NET Fest 2019. Сергій Бута. Feature Toggles: Dynamic Configuration at Wirex
.NET Fest 2019. Сергій Бута. Feature Toggles: Dynamic Configuration at Wirex.NET Fest 2019. Сергій Бута. Feature Toggles: Dynamic Configuration at Wirex
.NET Fest 2019. Сергій Бута. Feature Toggles: Dynamic Configuration at Wirex
 
.NET Fest 2019. Michael Staib. Hot Chocolate: GraphQL Schema Stitching with A...
.NET Fest 2019. Michael Staib. Hot Chocolate: GraphQL Schema Stitching with A....NET Fest 2019. Michael Staib. Hot Chocolate: GraphQL Schema Stitching with A...
.NET Fest 2019. Michael Staib. Hot Chocolate: GraphQL Schema Stitching with A...
 
.NET Fest 2019. Андрей Литвинов. Async lifetime tests with xUnit and AutoFixture
.NET Fest 2019. Андрей Литвинов. Async lifetime tests with xUnit and AutoFixture.NET Fest 2019. Андрей Литвинов. Async lifetime tests with xUnit and AutoFixture
.NET Fest 2019. Андрей Литвинов. Async lifetime tests with xUnit and AutoFixture
 
.NET Fest 2019. Анатолий Колесник. Love, Death & F# Tests
.NET Fest 2019. Анатолий Колесник. Love, Death & F# Tests.NET Fest 2019. Анатолий Колесник. Love, Death & F# Tests
.NET Fest 2019. Анатолий Колесник. Love, Death & F# Tests
 
.NET Fest 2019. Алексей Голуб. Монадные парсер-комбинаторы в C# (простой спос...
.NET Fest 2019. Алексей Голуб. Монадные парсер-комбинаторы в C# (простой спос....NET Fest 2019. Алексей Голуб. Монадные парсер-комбинаторы в C# (простой спос...
.NET Fest 2019. Алексей Голуб. Монадные парсер-комбинаторы в C# (простой спос...
 
.NET Fest 2019. Roberto Freato. Azure App Service deep dive
.NET Fest 2019. Roberto Freato. Azure App Service deep dive.NET Fest 2019. Roberto Freato. Azure App Service deep dive
.NET Fest 2019. Roberto Freato. Azure App Service deep dive
 
.NET Fest 2019. Леонид Молотиевский. DotNet Core in production
.NET Fest 2019. Леонид Молотиевский. DotNet Core in production.NET Fest 2019. Леонид Молотиевский. DotNet Core in production
.NET Fest 2019. Леонид Молотиевский. DotNet Core in production
 
.NET Fest 2019. Александр Демчук. How to measure relationships within the Com...
.NET Fest 2019. Александр Демчук. How to measure relationships within the Com....NET Fest 2019. Александр Демчук. How to measure relationships within the Com...
.NET Fest 2019. Александр Демчук. How to measure relationships within the Com...
 
.NET Fest 2019. Anna Melashkina та Philipp Bauknecht. Dragons in a Mixed Real...
.NET Fest 2019. Anna Melashkina та Philipp Bauknecht. Dragons in a Mixed Real....NET Fest 2019. Anna Melashkina та Philipp Bauknecht. Dragons in a Mixed Real...
.NET Fest 2019. Anna Melashkina та Philipp Bauknecht. Dragons in a Mixed Real...
 
.NET Fest 2019. Alex Thissen. Architecting .NET solutions in a Docker ecosystem
.NET Fest 2019. Alex Thissen. Architecting .NET solutions in a Docker ecosystem.NET Fest 2019. Alex Thissen. Architecting .NET solutions in a Docker ecosystem
.NET Fest 2019. Alex Thissen. Architecting .NET solutions in a Docker ecosystem
 
.NET Fest 2019. Stas Lebedenko. Practical serverless use cases in Azure with ...
.NET Fest 2019. Stas Lebedenko. Practical serverless use cases in Azure with ....NET Fest 2019. Stas Lebedenko. Practical serverless use cases in Azure with ...
.NET Fest 2019. Stas Lebedenko. Practical serverless use cases in Azure with ...
 
.NET Fest 2019. Сергей Медведев. How serverless makes Integration TDD a reali...
.NET Fest 2019. Сергей Медведев. How serverless makes Integration TDD a reali....NET Fest 2019. Сергей Медведев. How serverless makes Integration TDD a reali...
.NET Fest 2019. Сергей Медведев. How serverless makes Integration TDD a reali...
 
.NET Fest 2019. Сергей Корж. Natural Language Processing in .NET
.NET Fest 2019. Сергей Корж. Natural Language Processing in .NET.NET Fest 2019. Сергей Корж. Natural Language Processing in .NET
.NET Fest 2019. Сергей Корж. Natural Language Processing in .NET
 
.NET Fest 2019. Eran Stiller. Create Your Own Serverless PKI with .NET & Azur...
.NET Fest 2019. Eran Stiller. Create Your Own Serverless PKI with .NET & Azur....NET Fest 2019. Eran Stiller. Create Your Own Serverless PKI with .NET & Azur...
.NET Fest 2019. Eran Stiller. Create Your Own Serverless PKI with .NET & Azur...
 
.NET Fest 2019. Eran Stiller. 6 Lessons I Learned on My Journey from Monolith...
.NET Fest 2019. Eran Stiller. 6 Lessons I Learned on My Journey from Monolith....NET Fest 2019. Eran Stiller. 6 Lessons I Learned on My Journey from Monolith...
.NET Fest 2019. Eran Stiller. 6 Lessons I Learned on My Journey from Monolith...
 

Recently uploaded

Spellings Wk 3 English CAPS CARES Please Practise
Spellings Wk 3 English CAPS CARES Please PractiseSpellings Wk 3 English CAPS CARES Please Practise
Spellings Wk 3 English CAPS CARES Please Practise
AnaAcapella
 
Seal of Good Local Governance (SGLG) 2024Final.pptx
Seal of Good Local Governance (SGLG) 2024Final.pptxSeal of Good Local Governance (SGLG) 2024Final.pptx
Seal of Good Local Governance (SGLG) 2024Final.pptx
negromaestrong
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
ciinovamais
 

Recently uploaded (20)

SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptxSKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
SKILL OF INTRODUCING THE LESSON MICRO SKILLS.pptx
 
Unit-IV; Professional Sales Representative (PSR).pptx
Unit-IV; Professional Sales Representative (PSR).pptxUnit-IV; Professional Sales Representative (PSR).pptx
Unit-IV; Professional Sales Representative (PSR).pptx
 
How to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POSHow to Manage Global Discount in Odoo 17 POS
How to Manage Global Discount in Odoo 17 POS
 
psychiatric nursing HISTORY COLLECTION .docx
psychiatric  nursing HISTORY  COLLECTION  .docxpsychiatric  nursing HISTORY  COLLECTION  .docx
psychiatric nursing HISTORY COLLECTION .docx
 
Asian American Pacific Islander Month DDSD 2024.pptx
Asian American Pacific Islander Month DDSD 2024.pptxAsian American Pacific Islander Month DDSD 2024.pptx
Asian American Pacific Islander Month DDSD 2024.pptx
 
Understanding Accommodations and Modifications
Understanding  Accommodations and ModificationsUnderstanding  Accommodations and Modifications
Understanding Accommodations and Modifications
 
PROCESS RECORDING FORMAT.docx
PROCESS      RECORDING        FORMAT.docxPROCESS      RECORDING        FORMAT.docx
PROCESS RECORDING FORMAT.docx
 
Grant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy ConsultingGrant Readiness 101 TechSoup and Remy Consulting
Grant Readiness 101 TechSoup and Remy Consulting
 
Making communications land - Are they received and understood as intended? we...
Making communications land - Are they received and understood as intended? we...Making communications land - Are they received and understood as intended? we...
Making communications land - Are they received and understood as intended? we...
 
Spellings Wk 3 English CAPS CARES Please Practise
Spellings Wk 3 English CAPS CARES Please PractiseSpellings Wk 3 English CAPS CARES Please Practise
Spellings Wk 3 English CAPS CARES Please Practise
 
Introduction to Nonprofit Accounting: The Basics
Introduction to Nonprofit Accounting: The BasicsIntroduction to Nonprofit Accounting: The Basics
Introduction to Nonprofit Accounting: The Basics
 
SOC 101 Demonstration of Learning Presentation
SOC 101 Demonstration of Learning PresentationSOC 101 Demonstration of Learning Presentation
SOC 101 Demonstration of Learning Presentation
 
Key note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdfKey note speaker Neum_Admir Softic_ENG.pdf
Key note speaker Neum_Admir Softic_ENG.pdf
 
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
TỔNG ÔN TẬP THI VÀO LỚP 10 MÔN TIẾNG ANH NĂM HỌC 2023 - 2024 CÓ ĐÁP ÁN (NGỮ Â...
 
Micro-Scholarship, What it is, How can it help me.pdf
Micro-Scholarship, What it is, How can it help me.pdfMicro-Scholarship, What it is, How can it help me.pdf
Micro-Scholarship, What it is, How can it help me.pdf
 
Accessible Digital Futures project (20/03/2024)
Accessible Digital Futures project (20/03/2024)Accessible Digital Futures project (20/03/2024)
Accessible Digital Futures project (20/03/2024)
 
Python Notes for mca i year students osmania university.docx
Python Notes for mca i year students osmania university.docxPython Notes for mca i year students osmania university.docx
Python Notes for mca i year students osmania university.docx
 
Seal of Good Local Governance (SGLG) 2024Final.pptx
Seal of Good Local Governance (SGLG) 2024Final.pptxSeal of Good Local Governance (SGLG) 2024Final.pptx
Seal of Good Local Governance (SGLG) 2024Final.pptx
 
Activity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdfActivity 01 - Artificial Culture (1).pdf
Activity 01 - Artificial Culture (1).pdf
 
Mehran University Newsletter Vol-X, Issue-I, 2024
Mehran University Newsletter Vol-X, Issue-I, 2024Mehran University Newsletter Vol-X, Issue-I, 2024
Mehran University Newsletter Vol-X, Issue-I, 2024
 

.NET Fest 2019. Halil Ibrahim Kalkan. Implementing Domain Driven Design

  • 1. Implementing Domain Driven Design (DDD) a practical guide https://github.com/hikalkan/presentations
  • 2. ABOUT ME Halil İbrahim Kalkan Web: halilibrahimkalkan.com Github: @hikalkan Twitter: @hibrahimkalkan Co-Founder of
  • 3. ASP.NET BOILERPLATE 6+ years continuous development 7.000+ stars on GitHub 1.500.000+ downloads on NuGet https://aspnetboilerplate.com
  • 4. Agenda • Part-I: What is DDD? • Architecture & layers • Execution flow • Building blocks • Common principles • Part-II: Implementing DDD • Layering a Visual Studio solution • Rules & Best Practices • Examples
  • 6. What is DDD? • Domain-driven design (DDD) is an approach to software development for complex needs by connecting the implementation to an evolving model • Focuses on the core domain logic rather than the infrastructure. • Suitable for complex domains and large-scale applications. • Helps to build a flexible, modular and maintainable code base, based on the Object Oriented Programming principles.
  • 7. Domain Driven Design Layers & Clean Architecture Infrastructure Layer Presentation Layer Application Layer Domain Layer
  • 8. Domain Driven Design Core Building Blocks Domain Layer • Entity • Value Object • Aggregate & Aggregate Root • Repository • Domain Service • Specification • … Application Layer • Application Service • Data Transfer Object (DTO) • Unit of Work • …
  • 9. Domain Driven Design Layering in Visual Studio Application Layer Domain Layer Infrastructure Layer Presentation Layer Test Projects • Domain.Shared • IssueConsts • IssueType (enum) • Domain • Issue • IssueManager • IIssueRepository • Application.Contracts • IIssueAppService • IssueDto, IssueCreationDto • Application • IssueAppService (implementation) • Infrastructure / EntityFrameworkCore • EfCoreIssueRepository • MyDbContext • Web • IssueController • IssueViewModel • Issues.cshtml • Issues.js
  • 10. Domain Driven Design Layering in Visual Studio Domain.SharedDomain App.ContractsApplication Web Infrastructure / EntityFrameworkCore
  • 11. Domain Driven Design Execution Flow Application Services Domain Services Entities Repositories (interface) HTTP API MVC UIBrowsers Remote clients DTO DTO HTTP request HTTP request HTML/JSON/js/css JSON DOMAIN layerAPPLICATION layerPRESENTATION layer Distributed Services Layer Authorization Validation Exception Handling Audit Logging Caching Authorization Validation Audit Logging Unit of Work / DB Transaction C R O S S C U T T I N G C O N C E R N S
  • 12. Domain Driven Design Common Principles • Database / ORM independence • Presentation technology agnostic • Doesn’t care about reporting / mass querying • Focuses on state changes of domain objects
  • 14. Aggregates Example Guid Id -------------------------------------- string Text bool IsClosed Enum CloseReason -------------------------------------- Guid RepositoryId Guid AssignedUserId -------------------------------------- ICollection<Comment> ICollection<IssueLabel> Issue (aggregate root) Guid IssueId Guid LabelId IssueLabel (value obj) Guid Id -------------------------------------- string Text DateTime CreationTime -------------------------------------- Guid IssueId Guid UserId Comment (entity) Guid Id -------------------------------------- string Name … … Repository (agg. root) Guid Id -------------------------------------- string UserName string Password … User (agg. root) Guid Id -------------------------------------- string Name string Color … Label (agg. root) Guid Id -------------------------------------- … … Other (entity) Issue Aggregate Repository Aggregate User Aggregate Label Aggregate
  • 15. Aggregate Roots Principles • Saved & retrieved as a single unit (with all sub-collections & all properties) • Should maintain self integrity & validity by implementing domain rules & constraints • Responsible to manage sub entities/objects • An aggregate is generally considered as a transaction boundary. • Should be serializable (already required for NoSQL databases)
  • 16. Aggregate Roots Rule: Reference Other Aggregates only by Id • Don’t define collections to other aggregates! • Don’t define navigation property to other aggregates! • Reference to other aggregate roots by Id.
  • 17. Aggregate Roots Tip: Keep it small Considerations; • Objects used together • Query Performance • Data Integrity & Validity
  • 18. Aggregate Roots / Entities Primary Keys Aggregate Root Define a single Primary Key (Id) Entity Can define a composite Primary Key Suggestion: Prefer GUID as the PK
  • 19. Aggregate Roots & Entities Constructor • Force to create a VALID entity • Get minimum required arguments • Check validity of inputs • Initialize sub collections • Create a private default constructor for ORMs & deserialization • Tip: Get id as an argument, don’t use Guid.NewGuid() inside the constructor • Use a service to create GUIDs
  • 20. Aggregate Roots & Entities Property Accessors & Methods • Maintain object validity • Use private setters when needed • Change properties via methods
  • 21. Aggregate Roots & Entities Business Logic & Exceptions • Implement Business Rules • Define and throw specialized exceptions
  • 22. Aggregate Roots & Entities Business Logic Requires External Services • How to implement when you need external services? • Business Rule: Can not assign more than 3 issues to a user!
  • 23. Aggregate Roots & Entities Business Logic Requires External Services • How to implement when you need external services? • Business Rule: Can not assign more than 3 issues to a user! ALTERNATIVE..? Create a Domain Service!
  • 24. Repositories Principles • A repository is a collection-like interface to interact with the database to read and write entities • Define interface in the domain layer, implement in the infrastructure • Do not include domain logic • Repository interface should be database / ORM independent • Create repositories for aggregate roots, not entities
  • 25. Repositories Do not Include Domain Logic What is an In-Active issue?
  • 26. Repositories Do not Include Domain Logic • Implicit definition of a domain rule! • How to re-use this expression?
  • 27. Repositories Do not Include Domain Logic • Implicit definition of a domain rule! • How to re-use this expression? • Copy/paste? • Solution: The Specification Pattern!
  • 28. Specifications Specification Interface • A specification is a named, reusable & combinable class to filter objects.
  • 29. Specifications Specification Interface • A specification is a named, reusable & combinable class to filter objects.
  • 36. Domain Services Principles • Implements domain logic that; • Depends on services and repositories • Needs to work with multiple entities / entity types • Works with domain objects, not DTOs
  • 37. Domain Services Example Business Rule: Can not assign more than 3 issues to a user
  • 39. Application Services Principles • Implement use cases of the application (application logic) • Do not implement core domain logic • Get & return Data Transfer Objects, not entities • Use domain services, entities, repositories and other domain objects inside
  • 40. Application Services Example • Inject domain services & repositories • Get DTO as argument • Get aggregate roots from repositories • Use domain service to perform the domain logic • Always update the entity explicitly (don’t assume the change tracking)
  • 41. Application Services Common DTO Principles Best Practices • Should be serializable • Should have a parameterless constructor • Should not contain any business logic • Never inherit from entities! Never reference to entities!
  • 42. Application Services Input DTO Best Practices • Define only the properties needed for the use case • Do not reuse same input DTO for multiple use cases (service methods) • Id is not used in create! Do not share same DTO for create & update! • Password is not used in Update and ChangeUserName! • CreationTime should not be sent by the client!
  • 43. Application Services Input DTO Best Practices • Define only the properties needed for the use case • Do not reuse same input DTO for multiple use cases (service methods)
  • 44. Application Services Input DTO Best Practices • Implement only the formal validation (can use data annotation attributes) • Don’t include domain validation logic (ex: unique user name constraint)
  • 45. Application Services Output DTO suggestions • Keep output DTO count minimum. Reuse where possible (except input DTOs as output DTO). • Can contain more properties than client needs • Return the entity DTO from Create & update methods. • Exception: Where performance is critical, especially for large result sets.
  • 47. Application Services Object to Object Mapping • Use auto object mapping libraries (but, carefully – enable configuration validation) • Do not map input DTOs to entities. • Map entities to output DTOs
  • 48. Application Services Example: Entity Creation & DTO Mapping • Don’t use DTO to entity auto- mapping, use entity constructor. • Perform additional domain actions. • Use repository to insert the entity. • Return DTO using auto-mapping.
  • 49. Multiple Application Layers Domain Layer Back Office Application Layer Public Web Application Layer Mobile Application Layer Mobile APIMVC UIREST API SPA Browser Mobile App • Create separate application layers for each application type. • Use a single domain layer to share the core domain logic.
  • 50. Application Logic & Domain Logic Examples..? Business Logic Application Logic (Use Cases) Domain Logic
  • 51. Application Logic & Domain Logic • Don’t create domain services to perform simple CRUD operations! • Use Repositories in the application services. • Never pass DTOs to or return DTOs from domain services! • DTOs should be in the application layer.
  • 52. Application Logic & Domain Logic • Domain service should check duplicate organization name. • Domain service doesn’t perform authorization! • Do in the application layer! • Domain service must not depend on the current user! • Do in the application/UI/API layer! • Domain service must not send email that is not related to the actual business! • Do in the application layer or implement via domain events.
  • 53. Application Logic & Domain Logic • Application service methods should be a unit of work (transactional) if contains more than one database operations. • Authorization is done in the application layer. • Payment (infrastructure service) and Organization creation should not be combined in the domain layer. Should be orchestrated by the application layer. • Email sending can be done in the application service. • Do not return entities from application services! • Why not moving payment logic inside the domain service?
  • 54. Reference Books Domain Driven Design Eric Evans Implementing Domain Driven Design Vaughn Vernon Clean Architecture Robert C. Martin
  • 55. Thanks..! Questions..? Halil İbrahim Kalkan • http://halilibrahimkalkan.com • GitHub @hikalkan • Twitter @hibrahimkalkan Presentation: https://github.com/hikalkan/presentations