Python input function in Detail- interesting usecases

by | May 14, 2024 | Python | 0 comments

The input() function in Python is primarily used to take input from the user through the command line. While its most common use is to receive text input, it can be used creatively for various purposes.

The input() function in Python

The input() function in Python is used to get user input during the execution of a program. It pauses the program and waits for the user to type something and then press Enter. Whatever the user types is then returned by the input() function as a string.

Here are some key points about input():

  • User Input: Pauses the program and waits for the user to enter some text.
  • Returns a String: The user’s input is always returned as a string, even if the user enters numbers.
  • Optional Prompt: You can optionally provide a message to be displayed before the user input, to instruct the user what kind of input is expected. This message is passed as an argument to the input() function.

Here’s an example of how to use input():

Python

name = input("What is your name? ")
print("Hello, " + name)

In this example, the program prompts the user with the message “What is your name? “. The user then types their name and presses Enter. The input() function then stores the user’s input in the variable name. Finally, the program prints a greeting message that includes the user’s name.

Type Casting:

Since input() always returns a string, if you want to use the user’s input as a number, you’ll need to convert it to the appropriate numerical data type (e.g., int or float) using type casting. Here’s an example:

Python

age = int(input("How old are you? "))
print("You are", age, "years old.")

In this example, the program prompts the user for their age. The input() function returns the user’s input as a string. We then use int() to convert the string to an integer before storing it in the variable age. Finally, the program prints a message that includes the user’s age.

Here are some more interesting uses of the input() function along with examples:

User Authentication:


You can use input() to prompt the user for a username and password, then validate them against a predefined set.

username = input("Enter your username: ")
password = input("Enter your password: ")

if username == "admin" and password == "password":
 print("Welcome, admin!")
else:
 print("Invalid username or password.")


Interactive Menu:


Create an interactive menu where the user can select different options using input().

def display_menu():
    print("Interactive Menu")
    print("1. Add")
    print("2. Subtract")
    print("3. Multiply")
    print("4. Divide")
    print("5. Exit")

def get_user_choice():
    choice = input("Enter your choice (1-5): ")
    return choice

def add():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a + b
    print(f"The result of addition is: {result}")

def subtract():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a - b
    print(f"The result of subtraction is: {result}")

def multiply():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a * b
    print(f"The result of multiplication is: {result}")

def divide():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    if b != 0:
        result = a / b
        print(f"The result of division is: {result}")
    else:
        print("Error: Division by zero is not allowed.")

def main():
    while True:
        display_menu()
        choice = get_user_choice()

        if choice == '1':
            add()
        elif choice == '2':
            subtract()
        elif choice == '3':
            multiply()
        elif choice == '4':
            divide()
        elif choice == '5':
            print("Exiting the program. Goodbye!")
            break
        else:
            print("Invalid choice. Please try again.")

if __name__ == "__main__":
    main()


File Input/Output:


Use input() to prompt the user for a filename and then read or write data to that file.

def display_menu():
    print("\nFile Operations Menu")
    print("1. Read from file")
    print("2. Write to file")
    print("3. Exit")

def get_user_choice():
    choice = input("Enter your choice (1-3): ")
    return choice

def read_from_file(filename):
    try:
        with open(filename, 'r') as file:
            content = file.read()
            print("\nFile Content:")
            print(content)
    except FileNotFoundError:
        print(f"Error: The file '{filename}' does not exist.")
    except Exception as e:
        print(f"An error occurred: {e}")

def write_to_file(filename):
    try:
        with open(filename, 'a') as file:
            data = input("Enter the data to write to the file: ")
            file.write(data + "\n")
            print(f"Data written to '{filename}'.")
    except Exception as e:
        print(f"An error occurred: {e}")

def main():
    filename = input("Enter the filename: ")
    while True:
        display_menu()
        choice = get_user_choice()

        if choice == '1':
            read_from_file(filename)
        elif choice == '2':
            write_to_file(filename)
        elif choice == '3':
            print("Exiting the program. Goodbye!")
            break
        else:
            print("Invalid choice. Please try again.")

if __name__ == "__main__":
    main()


Dynamic Program Behavior:


Allow the user to input parameters to control the behavior of your program.

def display_menu():
    print("\nFile Operations Menu")
    print("1. Read from file")
    print("2. Write to file")
    print("3. Change file mode")
    print("4. Change write behavior (overwrite/append)")
    print("5. Exit")

