java 对我的ArrayList使用getter似乎不会返回值

mwngjboj  于 2024-01-05  发布在  Java
关注(0)|答案(3)|浏览(183)

我有两个类,其中一个类包含一个ArrayList,其中有添加到购物车中的商品,另一个类打印购物车中的商品。由于ArrayList是私有的,我使用了一个getter从ArrayList中获取产品并在GUI类中打印它们,但它什么也没有返回。
到目前为止,我的实现是CartGUI.java

  1. public void printCart() {
  2. ShoppingCart shoppingCart = new ShoppingCart();
  3. System.out.println("Products in cart: ");
  4. for (Product p : shoppingCart.getCart()) {
  5. System.out.println(p.getProductName());
  6. }
  7. }

字符串
ShoppingCart.java

  1. private ArrayList<Product> cart = new ArrayList<>();
  2. public ArrayList<Product> getCart() { return cart; }


我测试了ArrayList是否为空,但它不是。如果ArrayList设置为静态,我的代码似乎可以工作,但这不是必需的。
我认为使用Singleton可以解决这个问题,但这并不起作用。
编辑:我能够通过使用Singleton并将ShoppingCart的同一示例传递给CartGUI来解决这个问题。

yws3nbqq

yws3nbqq1#

在你的PrintCart()方法中,你的ShoppingCart对象是用一个购物车示例化的,这个购物车有一个空的ArrayList产品。在你开始循环之前,你需要用一个setter填充这个购物车。

aemubtdh

aemubtdh2#

像这样尝试。无论ShoppingCart是否是静态的,这都可以工作。只需将ShoppingCart示例传递给方法。

  1. public <T> static void printCart(ShoppingCart shoppingCart) {
  2. System.out.println("Products in cart: ");
  3. for (Product p : shoppingCart.getCart()) {
  4. System.out.println(p.getProductName());
  5. }
  6. }

字符串
但是在ShoppingCart类中使用getCart()方法没有多大意义。getItems()getProducts()可能更有意义。
或者将printCart方法包含在ShoppingCart类中,如下所示:

  1. class ShoppingCart {
  2. private List<Product> products = new ArrayList<>();
  3. public void add(Product) {
  4. products.add(Product);
  5. }
  6. public List<Product> getProducts () {
  7. return new ArrayList<>(products); //defensive copy
  8. }
  9. public void printCart() {
  10. System.out.println("Products in cart: ");
  11. for (Product p : products) {
  12. System.out.println(p.getProductName());
  13. }
  14. }
  15. }

展开查看全部
6tdlim6h

6tdlim6h3#

我认为你每次都在printCart()中创建一个新的购物车。最好使用现有的购物车或将其传递给GUI类。在CartGUI.java中,将现有的ShoppingCart示例传递给printCart方法。

  1. public void printCart(ShoppingCart shoppingCart) {
  2. System.out.println("Products in cart: ");
  3. for (Product p : shoppingCart.getCart()) {
  4. System.out.println(p.getProductName());
  5. }
  6. }
  7. // I'm an aspiring Java developer keen on enhancing my coding skills and ensuring robust code practices.
  8. // Feel free to provide suggestions or improvements. Thank you!

字符串
然后在CartGUI中调用printCart方法时传递现有ShoppingCart的对象。

  1. ShoppingCart shoppingCart = new ShoppingCart();
  2. // Add items to the cart
  3. CartGUI cartGUI = new CartGUI();
  4. cartGUI.printCart(shoppingCart); // Now it will allow you to use the same cart instance every time

展开查看全部

相关问题