我在使用Hibernate时遇到了异常情况。我的Web应用程序中有一个购物车。我使用以下方法添加或更新购物车。isItemExists(...)
-检查购物车中是否已存在商品addItem()
-添加项目是不存在的项目或更新现有项目。incrementCartTotal(..)
-更新购物车总计
新增项目(..)
public void addCartItem2(CartItems item, int qty) {
Session ses = factory.openSession();
Transaction tr = ses.beginTransaction();
try {
CartItems c1 = isItemExists(item.getModel(), item.getCart());
if (c1 != null) {
Double unitPrice = sModel.getStock(item.getModel()).getUnitPrice();
Query q = ses.createQuery("UPDATE "
+ " CartItems "
+ " SET qty = qty + " + qty + " , sub_total = sub_total +" + qty * unitPrice
+ " WHERE model_ID=" + c1.getModel().getId()
+ " AND cart_ID=" + c1.getCart().getId());
q.executeUpdate();
} else {
ses.save(item);
}
tr.commit();
incrementCartTotal(item.getCart(), NumberUtilities.parseDouble(item.getSubTotal()));
} catch (HibernateException e) {
e.printStackTrace();
logger.err(e.getMessage());
} finally {
if (ses.isOpen()) {
ses.close();
}
}
}
我可以一次添加或更新购物车项目。从购物车中删除物品后,我无法向购物车中添加或更新商品。但是购物车总数正在更新。事务已提交,但未插入数据。
我怎么解决这个问题。
最佳答案
尝试这个,
不要使用addItem()
方法来更新和保存。
使用您的isItemExists()
方法检查项目是否存在。
如果没有创建保存项目的方法
如果存在,请创建另一种方法来更新现有项目
保存()
public void save(CartItems item) {
Session ses = factory.openSession();
try {
Transaction tr = ses.beginTransaction();
ses.save(item);
tr.commit();
incrementCartTotal(item.getCart(), NumberUtilities.parseDouble(item.getSubTotal()));
} catch (HibernateException e) {
// handle exception
} finally {
// close session
}
}
update()
public void update(CartItems item,int qty, double price) {
Session ses = factory.openSession();
Transaction tr = ses.beginTransaction();
try {
Query q = ses.createQuery("UPDATE "
+ " CartItems "
+ " SET qty = qty + "+qty+" , sub_total = sub_total +" + qty*price
+ " WHERE model_ID=" + item.getModel().getId()
+ " AND cart_ID=" + item.getCart().getId());
q.executeUpdate();
tr.commit();
} catch (HibernateException e) {
// handle exception
} finally {
// close session
}
incrementCartTotal(item.getCart(), NumberUtilities.parseDouble(item.getSubTotal()));
}
随便使用这些
...
if(isItemExists(..)){
update();
}else{
save();
}
....
希望对您有所帮助!