文章详情

背景

在计算机专业的面试中,考察者对业务逻辑和代码调试的能力是一项重要的环节。是一道典型的业务上BUG题目,以及对该的详细解答。

假设你正在参与一个电商网站的开发,该网站有一个功能是用户可以查看自己的购物车。购物车中包含多种商品,每种商品都有单价和数量。网站需要实现一个功能,当用户点击“结算”按钮时,系统能够计算出购物车中所有商品的总价,并显示给用户。

是一个简化的代码片段,用于计算购物车中的商品总价。在这个代码片段中存在一个BUG,需要你找出并修复它。

python

def calculate_total(cart_items):

total = 0

for item in cart_items:

price = item['price']

quantity = item['quantity']

total += price * quantity

return total

# 测试数据

cart_items = [

{'price': 10.99, 'quantity': 2},

{'price': 5.49, 'quantity': 3},

{'price': 20.99, 'quantity': 1}

]

# 调用函数计算总价

total_price = calculate_total(cart_items)

print(f"The total price is: {total_price}")

分析

在上面的代码中,我们需要计算购物车中所有商品的总价。代码的逻辑是遍历购物车中的每一项商品,将单价与数量相乘,将结果累加到总价格中。返回计算出的总价格。

BUG定位

仔细观察代码,我们会发现一个购物车中的某个商品的价格或数量为负数,在计算总价时,这些负值会被累加到总价格中,导致的总价格出现错误。

解答

为了修复这个BUG,我们需要在计算总价之前对价格和数量进行检查,确保它们都是非负数。是修改后的代码:

python

def calculate_total(cart_items):

total = 0

for item in cart_items:

price = item.get('price', 0)

quantity = item.get('quantity', 0)

# 确保价格和数量都是非负数

if price < 0:

raise ValueError("The price of an item cannot be negative.")

if quantity < 0:

raise ValueError("The quantity of an item cannot be negative.")

total += price * quantity

return total

# 测试数据

cart_items = [

{'price': 10.99, 'quantity': 2},

{'price': 5.49, 'quantity': 3},

{'price': 20.99, 'quantity': 1}

]

# 调用函数计算总价

try:

total_price = calculate_total(cart_items)

print(f"The total price is: {total_price}")

except ValueError as e:

print(f"Error: {e}")

在这个修改后的版本中,我们使用`item.get('price', 0)`和`item.get('quantity', 0)`来获取每个商品的价格和数量,这些属性不存在,则默认为0。我们检查价格和数量是否为负数,是,则抛出一个`ValueError`异常。这样,我们就能确保计算出的总价格是正确的。

通过这个面试题,我们可以看到,在开发过程中,对业务逻辑的准确理解和代码的仔细审查是非常重要的。通过找出并修复BUG,我们能够确保程序的稳定性和正确性。这也考察了者的解决能力和对细节的关注。

发表评论
暂无评论

还没有评论呢,快来抢沙发~