SlideShare a Scribd company logo
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

PDF
Introduction to Docker Compose
PPTX
01. Kubernetes-PPT.pptx
PPTX
Kubernetes Basics
PDF
Helm - Application deployment management for Kubernetes
PDF
GitOps with ArgoCD
PPTX
Kubernetes introduction
PDF
kubernetes, pourquoi et comment
PDF
Kubernetes architecture
Introduction to Docker Compose
01. Kubernetes-PPT.pptx
Kubernetes Basics
Helm - Application deployment management for Kubernetes
GitOps with ArgoCD
Kubernetes introduction
kubernetes, pourquoi et comment
Kubernetes architecture

What's hot (20)

PDF
Kubernetes dealing with storage and persistence
PPTX
What Is A Docker Container? | Docker Container Tutorial For Beginners| Docker...
PPTX
Docker Tutorial For Beginners | What Is Docker And How It Works? | Docker Tut...
PPTX
Introducing Domain Driven Design - codemash
PDF
MySQL - NDB Cluster
PDF
Tadx - Présentation Conteneurisation
PPTX
Basics of Vue.js 2019
PDF
Devops - Microservice and Kubernetes
PDF
Introduction to Kubernetes and Google Container Engine (GKE)
PPTX
Repository Pattern with c# and Entity Framework
PDF
Gitlab, GitOps & ArgoCD
PPTX
Kubernetes for Beginners: An Introductory Guide
PDF
Docker Basics
PDF
Kubernetes 101
PDF
Version Control & Git
PPTX
Implementing DDD with C#
PDF
What Is Helm
PPTX
Git - Basic Crash Course
Kubernetes dealing with storage and persistence
What Is A Docker Container? | Docker Container Tutorial For Beginners| Docker...
Docker Tutorial For Beginners | What Is Docker And How It Works? | Docker Tut...
Introducing Domain Driven Design - codemash
MySQL - NDB Cluster
Tadx - Présentation Conteneurisation
Basics of Vue.js 2019
Devops - Microservice and Kubernetes
Introduction to Kubernetes and Google Container Engine (GKE)
Repository Pattern with c# and Entity Framework
Gitlab, GitOps & ArgoCD
Kubernetes for Beginners: An Introductory Guide
Docker Basics
Kubernetes 101
Version Control & Git
Implementing DDD with C#
What Is Helm
Git - Basic Crash Course
Ad

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

PPTX
Domain Driven Design(DDD) Presentation
PPT
Domain Driven Design (DDD)
PPTX
Seminar - Scalable Enterprise Application Development Using DDD and CQRS
PPTX
Refreshing Domain Driven Design
PPTX
Domain Driven Design
PPTX
A Practical Guide to Domain Driven Design: Presentation Slides
PPTX
Introduction to DDD
PPTX
Designing DDD Aggregates
PDF
ddd.pdf
PPTX
Domain Driven Design Belfast Meetup - Overview, Lessons and Examples by Josh ...
PPT
Domain driven design
PPTX
Domain Driven Design
PDF
Beyond MVC: from Model to Domain
PDF
Domain driven design: a gentle introduction
PDF
Elements of DDD with ASP.NET MVC & Entity Framework Code First
PDF
Domain Driven Design
PPTX
Schibsted Spain - Day 1 - DDD Course
PPTX
Practical domain driven design
PPTX
Domain Driven Design
Domain Driven Design(DDD) Presentation
Domain Driven Design (DDD)
Seminar - Scalable Enterprise Application Development Using DDD and CQRS
Refreshing Domain Driven Design
Domain Driven Design
A Practical Guide to Domain Driven Design: Presentation Slides
Introduction to DDD
Designing DDD Aggregates
ddd.pdf
Domain Driven Design Belfast Meetup - Overview, Lessons and Examples by Josh ...
Domain driven design
Domain Driven Design
Beyond MVC: from Model to Domain
Domain driven design: a gentle introduction
Elements of DDD with ASP.NET MVC & Entity Framework Code First
Domain Driven Design
Schibsted Spain - Day 1 - DDD Course
Practical domain driven design
Domain Driven Design
Ad

More from NETFest (20)

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

Recently uploaded (20)

PDF
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
PDF
3rd Neelam Sanjeevareddy Memorial Lecture.pdf
PPTX
Cell Types and Its function , kingdom of life
PDF
TR - Agricultural Crops Production NC III.pdf
PDF
Classroom Observation Tools for Teachers
PPTX
Pharmacology of Heart Failure /Pharmacotherapy of CHF
PPTX
1st Inaugural Professorial Lecture held on 19th February 2020 (Governance and...
PPTX
Cell Structure & Organelles in detailed.
PDF
102 student loan defaulters named and shamed – Is someone you know on the list?
PDF
Pre independence Education in Inndia.pdf
PPTX
PPH.pptx obstetrics and gynecology in nursing
PPTX
Introduction_to_Human_Anatomy_and_Physiology_for_B.Pharm.pptx
PPTX
human mycosis Human fungal infections are called human mycosis..pptx
PDF
01-Introduction-to-Information-Management.pdf
PPTX
master seminar digital applications in india
PDF
Computing-Curriculum for Schools in Ghana
PPTX
Pharma ospi slides which help in ospi learning
PPTX
Lesson notes of climatology university.
PPTX
Microbial diseases, their pathogenesis and prophylaxis
PPTX
PPT- ENG7_QUARTER1_LESSON1_WEEK1. IMAGERY -DESCRIPTIONS pptx.pptx
Black Hat USA 2025 - Micro ICS Summit - ICS/OT Threat Landscape
3rd Neelam Sanjeevareddy Memorial Lecture.pdf
Cell Types and Its function , kingdom of life
TR - Agricultural Crops Production NC III.pdf
Classroom Observation Tools for Teachers
Pharmacology of Heart Failure /Pharmacotherapy of CHF
1st Inaugural Professorial Lecture held on 19th February 2020 (Governance and...
Cell Structure & Organelles in detailed.
102 student loan defaulters named and shamed – Is someone you know on the list?
Pre independence Education in Inndia.pdf
PPH.pptx obstetrics and gynecology in nursing
Introduction_to_Human_Anatomy_and_Physiology_for_B.Pharm.pptx
human mycosis Human fungal infections are called human mycosis..pptx
01-Introduction-to-Information-Management.pdf
master seminar digital applications in india
Computing-Curriculum for Schools in Ghana
Pharma ospi slides which help in ospi learning
Lesson notes of climatology university.
Microbial diseases, their pathogenesis and prophylaxis
PPT- ENG7_QUARTER1_LESSON1_WEEK1. IMAGERY -DESCRIPTIONS pptx.pptx

.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