Bir DDD deposunun tipik bir uygulaması çok OO'ya benzemez, örneğin bir save()
yöntem:
package com.example.domain;
public class Product { /* public attributes for brevity */
public String name;
public Double price;
}
public interface ProductRepo {
void save(Product product);
}
Altyapı bölümü:
package com.example.infrastructure;
// imports...
public class JdbcProductRepo implements ProductRepo {
private JdbcTemplate = ...
public void save(Product product) {
JdbcTemplate.update("INSERT INTO product (name, price) VALUES (?, ?)",
product.name, product.price);
}
}
Böyle bir arayüz Product
a'nın en azından alıcılarla birlikte anemik bir model olmasını bekler .
Öte yandan OOP, bir Product
nesnenin kendini nasıl kurtaracağını bilmesi gerektiğini söylüyor .
package com.example.domain;
public class Product {
private String name;
private Double price;
void save() {
// save the product
// ???
}
}
Zaman şey, Product
kendisini kurtarmak için nasıl bilir o infstrastructure kod alanı kodundan ayrı değil demektir.
Belki de tasarrufu başka bir nesneye devredebiliriz:
package com.example.domain;
public class Product {
private String name;
private Double price;
void save(Storage storage) {
storage
.with("name", this.name)
.with("price", this.price)
.save();
}
}
public interface Storage {
Storage with(String name, Object value);
void save();
}
Altyapı bölümü:
package com.example.infrastructure;
// imports...
public class JdbcProductRepo implements ProductRepo {
public void save(Product product) {
product.save(new JdbcStorage());
}
}
class JdbcStorage implements Storage {
private final JdbcTemplate = ...
private final Map<String, Object> attrs = new HashMap<>();
private final String tableName;
public JdbcStorage(String tableName) {
this.tableName = tableName;
}
public Storage with(String name, Object value) {
attrs.put(name, value);
}
public void save() {
JdbcTemplate.update("INSERT INTO " + tableName + " (name, price) VALUES (?, ?)",
attrs.get("name"), attrs.get("price"));
}
}
Bunu başarmak için en iyi yaklaşım nedir? Nesne yönelimli bir havuz uygulamak mümkün müdür?