我有一个arrayList类型的购物车。当我在购物车中添加新商品时,我会首先检查购物车是否已有此商品。但是cart.contains(item)方法没有工作,即使购物车中有相同的商品,它也会返回false。 第二个问题是我无法从购物车arrayList中删除此项目对象。我的代码如下所示:
@Controller
@RequestMapping("/addTo.htm")
public class AddToController{
@SuppressWarnings("unchecked")
@RequestMapping(method=RequestMethod.GET)
protected ModelAndView handleRequestInternal(HttpServletRequest request, HttpServletResponse response) throws Exception {
HttpSession session = request.getSession();
String action = request.getParameter("action");
System.out.println(action);
ModelAndView mv = new ModelAndView();
ArrayList<Item> cart;
if(session.getAttribute("cart") != null) {
cart = (ArrayList<Item>) session.getAttribute("cart");
}else {
cart = new ArrayList<Item>();
}
if(action.equals("addToCart")) {
long itemId = Long.parseLong(request.getParameter("itemId"));
ItemDAO itemDao = new ItemDAO();
Item item = itemDao.get(itemId);
System.out.println("111"+cart.contains(item));
if (!cart.contains(item)) {
cart.add(item);
}
double total = 0;
int count = 0;
for (Item i : cart) {
total = total + i.getPrice();
count += 1;
}
session.setAttribute("cart", cart);
mv.addObject("total", total);
mv.addObject("count", count);
mv.setViewName("User/viewCart");
}
if(action.equals("remove")){
System.out.println("cart size is" + cart.size());
Long itemId = Long.parseLong(request.getParameter("item"));
ItemDAO itemDao= new ItemDAO();
Item item = itemDao.get(itemId);
System.out.println(cart.contains(item));
session.setAttribute("cart", cart);
System.out.println(cart.size());
}
return mv;
}
}
任何人都可以帮我解决这个问题吗?谢谢!
答案 0 :(得分:3)
您需要向Item类添加.equals
方法,以便ArrayLists知道如何将两个不同的对象组合在一起。虽然我们在这里,但我们也应该添加hashCode
方法。这对于集合来说非常有用,但在我们需要的时候总是很好地将它作为备份。
我们可以使用.indexOf(Item)方法来获取列表中对象的位置。如果数字返回-1。然后它不在列表中。如果它是0或更大,那么它就在那里,我们可以使用索引删除该项。
public class Item{
private String type;
public Item(String type){
this.type = type;
}
public String getType(){
return type;
}
@Override
public int hashCode() {
final int prime = 31;
int result = 1;
result = prime * result + ((type == null) ? 0 : type.hashCode());
return result;
}
@Override
public boolean equals(Object obj) {
if (this == obj)
return true;
if (obj == null)
return false;
if (!(obj instanceof Item))
return false;
Item other = (Item) obj;
if (type == null) {
if (other.type != null)
return false;
} else if (!type.equals(other.type))
return false;
return true;
}
}
现在我们有.equals和hashcode。我们现在可以在ArrayList中比较它们。
ArrayList<Item> itemList = new ArrayList<Item>();
// Fill the list
itemList.add(new Item("Banana"));
itemList.add(new Item("Toaster"));
itemList.add(new Item("Screw Driver"));
Item item = new Item("Hand Grenade");
itemList.add(item);
int index = itemList.indexOf(item);
if( index != -1 ){
System.out.println("The item is in index " + index);
// Remove the item and store it in a variable
Item removedItem = itemList.remove(index);
System.out.println("We removed " + removedItem.getType() + " from the list.");
}
答案 1 :(得分:0)
您必须覆盖所放置项目的.equals
方法。默认情况下,Java通常会比较对象引用,而不是对象的值。