def get_user_choice():
    choice = input("Enter your choice (1-5): ")
    return choice

def read_from_file(filename):
    try:
        with open(filename, 'r') as file:
            content = file.read()
            print("\nFile Content:")
            print(content)
    except FileNotFoundError:
        print(f"Error: The file '{filename}' does not exist.")
    except Exception as e:
        print(f"An error occurred: {e}")

def write_to_file(filename, write_behavior):
    mode = 'w' if write_behavior == 'overwrite' else 'a'
    try:
        with open(filename, mode) as file:
            data = input("Enter the data to write to the file: ")
            file.write(data + "\n")
            print(f"Data written to '{filename}'.")
    except Exception as e:
        print(f"An error occurred: {e}")

def change_file_mode(current_mode):
    print(f"Current file mode: {current_mode}")
    new_mode = input("Enter new file mode (read/write/append): ").strip().lower()
    if new_mode in ['read', 'write', 'append']:
        return new_mode
    else:
        print("Invalid file mode. Keeping current mode.")
        return current_mode

def change_write_behavior(current_behavior):
    print(f"Current write behavior: {current_behavior}")
    new_behavior = input("Enter new write behavior (overwrite/append): ").strip().lower()
    if new_behavior in ['overwrite', 'append']:
        return new_behavior
    else:
        print("Invalid write behavior. Keeping current behavior.")
        return current_behavior

def main():
    filename = input("Enter the filename: ")
    file_mode = 'read'
    write_behavior = 'overwrite'

    while True:
        display_menu()
        choice = get_user_choice()

        if choice == '1':
            if file_mode == 'read':
                read_from_file(filename)
            else:
                print("Current mode is not set to read. Change the mode to 'read' first.")
        elif choice == '2':
            if file_mode in ['write', 'append']:
                write_to_file(filename, write_behavior)
            else:
                print("Current mode is not set to write/append. Change the mode to 'write' or 'append' first.")
        elif choice == '3':
            file_mode = change_file_mode(file_mode)
        elif choice == '4':
            write_behavior = change_write_behavior(write_behavior)
        elif choice == '5':
            print("Exiting the program. Goodbye!")
            break
        else:
            print("Invalid choice. Please try again.")

if __name__ == "__main__":
    main()


Loop Control:


Use user input to control the flow of a loop.

def display_menu():
    print("\nArithmetic Operations Menu")
    print("1. Add")
    print("2. Subtract")
    print("3. Multiply")
    print("4. Divide")
    print("5. Exit")

def get_user_choice():
    choice = input("Enter your choice (1-5): ")
    return choice

def perform_addition():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a + b
    print(f"The result of addition is: {result}")

def perform_subtraction():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a - b
    print(f"The result of subtraction is: {result}")

def perform_multiplication():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    result = a * b
    print(f"The result of multiplication is: {result}")

def perform_division():
    a = float(input("Enter the first number: "))
    b = float(input("Enter the second number: "))
    if b != 0:
        result = a / b
        print(f"The result of division is: {result}")
    else:
        print("Error: Division by zero is not allowed.")

def main():
    while True:
        display_menu()
        choice = get_user_choice()

        if choice == '1':
            perform_addition()
        elif choice == '2':
            perform_subtraction()
        elif choice == '3':
            perform_multiplication()
        elif choice == '4':
            perform_division()
        elif choice == '5':
            print("Exiting the program. Goodbye!")
            break
        else:
            print("Invalid choice. Please try again.")

if __name__ == "__main__":
    main()


Guessing Games:


Create interactive games where the user has to guess a number or word.

Creating interactive games where the user has to guess a number or word can be a fun way to practice programming in Python. Below are two examples: a number guessing game and a word guessing game.

Example 1: Number Guessing Game

In this game, the program randomly selects a number within a specified range, and the user has to guess the number. The program provides feedback if the guess is too high or too low and counts the number of attempts.

import random

def number_guessing_game():
    print("Welcome to the Number Guessing Game!")
    lower_bound = int(input("Enter the lower bound of the range: "))
    upper_bound = int(input("Enter the upper bound of the range: "))
    target_number = random.randint(lower_bound, upper_bound)
    attempts = 0

    while True:
        guess = int(input(f"Guess a number between {lower_bound} and {upper_bound}: "))
        attempts += 1
        if guess < target_number:
            print("Too low! Try again.")
        elif guess > target_number:
            print("Too high! Try again.")
        else:
            print(f"Congratulations! You guessed the number in {attempts} attempts.")
            break

