#python #while-loop
#python #цикл while
Вопрос:
я пытаюсь сделать так, чтобы пользователь начинал в главном меню, вводил команду, а затем возвращался в главное меню и повторял, пока не закончит. итак, я поставил это:
#mainmenu loop
def main():
while True:
print("welcome to the store. what do you wanna do?"
"n here are all the commands. enter a number to output. enjoy!"
"n 1: view your shopping list"
"n 2: add to the shopping list"
"n 3: delete items from the shopping list"
"n 4: clear the shopping list"
"n 5: go to isle 1"
"n 6: go to isle 2"
"n 7: go to isle 3"
"n 8: go to isle 4"
"n 9: checkout"
"n 10: leave the store")
selected = str(input('>> '))
а затем у меня есть остальные функции и прочее позже.
if selected == '1':
viewList()
но он повторяется только дважды, затем останавливается, и он также не дает ответа, когда я ввожу команду.
я попытался переместиться туда, где я сказал main(), но это не сработало.
полный код:
import sys
#mainmenu loop
def main():
while True:
print("welcome to the store. what do you wanna do?"
"n here are all the commands. enter a number to output. enjoy!"
"n 1: view your shopping list"
"n 2: add to the shopping list"
"n 3: delete items from the shopping list"
"n 4: clear the shopping list"
"n 5: go to isle 1"
"n 6: go to isle 2"
"n 7: go to isle 3"
"n 8: go to isle 4"
"n 9: checkout"
"n 10: leave the store")
selected = str(input('>> '))
main()
selected = main()
#shopping list
list = ['']
#functions for each command
#view list
def viewList():
if list == '':
print('the list is empty.')
else:
print(list)
#add
def addList(item):
item = input("what would you like to add? ")
list.append(item)
print(item, ' has been added.')
#delete
def removeList(item):
item = input("what would you like to remove? ")
list.remove(item)
print(item, ' has been deleted.')
#if/else statements for selection
if selected == '1':
viewList()
elif selected == '2':
addList(item)
elif selected == '3':
pass
elif selected == '4':
pass
elif selected == '5':
pass
elif selected == '6':
pass
elif selected == '7':
pass
elif selected == '8':
pass
elif selected == '9':
pass
elif selected == '10':
print('thanks for visiting :)')
sys.exit()
else:
print('invalid code..')
Комментарии:
1.
break
Рекомендуется использовать для остановки цикловsys.exit()
, чтобы остановить всю программу
Ответ №1:
Я работал над вашим кодом. Я надеюсь, что это ваш ожидаемый результат на данный момент. Я также исправил некоторые ошибки. У меня есть одно предложение для вас, пожалуйста, пересмотрите поток внутри кода, так как главное меню будет повторяться снова, что многие не предпочли бы сразу после обновления списка покупок.
Измененный код ниже:
#mainmenu loop
def main():
optcmd = 0
print("nnwelcome to the store. what do you wanna do?"
"n here are all the commands. enter a number to output. enjoy!"
"n 1: view your shopping list"
"n 2: add to the shopping list"
"n 3: delete items from the shopping list"
"n 4: clear the shopping list"
"n 5: go to isle 1"
"n 6: go to isle 2"
"n 7: go to isle 3"
"n 8: go to isle 4"
"n 9: checkout"
"n 10: leave the store")
while not optcmd:
optcmd = int(input('>> '))
if optcmd<=0 or optcmd>10:
print('invalid code...nPlease re-enter code...')
optcmd=0
return optcmd
#functions for each command
#view list
def viewList(shoplist):
if shoplist==[]:
print('the list is empty.')
else:
print(shoplist)
#add
def addList(shoplist):
item = input("what would you like to add? ")
shoplist.append(item)
print(item, ' has been added.')
#delete
def removeList(shoplist):
item = input("what would you like to remove? ")
shoplist.remove(item)
print(item, ' has been deleted.')
#shopping list
shoplist = []
selected = main()
#selection item
while selected:
#if/else statements for selection
if selected == 1:
viewList(shoplist)
selected = main()
elif selected == 2:
addList(shoplist)
selected = main()
elif selected == 3:
removeList(shoplist)
selected = main()
elif selected == 4:
pass
selected=''
elif selected == 5:
pass
selected=''
elif selected == 6:
pass
selected=''
elif selected == 7:
pass
selected=''
elif selected == 8:
pass
selected=''
elif selected == 9:
pass
selected=''
elif selected == 10:
print('thanks for visiting :)')
selected=''
Ответ №2:
while(True)
это хороший способ. Это создаст бесконечный цикл. Вы должны выйти из него, когда пользователь вводит 10, т.е. Покинуть хранилище
Можете ли вы поделиться своим полным кодом?
Вы сказали, что он останавливается через два раза, что может быть связано с какой-то другой частью вашего кода.
Вы вызывали свой метод main
?
Комментарии:
1. я отредактировал его, также есть разница между while True: и while(True)?
Ответ №3:
В вашем коде довольно много ошибок: 1. ваша основная функция должна возвращать значение, чтобы selected мог сохранять значение из функции main(), и все условия if должны входить в цикл while для вашей работы, я даю вам полный код, пожалуйста, исправьте синтаксические ошибки.
и я предполагаю, что если пользователь вводит 10, он должен выйти, поэтому добавьте это условие тоже.
list = ['']
def viewList():
if list == '':
print('the list is empty.')
else:
print(list)
def addList(item):
item = input("what would you like to add? ")
list.append(item)
print(item, ' has been added.')
def removeList(item):
item = input("what would you like to remove? ")
list.remove(item)
print(item, ' has been deleted.')
def main():
flag = True
while flag:
print("welcome to the store. what do you wanna do?"
"n here are all the commands. enter a number to output. enjoy!"
"n 1: view your shopping list"
"n 2: add to the shopping list"
"n 3: delete items from the shopping list"
"n 4: clear the shopping list"
"n 5: go to isle 1"
"n 6: go to isle 2"
"n 7: go to isle 3"
"n 8: go to isle 4"
"n 9: checkout"
"n 10: leave the store")
selected = str(input('>> '))
if(selected == 10):
flag = False
if selected == '1':
viewList()
elif selected == '2':
addList(item)
elif selected == '3':
pass
elif selected == '4':
pass
elif selected == '5':
pass
elif selected == '6':
pass
elif selected == '7':
pass
elif selected == '8':
pass
elif selected == '9':
pass
elif selected == '10':
print('thanks for visiting :)')
else:
print("Invalid Code")
main()