购物环境建模

时间:2014-08-10 13:43:31

标签: oop design-patterns domain-driven-design modeling cqrs

我想以DDD的方式编写我的第一个应用程序(电子商务),我想知道我是否把一切都搞定了所以我希望你对我的建模有所了解 - 如何改进它,应该怎么做?我寻找等等。我们将非常感谢您的反馈。

我已将我的应用程序划分为几个有界的上下文(目录,购物,订购),以下示例基于购物。我也在尝试使用CQRS(因此AddProductToCart命令)。

我的业务要求如下:

  • 客户应该能够将产品添加到购物车
  • 添加产品的价格应特定于用户,并且基于以下几个因素:(全球折扣,用户折扣和客户所在国家/地区(某些国家/地区已降低基本价格)

我认识了以下演员(请注意方法和课程的评论):

/**
 * A customer (Aggregate Root) having an unique cart
 */
class Customer
{
    /**
     * @var int
     */
    private $customerId;

    /**
     * @var string
     */
    private $country;

    /**
     * @var Cart
     */
    private $cart;

    /**
     * @var PriceProvider
     */
    private $priceProvider;

    /**
     * Adds product to customers cart with user-specific price
     *
     * @param $productId
     * @return CartLine
     */
    public function addProductToCart($productId)
    {
        $price = $this->priceProvider->priceForProduct($productId, $this->customerId, $this->country);
        return $this->cart->addLine($productId, $price);
    }
}

/**
 * Simple CartLine object for persisting purposes
 */
class CartLine
{
    public $productId;
    public $price;
    public $cartId;

    function __construct($cartId, $productId, $price)
    {
        $this->cartId    = $cartId;
        $this->price     = $price;
        $this->productId = $productId;
    }
}

class Cart
{
    private $cartId;

    public function addLine($productId, $price)
    {
        return new CartLine($this->cartId, $productId, $price);
    }
}

/**
 * Provides price for specific country
 */
class PriceProvider
{
    public function priceForProduct($productId, $userId, $country)
    {
        // Logic for determining product price for customer
        // Based on available global discounts, user discounts and country
    }
}

/**
 * Command for adding product to cart
 */
class AddProductToCart
{
    public $customerId;
    public $productId;
}

/**
 * An application service to bind everything together
 */
class CustomerService
{
    public function addProductToCart(AddProductToCart $command)
    {
        /** @var Customer $customer */
        $customer = $this->customerRepository->customerOfId($command->customerId);
        $cartLine = $customer->addProductToCart($command->productId);

        $this->cartLineRepository->save($cartLine);
    }
}

这是正确的做法吗?我是否违反任何DDD原则?我能改进一下吗?

2 个答案:

答案 0 :(得分:1)

CQRS通常涉及命令处理程序 命令与“命令式”动词相关联 CustomerService过于宽泛,因此不代表“命令”的意图。

我会CustomerService更改AddProductToCart

class AddProductToCart
{
    public function handle(AddProductToCartCommand $command) {
      ...
    }
}

顺便说一句,通过将所有各种功能分成适当的命令,如果需要,您可以将一个特定命令的多个版本制作出来。

答案 1 :(得分:0)

所以稀疏顺序(部分取决于编程语言):

  • 应明确标记您的聚合根(例如,使用IAggregateRoot接口),因此,如果您的语言支持泛型,则只能实现聚合根的存储库。
  • 您的构造函数应该始终是私有的,而是使用工厂。仅将构造函数用于初始化问题。在您的下一个未来,Customer的构建规则可能会增加复杂性,工厂将允许您灵活性。
  • 不变逻辑是域逻辑。依赖于用例的逻辑是应用逻辑(即PriceProvide r与域逻辑无关)