if __name__ == "__main__":
    number_guessing_game()

Example 2: Word Guessing Game (Hangman)

In this game, the program selects a random word from a list, and the user has to guess the letters of the word. The user has a limited number of attempts to guess the word correctly.

import random

def word_guessing_game():
    words = ["python", "hangman", "programming", "developer", "algorithm"]
    word = random.choice(words)
    guessed_word = ["_"] * len(word)
    attempts_left = 6
    guessed_letters = set()

    print("Welcome to the Word Guessing Game (Hangman)!")
    print(" ".join(guessed_word))

    while attempts_left > 0:
        guess = input("Guess a letter: ").lower()
        if guess in guessed_letters:
            print("You already guessed that letter. Try again.")
        elif guess in word:
            guessed_letters.add(guess)
            for idx, letter in enumerate(word):
                if letter == guess:
                    guessed_word[idx] = guess
            print(" ".join(guessed_word))
            if "_" not in guessed_word:
                print("Congratulations! You guessed the word correctly.")
                break
        else:
            guessed_letters.add(guess)
            attempts_left -= 1
            print(f"Incorrect guess. You have {attempts_left} attempts left.")
            print(" ".join(guessed_word))

    if "_" in guessed_word:
        print(f"Game over! The word was '{word}'.")

if __name__ == "__main__":
    word_guessing_game()

A tuple, a dictionary, or a list from string input

You can collect a tuple, a dictionary, or a list from string input by parsing the input string and converting it into the desired data structure using Python’s built-in functions and methods. Here’s how you can do it for each data structure:

Collecting a Tuple from String Input:

String input format: “(item1, item2, item3, …)”

input_string = input("Enter a tuple (in the format '(item1, item2, item3, …)'): ")

Remove parentheses and split by comma

items = input_string.strip('()').split(',')

Convert items to desired data types and create a tuple

my_tuple = tuple(map(str.strip, items))
print("Tuple:", my_tuple)


Collecting a Dictionary from String Input:

String input format: “{key1: value1, key2: value2, key3: value3, …}”

input_string = input("Enter a dictionary (in the format '{key1: value1, key2: value2, …}'): ")

Remove braces, split by comma, then split each key-value pair by colon

pairs = [pair.split(':') for pair in input_string.strip('{}').split(',')]

Remove leading and trailing spaces from keys and values, then create dictionary

my_dict = {key.strip(): value.strip() for key, value in pairs}
print("Dictionary:", my_dict)


Collecting a List from String Input:

String input format: “[item1, item2, item3, …]”

input_string = input("Enter a list (in the format '[item1, item2, item3, …]'): ")

Remove brackets and split by comma

items = input_string.strip('[]').split(',')

Convert items to desired data types and create a list

my_list = list(map(str.strip, items))
print("List:", my_list)


These examples assume a specific format for the input string (e.g., for tuples, dictionaries, and lists). You may need to adjust the parsing logic according to your specific input format. Additionally, error handling for invalid input should be added as needed to ensure the robustness of your code.

Using the input() function (and occasionally eval(), though cautiously) to collect different data types from users can lead to some interesting and dynamic Python programs. Here are a few examples:

  1. Math Expression Evaluator: Allow users to input mathematical expressions and evaluate them.
  2. Dynamic Data Type Collection: Collect various types of data from users (integers, floats, lists, dictionaries).
  3. Form-like Data Collection: Simulate a form where users input different types of data.
  4. Calculator with Custom Functions: Allow users to define custom functions and evaluate expressions using those functions.

Example 1: Math Expression Evaluator

def math_expression_evaluator():
    print("Welcome to the Math Expression Evaluator!")
    while True:
        expression = input("Enter a mathematical expression to evaluate or 'q' to quit: ")
        if expression.lower() == 'q':
            print("Goodbye!")
            break
        try:
            result = eval(expression)
            print(f"The result of '{expression}' is: {result}")
        except Exception as e:
            print(f"Error evaluating expression: {e}")

if __name__ == "__main__":
    math_expression_evaluator()

Example 2: Dynamic Data Type Collection

