
本文详解 python 条件语句中缩进的关键作用,通过修复“pokémart / 高草丛”双路径选择逻辑错误,帮助开发者理解如何用正确缩进构建嵌套决策流程,避免代码意外执行。
在 Python 中,缩进不仅是代码风格要求,更是语法核心——它直接定义代码块的归属关系。你遇到的问题(无论输入 "pokemart" 还是其他内容,程序总执行购买逻辑并最终跳到 else: print("You go to the tall grass"))根本原因在于:pokemart_1 = input(...) 及其后续判断未被正确嵌套在 if place_1 == "pokemart": 的代码块内。
原始代码中,pokemart_1 = input(...) 与 if place_1 == ... 处于同一缩进层级,因此它独立于条件判断之外运行;而 else: 又因与该 if 对齐,实际成为其配对分支——但此时 if 块内空无一物(仅含打印语句),导致 else 在 place_1 != "pokemart" 时才触发,而购买逻辑却总被执行。
✅ 正确做法是:将所有与“进入宝可梦商店”相关的操作(包括询问购买选项、处理购买逻辑)统一缩进至 if place_1 == "pokemart": 下,使它们真正成为该分支的子流程;同时确保 else 与 if 对齐,形成清晰的二选一分支结构。
以下是修正后的完整逻辑示例(含基础变量初始化,便于直接运行):
立即学习“Python免费学习笔记(深入)”;
# 初始化资金(示例值)
money = 500
place_1 = input("Where do you want to go? (pokemart / tall grass): ").strip().lower()
if place_1 == "pokemart":
print("You go to the pokemart")
print("Seller: Hello! Welcome to the pokemart!")
print("Seller: Hi! I work at a POKEMON MART. It's a convenient shop, so please visit us in VIRIDIAN CITY. I know, I'll give you a sample! Here you go!")
print("You get 3 potions and 3 pokeballs")
print("Customer: See those ledges along the road? It's a bit scary, but you can jump from them. You can get back to PALLET TOWN quicker that way.")
# ✅ 关键:此处整体缩进4个空格(或1个Tab),属于 if 分支内部
pokemart_1 = input("Would you like to buy a potion or a pokeball? (potion / pokeball): ").strip().lower()
if pokemart_1 == "potion":
print("You spend 100 pokedollars on a potion")
money -= 100
print(f"Remaining money: {money}")
elif pokemart_1 == "pokeball":
print("You spend 100 pokedollars on a pokeball")
money -= 100
print(f"Remaining money: {money}")
else:
print("Invalid choice. No purchase made.")
else:
# ✅ 与顶层 if 对齐,构成完整的 if-else 结构
print("You go to the tall grass")
print("Tall grass rustles... A wild Pokémon might appear soon!")? 重要注意事项:
- 使用 一致缩进(推荐 4 空格/层级),避免混用 Tab 和空格;
- .strip().lower() 可提升用户输入容错性(忽略空格、大小写);
- else 永远匹配最近的、未被闭合的 if(或 elif),务必检查其缩进层级;
- 若未来需扩展更多地点(如“gym”、“pokecenter”),建议改用 elif 链或字典分发模式,而非嵌套过深。
掌握缩进即掌握 Python 的流程控制之钥——它让逻辑显式、可读、可靠。










