我有一个快速的问题要问大家。我目前正在使用样机预订系统,如果用户飞行常客(折扣率为10%),则很难显示折扣总额。下面是我的代码:

user_people = int(raw_input("Welcome to Ramirez Airlines!  How many people will be flying?"))
user_seating = str(raw_input("Perfect!  Now what type of seating would your party prefer?"))
user_luggage = int(raw_input("Thanks.  Now for your luggage, how many bags would you like to check in?"))
user_frequent = str(raw_input("Got it.  Is anyone in your party a frequent flyer with us?"))
user_continue = str(raw_input("Your reservation was submitted successfully.  Would you like to do another?"))
luggage_total = user_luggage * 50


import time
print time.strftime("Date and time confirmation: %Y-%m-%d %H:%M:%S")

seats_total = 0

if user_seating == 'economy':
    seats_total = user_people * 916
    print ('The total amount for your seats is: $'),seats_total

elif user_seating == 'business':
    seats_total = user_people * 2650
    print ('The total amount for your seats is: $'),seats_total

else:
    print ('The total amount for your seats is: $'),user_people * 5180

print ('The total amount of your luggage is: $'),luggage_total

print ('Your subtotal for your seats and luggage is $'), luggage_total + seats_total

discount_amount = 0
discount_rate = 0.10

if user_frequent == 'yes':
    before_discount = luggage_total + seats_total
    after_discount = before_discount * discount_rate
    discount_amount = before_discount - after_discount
    print discount_amount

else:
    print ('Sorry, the discount only applies to frequent flyers!')


当我没有收到错误时,我的输出不正确。这是正在显示的内容:

Discount amount of 1738.8


这显然是不正确的,因为这是折扣后的价格。我正在尝试显示总折扣以及已应用折扣后的价格。

任何帮助,将不胜感激!谢谢!

最佳答案

您有多个错误。首先,在第一个elseif中,您不计算seat_total,因此以下计算将崩溃-您只需执行

print ('The total amount for your seats is: $'),user_people * 5180


而不是明显需要的

seat_total = user_people * 5180
print ('The total amount for your seats is: $'), seat_total


(括号是没有用的,但是它们没有伤害,所以我让它们成为:-)。

其次,查看折扣的逻辑:

discount_rate = 0.10

if user_frequent == 'yes':
    before_discount = luggage_total + seats_total
    after_discount = before_discount * discount_rate
    discount_amount = before_discount - after_discount


您非常明确地说,用户以折扣价格支付标价的1/10,然后在Q中抱怨它!-)

同样,这很明显(对于在字里行间的人来说,这对计算机来说是绝对不对的:-)与您所说的形成鲜明对比的是,您实际上的意思是:

discount_rate = 0.10

if user_frequent == 'yes':
    before_discount = luggage_total + seats_total
    discount_amount = before_discount * discount_rate
    after_discount = before_discount - discount_amount

关于python - 在Python 2.7中应用折扣并显示折扣率,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/28870545/

10-12 16:39