def collect_data():
    print("Welcome to the Dynamic Data Collector!")
    data_types = {
        'integer': int,
        'float': float,
        'string': str,
        'list': eval,
        'dictionary': eval
    }

    collected_data = {}

    for data_type, caster in data_types.items():
        user_input = input(f"Enter a {data_type}: ")
        try:
            collected_data[data_type] = caster(user_input)
        except Exception as e:
            print(f"Error converting '{user_input}' to {data_type}: {e}")

    print("\nCollected Data:")
    for data_type, value in collected_data.items():
        print(f"{data_type.capitalize()}: {value}")

if __name__ == "__main__":
    collect_data()

Example 3: Form-like Data Collection

def user_form():
print("Welcome to the User Form!")

user_data = {
'Name': input("Enter your name: "),
'Age': int(input("Enter your age: ")),
'Height': float(input("Enter your height (in cm): ")),
'Favorite Colors': input("Enter your favorite colors (comma-separated): ").split(',')
}

print("\nUser Data:")
for key, value in user_data.items():
print(f"{key}: {value}")

if __name__ == "__main__":
user_form()

Example 4: Calculator with Custom Functions

def calculator_with_custom_functions():
print("Welcome to the Custom Function Calculator!")

custom_functions = {}

while True:
print("\n1. Define a custom function")
print("2. Evaluate an expression")
print("3. Quit")
choice = input("Choose an option: ")

if choice == '1':
func_name = input("Enter the function name: ")
func_definition = input(f"Enter the function definition (e.g., lambda x: x * 2): ")
try:
custom_functions[func_name] = eval(func_definition)
print(f"Function '{func_name}' defined.")
except Exception as e:
print(f"Error defining function: {e}")

elif choice == '2':
expression = input("Enter an expression to evaluate: ")
try:
local_scope = custom_functions.copy()
result = eval(expression, {"__builtins__": None}, local_scope)
print(f"The result of '{expression}' is: {result}")
except Exception as e:
print(f"Error evaluating expression: {e}")

elif choice == '3':
print("Goodbye!")
break

else:
print("Invalid choice. Please try again.")

if __name__ == "__main__":
calculator_with_custom_functions()

Explanation

  1. Math Expression Evaluator:
    • Uses eval() to evaluate user-input mathematical expressions.
    • Includes error handling for invalid expressions.
  2. Dynamic Data Type Collection:
    • Prompts the user to input different data types.
    • Uses eval() to convert inputs to complex types (list, dictionary).
    • Collects and displays the data in a dictionary.
  3. Form-like Data Collection:
    • Simulates a form where the user inputs data of various types.
    • Collects the data in a dictionary and displays it.
  4. Calculator with Custom Functions:
    • Allows users to define custom functions using eval().
    • Evaluates expressions that can use these custom functions.
    • Uses a safe evaluation environment by limiting the scope of eval().

Notes on Using eval()

  • Caution: eval() can execute arbitrary code, which can be a security risk if the input is not trusted. Always validate and sanitize inputs when using eval().
  • Safer Alternatives: For mathematical expressions, consider using the ast.literal_eval() function or the sympy library for symbolic mathematics, which are safer alternatives to eval().

These examples demonstrate how the input() function, combined with dynamic evaluation and type conversion, can create versatile and interactive Python programs.

Written By HintsToday Team

undefined

Related Posts

Python Project Alert:- Dynamic list of variables Creation

Let us go through the Project requirement:- 1.Let us create One or Multiple dynamic lists of variables and save it in dictionary or Array or other datastructre for further repeating use in python. Variable names are in form of dynamic names for example Month_202401 to...

read more

Data Structures in Python: Linked Lists

Linked lists are a fundamental linear data structure where elements (nodes) are not stored contiguously in memory. Each node contains data and a reference (pointer) to the next node in the list, forming a chain-like structure. This dynamic allocation offers advantages...

read more

Python Dictionary in detail

What is Dictionary in Python? First of All it is not sequential like Lists. It is a non-sequential, unordered, redundant and mutable collection as key:value pairs. Keys are always unique but values need not be unique. You use the key to access the corresponding value....

read more

Python Strings Interview Questions

Python Programming Strings Interview Questions Write a Python program to remove a Specific character from string? Here's a Python program to remove a specific character from a string: def remove_char(text, char): """ Removes a specific character from a string. Args:...

read more

0 Comments

Submit a Comment

Your email address will not be published. Required fields are marked *