diff --git a/pom.xml b/pom.xml
index 5c8dee618606..5cc512b7de94 100644
--- a/pom.xml
+++ b/pom.xml
@@ -219,6 +219,7 @@
microservices-distributed-tracing
microservices-client-side-ui-composition
microservices-idempotent-consumer
+ session-facade
templateview
money
table-inheritance
diff --git a/session-facade/README.md b/session-facade/README.md
new file mode 100644
index 000000000000..20a093334e92
--- /dev/null
+++ b/session-facade/README.md
@@ -0,0 +1,157 @@
+---
+title: "Session Facade Pattern in Java: Simplifying Complex System Interfaces"
+shortTitle: Session Facade
+description: "Learn how to implement the Session Facade Design Pattern in Java to create a unified interface for complex subsystems. Simplify your code and enhance maintainability with practical examples and use cases."
+category: Structural
+language: en
+tag:
+ - Abstraction
+ - API design
+ - Code simplification
+ - Decoupling
+ - Encapsulation
+ - Gang Of Four
+ - Interface
+---
+
+## Also known as
+
+* Session Facade
+
+## Intent of Session Facade Design Pattern
+
+Abstracting the underlying business object interactions by providing a service layer that exposes only the required interfaces
+
+## Detailed Explanation of Session Facade Pattern with Real-World Examples
+
+Real-world example
+
+> In an e-commerce website, users interact with several subsystems like product catalogs, shopping carts,
+> payment services, and order management. The Session Facade pattern provides a simplified, centralized interface for these subsystems,
+> allowing the client to interact with just a few high-level methods (e.g., addToCart(), placeOrder(), selectPaymentMethod()), instead of directly communicating with each subsystem, using a facade supports low coupling between classes and high cohesion within each service, allowing them to focus on their specific responsibilities.
+
+In plain words
+
+> The Session Facade design pattern is an excellent choice for decoupling complex components of the system that need to be interacting frequently.
+
+## Programmatic Example of Session Facade Pattern in Java
+
+The Session Facade design pattern is a structural design pattern that provides a simplified interface to a set of complex subsystems, reducing the complexity for the client. This pattern is particularly useful in situations where the client needs to interact with multiple services or systems but doesn’t need to know the internal workings of each service.
+
+In the context of an e-commerce website, imagine a system where users can browse products, add items to the shopping cart, process payments, and place orders. Instead of the client directly interacting with each individual service (cart, order, payment), the Session Facade provides a single, unified interface for these operations.
+
+Example Scenario:
+In this example, the ShoppingFacade class manages interactions with three subsystems: the `CartService`, `OrderService`, and `PaymentService`. The client interacts with the facade to perform high-level operations like adding items to the cart, placing an order, and selecting a payment method.
+
+Here’s a simplified programmatic example:
+```java
+public class App {
+ public static void main(String[] args) {
+ ShoppingFacade shoppingFacade = new ShoppingFacade();
+ shoppingFacade.addToCart(1);
+ shoppingFacade.order();
+ shoppingFacade.selectPaymentMethod("cash");
+ }
+}
+```
+
+The `ShoppingFacade` acts as an intermediary that facilitates interaction between different services promoting low coupling between these services.
+```java
+public class ShoppingFacade {
+
+ private final CartService cartService;
+ private final OrderService orderService;
+ private final PaymentService paymentService;
+
+ public ShoppingFacade() {
+ Map productCatalog = new HashMap<>();
+ productCatalog.put(1, new Product(1, "Wireless Mouse", 25.99, "Ergonomic wireless mouse with USB receiver."));
+ productCatalog.put(2, new Product(2, "Gaming Keyboard", 79.99, "RGB mechanical gaming keyboard with programmable keys."));
+ Map cart = new HashMap<>();
+ cartService = new CartService(cart, productCatalog);
+ orderService = new OrderService(cart);
+ paymentService = new PaymentService();
+ }
+
+ public Map getCart() {
+ return this.cartService.getCart();
+ }
+
+ public void addToCart(int productId) {
+ this.cartService.addToCart(productId);
+ }
+
+
+ public void removeFromCart(int productId) {
+ this.cartService.removeFromCart(productId);
+ }
+
+ public void order() {
+ this.orderService.order();
+ }
+
+ public Boolean isPaymentRequired() {
+ double total = this.orderService.getTotal();
+ if (total == 0.0) {
+ LOGGER.info("No payment required");
+ return false;
+ }
+ return true;
+ }
+
+ public void processPayment(String method) {
+ Boolean isPaymentRequired = isPaymentRequired();
+ if (Boolean.TRUE.equals(isPaymentRequired)) {
+ paymentService.selectPaymentMethod(method);
+ }
+ }
+```
+
+Console output for starting the `App` class's `main` method:
+
+```
+19:43:17.883 [main] INFO com.iluwatar.sessionfacade.CartService -- ID: 1
+Name: Wireless Mouse
+Price: $25.99
+Description: Ergonomic wireless mouse with USB receiver. successfully added to the cart
+19:43:17.910 [main] INFO com.iluwatar.sessionfacade.OrderService -- Client has chosen to order [ID: 1
+```
+
+This is a basic example of the Session Facade design pattern. The actual implementation would depend on specific requirements of your application.
+
+## When to Use the Session Facade Pattern in Java
+
+* Use when building complex applications with multiple interacting services, where you want to simplify the interaction between various subsystems.
+* Ideal for decoupling complex systems that need to interact but should not be tightly coupled.
+* Suitable for applications where you need a single point of entry to interact with multiple backend services, like ecommerce platforms, booking systems, or order management systems.
+
+## Real-World Applications of Server Session Pattern in Java
+
+* Enterprise JavaBeans (EJB)
+* Java EE (Jakarta EE) Applications
+
+## Benefits and Trade-offs of Server Session Pattern
+
+
+* Simplifies client-side logic by providing a single entry point for complex operations across multiple services.
+* Decouples components of the application, making them easier to maintain, test, and modify without affecting other parts of the system.
+* Improves modularity by isolating the implementation details of subsystems from the client.
+* Centralizes business logic in one place, making the code easier to manage and update.
+
+## Trade-offs:
+
+* Potential performance bottleneck: Since all requests pass through the facade, it can become a bottleneck if not optimized.
+* Increased complexity: If the facade becomes too large or complex, it could counteract the modularity it aims to achieve.
+* Single point of failure: If the facade encounters issues, it could affect the entire system's operation, making it crucial to handle errors and exceptions properly.
+
+## Related Java Design Patterns
+
+* [Facade](https://java-design-patterns.com/patterns/facade/): The Session Facade pattern is a specific application of the more general Facade pattern, which simplifies access to complex subsystems.
+* [Command](https://java-design-patterns.com/patterns/command/): Useful for encapsulating requests and passing them to the session facade, which could then manage the execution order.
+* [Singleton](https://java-design-patterns.com/patterns/singleton/): Often used to create a single instance of the session facade for managing the entire workflow of a subsystem.
+
+## References and Credits
+
+* [Core J2EE Patterns: Best Practices and Design Strategies](https://amzn.to/4cAbDap)
+* [Design Patterns: Elements of Reusable Object-Oriented Software](https://amzn.to/3w0pvKI)
+* [Patterns of Enterprise Application Architecture](https://amzn.to/3WfKBPR)
diff --git a/session-facade/etc/session-facade.urm.png b/session-facade/etc/session-facade.urm.png
new file mode 100644
index 000000000000..71ab9a0481e0
Binary files /dev/null and b/session-facade/etc/session-facade.urm.png differ
diff --git a/session-facade/etc/session-facade.urm.puml b/session-facade/etc/session-facade.urm.puml
new file mode 100644
index 000000000000..83eed750ed0c
--- /dev/null
+++ b/session-facade/etc/session-facade.urm.puml
@@ -0,0 +1,48 @@
+@startuml
+package com.iluwatar.sessionfacade {
+ class App {
+ + App()
+ + main(args : String[]) {static}
+ }
+ class CartService {
+ - LOGGER : Logger {static}
+ - cart : List
+ - productCatalog : List
+ + CartService(cart : List, productCatalog : List)
+ + addToCart(productId : int)
+ + removeFromCart(productId : int)
+ }
+ class OrderService {
+ - LOGGER : Logger {static}
+ - cart : List
+ + OrderService(cart : List)
+ + order()
+ }
+ class PaymentService {
+ + LOGGER : Logger {static}
+ + PaymentService()
+ + cashPayment()
+ + creditCardPayment()
+ + selectPaymentMethod(method : String)
+ }
+ class ProductCatalogService {
+ - products : List
+ + ProductCatalogService(products : List)
+ }
+ class ShoppingFacade {
+ ~ cart : List
+ ~ cartService : CartService
+ ~ orderService : OrderService
+ ~ paymentService : PaymentService
+ ~ productCatalog : List
+ + ShoppingFacade()
+ + addToCart(productId : int)
+ + order()
+ + removeFromCart(productId : int)
+ + selectPaymentMethod(method : String)
+ }
+}
+ShoppingFacade --> "-cartService" CartService
+ShoppingFacade --> "-paymentService" PaymentService
+ShoppingFacade --> "-orderService" OrderService
+@enduml
\ No newline at end of file
diff --git a/session-facade/pom.xml b/session-facade/pom.xml
new file mode 100644
index 000000000000..2dfe12e0c80c
--- /dev/null
+++ b/session-facade/pom.xml
@@ -0,0 +1,70 @@
+
+
+
+ 4.0.0
+
+ com.iluwatar
+ java-design-patterns
+ 1.26.0-SNAPSHOT
+
+
+ session-facade
+
+
+ org.junit.jupiter
+ junit-jupiter-api
+ test
+
+
+ org.mockito
+ mockito-core
+ test
+
+
+
+
+
+ org.apache.maven.plugins
+ maven-assembly-plugin
+
+
+
+
+
+ com.iluwatar.sessionfacade.App
+
+
+
+
+
+
+
+
+
\ No newline at end of file
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/App.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/App.java
new file mode 100644
index 000000000000..4f136b9fa360
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/App.java
@@ -0,0 +1,62 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+/**
+ * The main entry point of the application that demonstrates the usage
+ * of the ShoppingFacade to manage the shopping process using the Session Facade pattern.
+ * This class serves as a client that interacts with the simplified
+ * interface provided by the ShoppingFacade, which encapsulates
+ * complex interactions with the underlying business services.
+ * The ShoppingFacade acts as a session bean that coordinates the communication
+ * between multiple services, hiding their complexity and providing a single, unified API.
+ */
+public class App {
+ /**
+ * The entry point of the application.
+ * This method demonstrates how the ShoppingFacade, acting as a Session Facade, is used to:
+ * - Add items to the shopping cart
+ * - Process a payment
+ * - Place the order
+ * The session facade manages the communication between the individual services
+ * and simplifies the interactions for the client.
+ *
+ * @param args the input arguments
+ */
+ public static void main(String[] args) {
+ ShoppingFacade shoppingFacade = new ShoppingFacade();
+
+ // Adding items to the shopping cart
+ shoppingFacade.addToCart(1);
+ shoppingFacade.addToCart(2);
+
+ // Processing the payment with the chosen method
+ shoppingFacade.processPayment("cash");
+
+ // Finalizing the order
+ shoppingFacade.order();
+ }
+}
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/CartService.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/CartService.java
new file mode 100644
index 000000000000..4bf9bde261cf
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/CartService.java
@@ -0,0 +1,87 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+
+import java.util.Map;
+import lombok.Getter;
+import lombok.extern.slf4j.Slf4j;
+
+/**
+ * The type Cart service.
+ * Represents the cart entity, has add to cart and remove from cart methods
+ */
+@Slf4j
+public class CartService {
+ /**
+ * -- GETTER --
+ * Gets cart.
+ */
+ @Getter
+ private final Map cart;
+ private final Map productCatalog;
+
+ /**
+ * Instantiates a new Cart service.
+ *
+ * @param cart the cart
+ * @param productCatalog the product catalog
+ */
+ public CartService(Map cart, Map productCatalog) {
+ this.cart = cart;
+ this.productCatalog = productCatalog;
+ }
+
+ /**
+ * Add to cart.
+ *
+ * @param productId the product id
+ */
+ public void addToCart(int productId) {
+ Product product = productCatalog.get(productId);
+ if (product != null) {
+ cart.put(productId, product);
+ LOGGER.info("{} successfully added to the cart", product);
+ } else {
+ LOGGER.info("No product is found in catalog with id {}", productId);
+ }
+ }
+
+ /**
+ * Remove from cart.
+ *
+ * @param productId the product id
+ */
+ public void removeFromCart(int productId) {
+ Product product = cart.remove(productId); // Remove product from cart
+ if (product != null) {
+ LOGGER.info("{} successfully removed from the cart", product);
+ } else {
+ LOGGER.info("No product is found in cart with id {}", productId);
+ }
+ }
+
+}
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/OrderService.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/OrderService.java
new file mode 100644
index 000000000000..9ffa94b7148a
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/OrderService.java
@@ -0,0 +1,83 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+import java.util.Map;
+import lombok.extern.slf4j.Slf4j;
+
+/**
+ * The OrderService class is responsible for finalizing a customer's order.
+ * It includes a method to calculate the total cost of the order, which follows
+ * the information expert principle from GRASP by assigning the responsibility
+ * of total calculation to this service.
+ * Additionally, it provides a method to complete the order, which empties the
+ * client's shopping cart once the order is finalized.
+ */
+@Slf4j
+public class OrderService {
+ private final Map cart;
+
+ /**
+ * Instantiates a new Order service.
+ *
+ * @param cart the cart
+ */
+ public OrderService(Map cart) {
+ this.cart = cart;
+ }
+
+ /**
+ * Order.
+ */
+ public void order() {
+ Double total = getTotal();
+ if (!this.cart.isEmpty()) {
+ LOGGER.info("Client has chosen to order {} with total {}", cart,
+ String.format("%.2f", total));
+ this.completeOrder();
+ } else {
+ LOGGER.info("Client's shopping cart is empty");
+ }
+ }
+
+ /**
+ * Gets total.
+ *
+ * @return the total
+ */
+ public double getTotal() {
+ final double[] total = {0.0};
+ this.cart.forEach((key, product) -> total[0] += product.price());
+ return total[0];
+ }
+
+ /**
+ * Complete order.
+ */
+ public void completeOrder() {
+ this.cart.clear();
+ }
+}
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/PaymentService.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/PaymentService.java
new file mode 100644
index 000000000000..ce9ce8fed17c
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/PaymentService.java
@@ -0,0 +1,75 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+import org.slf4j.Logger;
+import org.slf4j.LoggerFactory;
+
+/**
+ * The PaymentService class is responsible for handling the selection and processing
+ * of different payment methods. It provides functionality to select a payment method
+ * (cash or credit card) and process the corresponding payment option. The class uses
+ * logging to inform the client of the selected payment method.
+ * It includes methods to:
+ * - Select the payment method based on the client's choice.
+ * - Process cash payments through the `cashPayment()` method.
+ * - Process credit card payments through the `creditCardPayment()` method.
+ */
+public class PaymentService {
+ /**
+ * The constant LOGGER.
+ */
+ public static Logger LOGGER = LoggerFactory.getLogger(PaymentService.class);
+
+ /**
+ * Select payment method.
+ *
+ * @param method the method
+ */
+ public void selectPaymentMethod(String method) {
+ if (method.equals("cash")) {
+ cashPayment();
+ } else if (method.equals("credit")) {
+ creditCardPayment();
+ } else {
+ LOGGER.info("Unspecified payment method type");
+ }
+ }
+
+ /**
+ * Cash payment.
+ */
+ public void cashPayment() {
+ LOGGER.info("Client have chosen cash payment option");
+ }
+
+ /**
+ * Credit card payment.
+ */
+ public void creditCardPayment() {
+ LOGGER.info("Client have chosen credit card payment option");
+ }
+}
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/Product.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/Product.java
new file mode 100644
index 000000000000..9727a94db11e
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/Product.java
@@ -0,0 +1,38 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+/**
+ * The type Product.
+ */
+public record Product(int id, String name, double price, String description) {
+ @Override
+ public String toString() {
+ return "ID: " + id + "\nName: " + name + "\nPrice: $" + price + "\nDescription: " + description;
+ }
+}
+
+
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/ProductCatalogService.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/ProductCatalogService.java
new file mode 100644
index 000000000000..cd6a997f9b01
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/ProductCatalogService.java
@@ -0,0 +1,60 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+import java.util.Map;
+
+/**
+ * The type ProductCatalogService.
+ * This class manages a catalog of products. It holds a map of products,
+ * where each product is identified by a unique ID. The class
+ * provides functionality to access and manage the products in the catalog.
+ */
+public class ProductCatalogService {
+
+ private final Map products;
+
+ /**
+ * Instantiates a new ProductCatalogService.
+ *
+ * @param products the map of products to be used by this service
+ */
+ public ProductCatalogService(Map products) {
+ this.products = products;
+ }
+
+ // Additional methods to interact with products can be added here, for example:
+
+ /**
+ * Retrieves a product by its ID.
+ *
+ * @param id the product ID
+ * @return the product corresponding to the ID
+ */
+ public Product getProductById(int id) {
+ return products.get(id);
+ }
+}
diff --git a/session-facade/src/main/java/com/iluwatar/sessionfacade/ShoppingFacade.java b/session-facade/src/main/java/com/iluwatar/sessionfacade/ShoppingFacade.java
new file mode 100644
index 000000000000..14560518129f
--- /dev/null
+++ b/session-facade/src/main/java/com/iluwatar/sessionfacade/ShoppingFacade.java
@@ -0,0 +1,126 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+
+package com.iluwatar.sessionfacade;
+
+import java.util.HashMap;
+import java.util.Map;
+import lombok.extern.slf4j.Slf4j;
+
+
+/**
+ * The ShoppingFacade class provides a simplified interface for clients to interact with the shopping system.
+ * It acts as a facade to handle operations related to a shopping cart, order processing, and payment.
+ * Responsibilities:
+ * - Add products to the shopping cart.
+ * - Remove products from the shopping cart.
+ * - Retrieve the current shopping cart.
+ * - Finalize an order by calling the order service.
+ * - Check if a payment is required based on the order total.
+ * - Process payment using different payment methods (e.g., cash, credit card).
+ * The ShoppingFacade class delegates operations to the following services:
+ * - CartService: Manages the cart and product catalog.
+ * - OrderService: Handles the order finalization process and calculation of the total.
+ * - PaymentService: Handles the payment processing based on the selected payment method.
+ */
+@Slf4j
+public class ShoppingFacade {
+ private final CartService cartService;
+ private final OrderService orderService;
+ private final PaymentService paymentService;
+
+ /**
+ * Instantiates a new Shopping facade.
+ */
+ public ShoppingFacade() {
+ Map productCatalog = new HashMap<>();
+ productCatalog.put(1, new Product(1, "Wireless Mouse", 25.99, "Ergonomic wireless mouse with USB receiver."));
+ productCatalog.put(2, new Product(2, "Gaming Keyboard", 79.99, "RGB mechanical gaming keyboard with programmable keys."));
+ Map cart = new HashMap<>();
+ cartService = new CartService(cart, productCatalog);
+ orderService = new OrderService(cart);
+ paymentService = new PaymentService();
+ }
+
+ /**
+ * Gets cart.
+ *
+ * @return the cart
+ */
+ public Map getCart() {
+ return this.cartService.getCart();
+ }
+
+ /**
+ * Add to cart.
+ *
+ * @param productId the product id
+ */
+ public void addToCart(int productId) {
+ this.cartService.addToCart(productId);
+ }
+
+ /**
+ * Remove from cart.
+ *
+ * @param productId the product id
+ */
+ public void removeFromCart(int productId) {
+ this.cartService.removeFromCart(productId);
+ }
+
+ /**
+ * Order.
+ */
+ public void order() {
+ this.orderService.order();
+ }
+
+ /**
+ * Is payment required boolean.
+ *
+ * @return the boolean
+ */
+ public Boolean isPaymentRequired() {
+ double total = this.orderService.getTotal();
+ if (total == 0.0) {
+ LOGGER.info("No payment required");
+ return false;
+ }
+ return true;
+ }
+
+ /**
+ * Process payment.
+ *
+ * @param method the method
+ */
+ public void processPayment(String method) {
+ Boolean isPaymentRequired = isPaymentRequired();
+ if (Boolean.TRUE.equals(isPaymentRequired)) {
+ paymentService.selectPaymentMethod(method);
+ }
+ }
+}
diff --git a/session-facade/src/test/java/com/iluwatar/sessionfacade/AppTest.java b/session-facade/src/test/java/com/iluwatar/sessionfacade/AppTest.java
new file mode 100644
index 000000000000..012fcf4623ad
--- /dev/null
+++ b/session-facade/src/test/java/com/iluwatar/sessionfacade/AppTest.java
@@ -0,0 +1,42 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+package com.iluwatar.sessionfacade;
+
+import static org.junit.jupiter.api.Assertions.assertDoesNotThrow;
+
+/**
+ * The type App test.
+ */
+public class AppTest {
+
+ /**
+ * Should execute application without exception.
+ */
+ @org.junit.jupiter.api.Test
+ void shouldExecuteApplicationWithoutException() {
+ assertDoesNotThrow(() -> App.main(new String[]{}));
+ }
+
+}
diff --git a/session-facade/src/test/java/com/iluwatar/sessionfacade/CartServiceTest.java b/session-facade/src/test/java/com/iluwatar/sessionfacade/CartServiceTest.java
new file mode 100644
index 000000000000..958bd20f9e25
--- /dev/null
+++ b/session-facade/src/test/java/com/iluwatar/sessionfacade/CartServiceTest.java
@@ -0,0 +1,99 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+package com.iluwatar.sessionfacade;
+
+import lombok.extern.slf4j.Slf4j;
+import org.junit.jupiter.api.BeforeEach;
+import org.junit.jupiter.api.Test;
+import org.mockito.MockitoAnnotations;
+
+import java.util.ArrayList;
+import java.util.HashMap;
+import java.util.List;
+import java.util.Map;
+
+import static org.junit.jupiter.api.Assertions.*;
+
+/**
+ * The type Cart service test.
+ */
+@Slf4j
+class CartServiceTest {
+
+ private CartService cartService;
+ private Map cart;
+
+ /**
+ * Sets up.
+ */
+ @BeforeEach
+ void setUp() {
+ MockitoAnnotations.openMocks(this);
+ cart = new HashMap<>();
+ Map productCatalog = new HashMap<>();
+ productCatalog.put(1,new Product(1, "Product A", 2.0, "any description"));
+ productCatalog.put(2,new Product(2, "Product B", 300.0, "a watch"));
+ cartService = new CartService(cart, productCatalog);
+ }
+
+ /**
+ * Test add to cart.
+ */
+ @Test
+ void testAddToCart() {
+ cartService.addToCart(1);
+ assertEquals(1, cart.size());
+ assertEquals("Product A", cart.get(1).name());
+ }
+
+ /**
+ * Test remove from cart.
+ */
+ @Test
+ void testRemoveFromCart() {
+ cartService.addToCart(1);
+ assertEquals(1, cart.size());
+ cartService.removeFromCart(1);
+ assertTrue(cart.isEmpty());
+ }
+
+ /**
+ * Test add to cart with invalid product id.
+ */
+ @Test
+ void testAddToCartWithInvalidProductId() {
+ cartService.addToCart(999);
+ assertTrue(cart.isEmpty());
+ }
+
+ /**
+ * Test remove from cart with invalid product id.
+ */
+ @Test
+ void testRemoveFromCartWithInvalidProductId() {
+ cartService.removeFromCart(999);
+ assertTrue(cart.isEmpty());
+ }
+}
diff --git a/session-facade/src/test/java/com/iluwatar/sessionfacade/PaymentServiceTest.java b/session-facade/src/test/java/com/iluwatar/sessionfacade/PaymentServiceTest.java
new file mode 100644
index 000000000000..583b8a6f9e91
--- /dev/null
+++ b/session-facade/src/test/java/com/iluwatar/sessionfacade/PaymentServiceTest.java
@@ -0,0 +1,80 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+package com.iluwatar.sessionfacade;
+
+import org.junit.jupiter.api.BeforeEach;
+import org.junit.jupiter.api.Test;
+import org.slf4j.Logger;
+
+import static org.mockito.Mockito.*;
+
+/**
+ * The type Payment service test.
+ */
+class PaymentServiceTest {
+ private PaymentService paymentService;
+ private OrderService orderService;
+ private Logger mockLogger;
+
+ /**
+ * Sets up.
+ */
+ @BeforeEach
+ void setUp() {
+ paymentService = new PaymentService();
+ mockLogger = mock(Logger.class);
+ paymentService.LOGGER = mockLogger;
+ }
+
+ /**
+ * Test select cash payment method.
+ */
+ @Test
+ void testSelectCashPaymentMethod() {
+ String method = "cash";
+ paymentService.selectPaymentMethod(method);
+ verify(mockLogger).info("Client have chosen cash payment option");
+ }
+
+ /**
+ * Test select credit card payment method.
+ */
+ @Test
+ void testSelectCreditCardPaymentMethod() {
+ String method = "credit";
+ paymentService.selectPaymentMethod(method);
+ verify(mockLogger).info("Client have chosen credit card payment option");
+ }
+
+ /**
+ * Test select unspecified payment method.
+ */
+ @Test
+ void testSelectUnspecifiedPaymentMethod() {
+ String method = "cheque";
+ paymentService.selectPaymentMethod(method);
+ verify(mockLogger).info("Unspecified payment method type");
+ }
+}
diff --git a/session-facade/src/test/java/com/iluwatar/sessionfacade/ProductTest.java b/session-facade/src/test/java/com/iluwatar/sessionfacade/ProductTest.java
new file mode 100644
index 000000000000..2d664698551f
--- /dev/null
+++ b/session-facade/src/test/java/com/iluwatar/sessionfacade/ProductTest.java
@@ -0,0 +1,77 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+package com.iluwatar.sessionfacade;
+
+import org.junit.jupiter.api.Test;
+
+import static org.junit.jupiter.api.Assertions.*;
+
+/**
+ * The type Product test.
+ */
+public class ProductTest {
+ /**
+ * Test product creation.
+ */
+ @Test
+ public void testProductCreation() {
+ int id = 1;
+ String name = "Product A";
+ double price = 200.0;
+ String description = "a description";
+ Product product = new Product(id,name,price,description);
+ assertEquals(id, product.id());
+ assertEquals(name, product.name());
+ assertEquals(price, product.price());
+ assertEquals(description, product.description());
+ }
+
+ /**
+ * Test equals and hash code.
+ */
+ @Test
+ public void testEqualsAndHashCode() {
+ Product product1 = new Product(1, "Product A", 99.99, "a description");
+ Product product2 = new Product(1, "Product A", 99.99, "a description");
+ Product product3 = new Product(2, "Product B", 199.99, "a description");
+
+ assertEquals(product1, product2);
+ assertNotEquals(product1, product3);
+ assertEquals(product1.hashCode(), product2.hashCode());
+ assertNotEquals(product1.hashCode(), product3.hashCode());
+ }
+
+ /**
+ * Test to string.
+ */
+ @Test
+ public void testToString() {
+ Product product = new Product(1, "Product A", 99.99, "a description");
+ String toStringResult = product.toString();
+ assertTrue(toStringResult.contains("Product A"));
+ assertTrue(toStringResult.contains("99.99"));
+ }
+
+}
diff --git a/session-facade/src/test/java/com/iluwatar/sessionfacade/ShoppingFacadeTest.java b/session-facade/src/test/java/com/iluwatar/sessionfacade/ShoppingFacadeTest.java
new file mode 100644
index 000000000000..01e4cb588e9c
--- /dev/null
+++ b/session-facade/src/test/java/com/iluwatar/sessionfacade/ShoppingFacadeTest.java
@@ -0,0 +1,75 @@
+/*
+ * This project is licensed under the MIT license. Module model-view-viewmodel is using ZK framework licensed under LGPL (see lgpl-3.0.txt).
+ *
+ * The MIT License
+ * Copyright © 2014-2022 Ilkka Seppälä
+ *
+ * Permission is hereby granted, free of charge, to any person obtaining a copy
+ * of this software and associated documentation files (the "Software"), to deal
+ * in the Software without restriction, including without limitation the rights
+ * to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
+ * copies of the Software, and to permit persons to whom the Software is
+ * furnished to do so, subject to the following conditions:
+ *
+ * The above copyright notice and this permission notice shall be included in
+ * all copies or substantial portions of the Software.
+ *
+ * THE SOFTWARE IS PROVIDED "AS IS", WITHOUT WARRANTY OF ANY KIND, EXPRESS OR
+ * IMPLIED, INCLUDING BUT NOT LIMITED TO THE WARRANTIES OF MERCHANTABILITY,
+ * FITNESS FOR A PARTICULAR PURPOSE AND NONINFRINGEMENT. IN NO EVENT SHALL THE
+ * AUTHORS OR COPYRIGHT HOLDERS BE LIABLE FOR ANY CLAIM, DAMAGES OR OTHER
+ * LIABILITY, WHETHER IN AN ACTION OF CONTRACT, TORT OR OTHERWISE, ARISING FROM,
+ * OUT OF OR IN CONNECTION WITH THE SOFTWARE OR THE USE OR OTHER DEALINGS IN
+ * THE SOFTWARE.
+ */
+package com.iluwatar.sessionfacade;
+
+import org.junit.jupiter.api.BeforeEach;
+import org.junit.jupiter.api.Test;
+import java.util.List;
+import java.util.Map;
+
+import static org.junit.jupiter.api.Assertions.assertEquals;
+import static org.junit.jupiter.api.Assertions.assertTrue;
+
+/**
+ * Unit tests for ShoppingFacade.
+ */
+class ShoppingFacadeTest {
+
+ private ShoppingFacade shoppingFacade;
+
+ @BeforeEach
+ void setUp() {
+ shoppingFacade = new ShoppingFacade();
+ }
+
+ @Test
+ void testAddToCart() {
+ shoppingFacade.addToCart(1);
+ shoppingFacade.addToCart(2);
+ Map cart = shoppingFacade.getCart();
+ assertEquals(2, cart.size(), "Cart should contain two items.");
+ assertEquals("Wireless Mouse", cart.get(1).name(), "First item in the cart should be 'Wireless Mouse'.");
+ assertEquals("Gaming Keyboard", cart.get(2).name(), "Second item in the cart should be 'Gaming Keyboard'.");
+ }
+
+ @Test
+ void testRemoveFromCart() {
+ shoppingFacade.addToCart(1);
+ shoppingFacade.addToCart(2);
+ shoppingFacade.removeFromCart(1);
+ Map cart = shoppingFacade.getCart();
+ assertEquals(1, cart.size(), "Cart should contain one item after removal.");
+ assertEquals("Gaming Keyboard", cart.get(2).name(), "Remaining item should be 'Gaming Keyboard'.");
+ }
+
+ @Test
+ void testOrder() {
+ shoppingFacade.addToCart(1);
+ shoppingFacade.addToCart(2);
+ shoppingFacade.processPayment("cash");
+ shoppingFacade.order();
+ assertTrue(shoppingFacade.getCart().isEmpty(), "Cart should be empty after placing the order.");
+ }
+}