Sean
Sean

Reputation: 107

How to continuously prompt for user input?

I'm writing a function that prompts for input and then returns different results based on the input and then asks for input again. I've got it returning the correct values, but I'm not sure how to make it prompt for input again.

Here's the actual code of the function:

def interact():
    command = raw_input('Command:')
    command = command.split(' ')
    if command[0] == 'i':
        bike_name =  command[1] + ' ' + command[2]
        return get_product_id(products, bike_name)
    if command [0] == 'n':
        return get_product_name(products, command[1])
    if command[0] == 'c':
        return compute_cost(products, part, command[1])
    if command[0] == 'p':
        return get_parts(products, command[1])

In each line with return in it, it is simply calling up a previously defined function. The products and part are dictionaries, defined previously.

I can only use the builtin functions.

Upvotes: 0

Views: 26970

Answers (5)

battery
battery

Reputation: 522

There is no need to take so much pain and write your own command line interpreter. Look at this: http://docs.python.org/2/library/cmd.html

Upvotes: 1

user657127
user657127

Reputation:

I would do it with a while loop. Like This:

while True:
    com = raw_input('Command:').split()
    if len(com) == 0:
        break
    elif com[0] == 'i':
        bike_name =  command[1] + ' ' + command[2]
        return get_product_id(products, bike_name)

Upvotes: 4

Dimitar
Dimitar

Reputation: 2402

One way is to put it in a while loop, and then also check for an exit input to break out.

Upvotes: 1

user2665694
user2665694

Reputation:

Call the method inside an (end-less) loop:

while True:
   some_method()

Upvotes: 0

bradley.ayers
bradley.ayers

Reputation: 38372

You've done most of the work, you just need this:

while True:
    print interact()

Upvotes: 2

Related Questions