


Decken Sie alle Python-Grundlagen mit diesen Projekten ab | Vom Quiz zum Passwort-Manager.
Réaliser des projets est la meilleure façon de mettre en pratique ce que vous apprenez. Bien que ces projets puissent sembler simples et faciles, ils jouent un rôle crucial dans la construction d’une base solide en programmation Python. J'ai créé ces projets pour couvrir la plupart des principes fondamentaux de Python, garantissant ainsi que chacun puisse apprendre et améliorer ses compétences en codage grâce à la pratique pratique.
1. Jeu-questionnaire
Qu'est-ce que c'est ? Un jeu de quiz simple où l'ordinateur pose des questions et le joueur y répond.
Concepts utilisés :
- Listes et tuples
- Module aléatoire
- Boucles
- Déclarations conditionnelles
- Gestion des entrées utilisateur
- Suivi des scores
Comment ça marche : Le jeu commence par souhaiter la bienvenue au joueur et lui demander s'il veut jouer. Il présente ensuite une série de questions randomisées à partir d'une liste prédéfinie. Les réponses du joueur sont vérifiées et son score est mis à jour en conséquence. Le jeu fournit des commentaires sur chaque réponse et affiche le score final à la fin.
import random # Import the random module for shuffling print("Welcome to the Quiz Game") # Print welcome message wanna_play = input("Do you want to play the game (yes/no): ").lower() # Ask if the user wants to play if wanna_play != 'yes': # If user does not want to play, quit quit() print("Okay, then! Let's play") # Print message to start the game # Creating a list of tuples containing questions and answers question_answer_pairs = [ ("What does CPU stand for?", "Central Processing Unit"), ("Which programming language is known as the 'mother of all languages'?", "C"), ("What does HTML stand for?", "HyperText Markup Language"), # ... (more questions) ] # Shuffle the list of tuples to ensure random order random.shuffle(question_answer_pairs) score = 0 # Iterate through the shuffled list of tuples for question, correct_answer in question_answer_pairs: user_answer = input(f"{question} ").strip() # Ask the question and get user input if user_answer.lower() == correct_answer.lower(): # Check if the answer is correct print("Correct answer") score += 1 # Increase score for a correct answer else: print(f"Incorrect answer. The correct answer is: {correct_answer}") score -= 1 # Decrease score for an incorrect answer print(f"Current Score: {score}") # Print the final score print(f"Quiz over! Your final score is {score}/{len(question_answer_pairs)}")
2. Jeu de devinettes (devinettes informatiques)
Qu'est-ce que c'est ? Un jeu de devinettes où l'ordinateur essaie de deviner un nombre choisi par l'utilisateur.
Concepts utilisés :
- Fonctions
- Boucles
- Déclarations conditionnelles
- Gestion des entrées utilisateur
- Algorithme de recherche binaire
Comment ça marche : L'utilisateur définit une plage et choisit un nombre dans cette plage. L'ordinateur utilise ensuite une approche de recherche binaire pour deviner le nombre, l'utilisateur indiquant si la supposition est trop élevée, trop faible ou correcte. Le jeu continue jusqu'à ce que l'ordinateur devine correctement ou détermine que le nombre est en dehors de la plage spécifiée.
def guess_number(): """ Function where the computer attempts to guess a number chosen by the user within a specified range. The user defines the lower and upper bounds of the range and provides a number for the computer to guess. The computer uses a binary search approach to guess the number and the user provides feedback to guide it. """ # Get the lower bound of the range from the user low = int(input("Enter the lower range: ")) # Get the upper bound of the range from the user high = int(input("Enter the higher range: ")) # Check if the provided range is valid if low >= high: print("Invalid range. The higher range must be greater than the lower range.") return # Exit the function if the range is invalid # Get the number from the user that the computer will attempt to guess Your_number = int(input(f"Enter your number for the computer to guess between {low} and {high}: ")) # Check if the number entered by the user is within the specified range if Your_number < low or Your_number > high: print("The number you entered is out of the specified range.") return # Exit the function if the number is out of the range # Initialize the computer's guess variable computer_guess = None # Loop until the computer guesses the correct number while computer_guess != Your_number: # Compute the computer's guess as the midpoint of the current range computer_guess = (low + high) // 2 print(f"The computer guesses: {computer_guess}") # Get feedback from the user about the computer's guess feedback = input(f"Is {computer_guess} too low, too high, or correct? (Enter 'h' for higher, 'l' for lower, 'c' for correct): ").strip().lower() # Process the user's feedback to adjust the guessing range if feedback == 'c': if computer_guess == Your_number: print("The computer guessed your number correctly! Congrats!") return # Exit the function once the correct number is guessed else: continue elif feedback == 'h': high = computer_guess - 1 # If the guess is too high, lower the upper range elif feedback == 'l': low = computer_guess + 1 # If the guess is too low, increase the lower range else: print("Invalid feedback, please enter 'h', 'l', or 'c'.") # Handle invalid feedback # Call the function to start the guessing game guess_number()
3. Jeu de devinettes de nombres (devinettes de l'utilisateur)
Qu'est-ce que c'est ? Un jeu de devinettes dans lequel l'utilisateur essaie de deviner un nombre généré aléatoirement.
Concepts utilisés :
- Fonctions
- Module aléatoire
- Boucles
- Déclarations conditionnelles
- Gestion des exceptions
- Validation des entrées utilisateur
Comment ça marche : L'ordinateur génère un nombre aléatoire dans une plage spécifiée. L'utilisateur fait ensuite des suppositions et le programme indique si la supposition est trop élevée ou trop faible. Le jeu continue jusqu'à ce que l'utilisateur devine le bon numéro ou décide d'arrêter.
import random # Import the random module to use its functions for generating random numbers def guess_random_number(number): """ Function to allow the user to guess a random number between 1 and the specified `number`. This function generates a random integer between 1 and the provided `number` (inclusive). It then repeatedly prompts the user to guess the random number, providing feedback on whether the guess is too high or too low, until the correct number is guessed. The function handles invalid inputs by catching exceptions and informing the user to enter a valid integer. """ # Generate a random number between 1 and the specified `number` (inclusive) random_number = random.randint(1, number) guess = None # Initialize the variable `guess` to None before starting the loop # Loop until the user guesses the correct number while guess != random_number: try: # Prompt the user to enter a number between 1 and `number` guess = int(input(f"Enter a number between 1 and {number}: ")) # Provide feedback based on whether the guess is too low or too high if guess < random_number: print("Too low, guess a greater number.") elif guess > random_number: print("Too high, guess a smaller number.") except ValueError: # Handle the case where the user inputs something that isn't an integer print("Invalid input. Please enter a valid integer.") # Congratulate the user once they guess the correct number print("You have guessed the random number correctly. Congrats!") # Call the function with an upper limit of 10 guess_random_number(10)
4. Jeu du pendu
Qu'est-ce que c'est ? Un jeu de devinettes de mots classique où le joueur essaie de deviner un mot caché lettre par lettre.
Concepts utilisés :
- Importer des modules
- Sélection aléatoire dans une liste
- Manipulation de chaînes
- Boucles
- Déclarations conditionnelles
- Compréhension de la liste
Comment ça marche : Le jeu sélectionne un mot aléatoire dans une liste prédéfinie. Le joueur devine ensuite les lettres une par une. Les suppositions correctes révèlent la position de la lettre dans le mot, tandis que les suppositions incorrectes réduisent les vies restantes du joueur. Le jeu se termine lorsque le joueur devine le mot entier ou manque de vies.
import random from word_list import words # Import the words from word_list.py file def hangman(): random_word = random.choice(words) # Generate the random word print(random_word) # Print the chosen word for testing purposes; remove in production word_display = ["_"] * len(random_word) # Create blank lines "_" equal to the length of the word guessed_letters = [] # Empty list to store the letters that have been guessed lives = 5 # Number of lives for the player print("Welcome to Hangman!") # Print welcome statement print(" ".join(word_display)) # Display the current state of the word while lives > 0: # The game continues to run as long as the player has more than 0 lives user_guess = input("Enter a single letter for your guess: ").lower() # Ask the player to input a letter # Check whether the player entered a valid input if len(user_guess) != 1 or not user_guess.isalpha(): print("Invalid input. Please enter a single letter.") continue # Check if the letter has already been guessed if user_guess in guessed_letters: print(f"You've already guessed '{user_guess}'. Try another guess.") continue # Add the guessed letter to the guessed_letters list guessed_letters.append(user_guess) # Check if the guessed letter is in the random_word if user_guess in random_word: # Update word_display with the correctly guessed letter for index, letter in enumerate(random_word): if letter == user_guess: word_display[index] = user_guess print("Good guess!") else: lives -= 1 # Reduce the number of remaining lives by 1 for an incorrect guess print(f"Wrong guess! Remaining lives: {lives}") # Display the current state of the word print(" ".join(word_display)) # Check if the player has guessed all letters if "_" not in word_display: print("Congratulations, you guessed the word!") break else: # This runs if no lives are left print(f"You have run out of lives. The word was: {random_word}") hangman() # Function to start the game
5. Ciseaux à papier pierre
Qu'est-ce que c'est ? Un jeu classique "Pierre, Papier, Ciseaux" où l'utilisateur joue contre l'ordinateur.
Concepts utilisés :
- Boucles
- Déclarations conditionnelles
- Fonctions
- Module aléatoire
- Gestion des entrées utilisateur
Comment ça marche : L'utilisateur choisit soit une pierre, du papier ou des ciseaux, tandis que l'ordinateur choisit également au hasard l'une des options. Le programme compare ensuite les choix, détermine le gagnant et demande à l'utilisateur s'il souhaite rejouer.
import random # Import the random module to generate random choices for the computer. def playGame(): while True: # Infinite loop to keep the game running until the user decides to stop. # Ask the user to enter their choice and convert it to lowercase. user_choice = input("Enter 'r' for rock, 'p' for paper, 's' for scissors: ").strip().lower() # Check if the user input is valid (i.e., 'r', 'p', or 's'). if user_choice not in ['r', 'p', 's']: print("Invalid Input. Please try again.") continue # If the input is invalid, restart the loop. print(f"You chose {user_choice}") # Display the user's choice. # Computer randomly picks one of the choices ('r', 'p', 's'). computer_choice = random.choice(['r', 'p', 's']) print(f"The computer chose {computer_choice}") # Display the computer's choice. # Check if the user's choice is the same as the computer's choice. if user_choice == computer_choice: print("It's a tie.") # It's a tie if both choices are the same. elif _iswinner(user_choice, computer_choice): print("You won!") # The user wins if their choice beats the computer's choice. else: print("You lost.") # The user loses if the computer's choice beats theirs. # Ask the user if they want to play again. play_again = input("Do you want to play again? Enter 'yes' or 'no': ").strip().lower() # If the user doesn't enter 'yes', end the game. if play_again != 'yes': print("Thank you for playing!") # Thank the user for playing. break # Exit the loop and end the game. def _iswinner(user, computer): # Determine if the user's choice beats the computer's choice. # Rock ('r') beats Scissors ('s'), Scissors ('s') beat Paper ('p'), Paper ('p') beats Rock ('r'). if (user == "r" and computer == "s") or (user == "p" and computer == "r") or (user == "s" and computer == "p"): return True # Return True if the user wins. # Start the game by calling the playGame function. playGame()
6. 2 utilisateurs Tick Tack Toe
Qu'est-ce que c'est Tic-Tac-Toe est un jeu classique à deux joueurs dans lequel les joueurs marquent à tour de rôle des espaces sur une grille 3x3. Le but est d'être le premier à obtenir trois de ses notes d'affilée, soit horizontalement, verticalement ou en diagonale. Le jeu se termine lorsqu'un joueur y parvient ou lorsque tous les espaces de la grille sont remplis sans gagnant, ce qui entraîne un match nul.
*Concepts utilisés : *
- Définition et appel de fonctions
- Structures de données (Liste 2D)
- Boucles (pour, while)
- Déclarations conditionnelles (si, sinon)
- Traitement et validation des entrées
- Gestion de l'état du jeu
- Formatage des chaînes
- Gestion des exceptions
def print_board(board): """Prints the game board in a structured format with borders.""" print("\n+---+---+---+") # Print the top border of the board for row in board: # print each row with cell values separated by borders print("| " + " | ".join(row) + " |") # print the border after each row print("+---+---+---+") def check_winner(board): """Checks for a winner or a draw.""" # define all possible winning lines: rows, columns, and diagonals lines = [ [board[0][0], board[0][1], board[0][2]], # Row 1 [board[1][0], board[1][1], board[1][2]], # Row 2 [board[2][0], board[2][1], board[2][2]], # Row 3 [board[0][0], board[1][0], board[2][0]], # Column 1 [board[0][1], board[1][1], board[2][1]], # Column 2 [board[0][2], board[1][2], board[2][2]], # Column 3 [board[0][0], board[1][1], board[2][2]], # Diagonal from top-left to bottom-right [board[0][2], board[1][1], board[2][0]] # Diagonal from top-right to bottom-left ] # Check each line to see if all three cells are the same and not empty for line in lines: if line[0] == line[1] == line[2] and line[0] != ' ': return line[0] # Return the player ('X' or 'O') who has won # Check if all cells are filled and there is no winner if all(cell != ' ' for row in board for cell in row): return 'Draw' # Return 'Draw' if the board is full and no winner return None # Return None if no winner and the game is not a draw def main(): """Main function to play the Tic Tac Toe game.""" # Initialize the board with empty spaces board = [[' ' for _ in range(3)] for _ in range(3)] current_player = 'X' # Start with player 'X' while True: print_board(board) # Print the current state of the board try: # Prompt the current player for their move move = input(f"Player {current_player}, enter your move (1-9): ") move = int(move) # Convert the input to an integer # Check if the move is valid (between 1 and 9) if move < 1 or move > 9: print("Invalid move, try again.") continue # Ask for a new move except ValueError: # Handle cases where the input is not an integer print("Invalid move, try again.") continue # Ask for a new move # Convert the move number to board coordinates (row, col) row, col = divmod(move - 1, 3) # Check if the cell is already occupied if board[row][col] != ' ': print("Cell already occupied. Choose a different cell.") continue # Ask for a new move # Place the current player's mark on the board board[row][col] = current_player # Check if there is a winner or if the game is a draw winner = check_winner(board) if winner: print_board(board) # Print the final board state if winner == 'Draw': print("The game is a draw!") else: print(f"Player {winner} wins!") # Announce the winner break # End the game # Switch players current_player = 'O' if current_player == 'X' else 'X' if __name__ == "__main__": main() # Start the game
7. Gestionnaire de mots de passe
Qu'est-ce que c'est ? Un gestionnaire de mots de passe simple qui permet aux utilisateurs de stocker et de récupérer des mots de passe cryptés.
Concepts used:
- File I/O operations
- Encryption using the cryptography library
- Functions
- Exception handling
- User input handling
- Loops
How it works: The program uses the Fernet symmetric encryption from the cryptography library to securely store passwords. Users can add new passwords or view existing ones. Passwords are stored in an encrypted format in a text file, and decrypted when viewed.
from cryptography.fernet import Fernet # The write_key function generates an encryption key and saves it to a file. # It's currently commented out, but you need to run it once to create the 'key.key' file. ''' def write_key(): key = Fernet.generate_key() with open("key.key", "wb") as key_file: key_file.write(key) ''' def load_key(): """This function loads the encryption key from the 'key.key' file.""" file = open("key.key", "rb") key = file.read() file.close() return key # Load the key and create a Fernet object key = load_key() fer = Fernet(key) def view(): """Function to view stored passwords in the 'passwords.txt' file""" with open('passwords.txt', 'r') as f: for line in f.readlines(): data = line.rstrip() user, passw = data.split("|") decrypted_password = fer.decrypt(passw.encode()).decode() print("User:", user, "| Password:", decrypted_password) def add(): """Function to add new account names and passwords to the 'passwords.txt' file""" name = input('Account Name: ') pwd = input("Password: ") with open('passwords.txt', 'a') as f: encrypted_password = fer.encrypt(pwd.encode()).decode() f.write(name + "|" + encrypted_password + "\n") # Main loop to ask the user what they want to do: view passwords, add new passwords, or quit while True: mode = input( "Would you like to add a new password or view existing ones (view, add), press q to quit? ").lower() if mode == "q": break if mode == "view": view() elif mode == "add": add() else: print("Invalid mode.") continue
Thanks for stopping and reading the blog.
Github Repo : https://github.com/iamdipsan/Python-Projects
Das obige ist der detaillierte Inhalt vonDecken Sie alle Python-Grundlagen mit diesen Projekten ab | Vom Quiz zum Passwort-Manager.. Für weitere Informationen folgen Sie bitte anderen verwandten Artikeln auf der PHP chinesischen Website!

Heiße KI -Werkzeuge

Undresser.AI Undress
KI-gestützte App zum Erstellen realistischer Aktfotos

AI Clothes Remover
Online-KI-Tool zum Entfernen von Kleidung aus Fotos.

Undress AI Tool
Ausziehbilder kostenlos

Clothoff.io
KI-Kleiderentferner

Video Face Swap
Tauschen Sie Gesichter in jedem Video mühelos mit unserem völlig kostenlosen KI-Gesichtstausch-Tool aus!

Heißer Artikel

Heiße Werkzeuge

Notepad++7.3.1
Einfach zu bedienender und kostenloser Code-Editor

SublimeText3 chinesische Version
Chinesische Version, sehr einfach zu bedienen

Senden Sie Studio 13.0.1
Leistungsstarke integrierte PHP-Entwicklungsumgebung

Dreamweaver CS6
Visuelle Webentwicklungstools

SublimeText3 Mac-Version
Codebearbeitungssoftware auf Gottesniveau (SublimeText3)

Heiße Themen











Python ist leichter zu lernen und zu verwenden, während C leistungsfähiger, aber komplexer ist. 1. Python -Syntax ist prägnant und für Anfänger geeignet. Durch die dynamische Tippen und die automatische Speicherverwaltung können Sie die Verwendung einfach zu verwenden, kann jedoch zur Laufzeitfehler führen. 2.C bietet Steuerung und erweiterte Funktionen auf niedrigem Niveau, geeignet für Hochleistungsanwendungen, hat jedoch einen hohen Lernschwellenwert und erfordert manuellem Speicher und Typensicherheitsmanagement.

Ist es genug, um Python für zwei Stunden am Tag zu lernen? Es hängt von Ihren Zielen und Lernmethoden ab. 1) Entwickeln Sie einen klaren Lernplan, 2) Wählen Sie geeignete Lernressourcen und -methoden aus, 3) praktizieren und prüfen und konsolidieren Sie praktische Praxis und Überprüfung und konsolidieren Sie und Sie können die Grundkenntnisse und die erweiterten Funktionen von Python während dieser Zeit nach und nach beherrschen.

Python ist in der Entwicklungseffizienz besser als C, aber C ist in der Ausführungsleistung höher. 1. Pythons prägnante Syntax und reiche Bibliotheken verbessern die Entwicklungseffizienz. 2. Die Kompilierungsmerkmale von Compilation und die Hardwarekontrolle verbessern die Ausführungsleistung. Bei einer Auswahl müssen Sie die Entwicklungsgeschwindigkeit und die Ausführungseffizienz basierend auf den Projektanforderungen abwägen.

Python und C haben jeweils ihre eigenen Vorteile, und die Wahl sollte auf Projektanforderungen beruhen. 1) Python ist aufgrund seiner prägnanten Syntax und der dynamischen Typisierung für die schnelle Entwicklung und Datenverarbeitung geeignet. 2) C ist aufgrund seiner statischen Tipp- und manuellen Speicherverwaltung für hohe Leistung und Systemprogrammierung geeignet.

PythonlistsarePartThestandardlibrary, whilearraysarenot.listarebuilt-in, vielseitig und UNDUSEDFORSPORINGECollections, während dieArrayRay-thearrayModulei und loses und loses und losesaluseduetolimitedFunctionality.

Python zeichnet sich in Automatisierung, Skript und Aufgabenverwaltung aus. 1) Automatisierung: Die Sicherungssicherung wird durch Standardbibliotheken wie OS und Shutil realisiert. 2) Skriptschreiben: Verwenden Sie die PSUTIL -Bibliothek, um die Systemressourcen zu überwachen. 3) Aufgabenverwaltung: Verwenden Sie die Zeitplanbibliothek, um Aufgaben zu planen. Die Benutzerfreundlichkeit von Python und die Unterstützung der reichhaltigen Bibliothek machen es zum bevorzugten Werkzeug in diesen Bereichen.

Zu den Anwendungen von Python im wissenschaftlichen Computer gehören Datenanalyse, maschinelles Lernen, numerische Simulation und Visualisierung. 1.Numpy bietet effiziente mehrdimensionale Arrays und mathematische Funktionen. 2. Scipy erweitert die Numpy -Funktionalität und bietet Optimierungs- und lineare Algebra -Tools. 3.. Pandas wird zur Datenverarbeitung und -analyse verwendet. 4.Matplotlib wird verwendet, um verschiedene Grafiken und visuelle Ergebnisse zu erzeugen.

Zu den wichtigsten Anwendungen von Python in der Webentwicklung gehören die Verwendung von Django- und Flask -Frameworks, API -Entwicklung, Datenanalyse und Visualisierung, maschinelles Lernen und KI sowie Leistungsoptimierung. 1. Django und Flask Framework: Django eignet sich für die schnelle Entwicklung komplexer Anwendungen, und Flask eignet sich für kleine oder hochmobile Projekte. 2. API -Entwicklung: Verwenden Sie Flask oder Djangorestframework, um RESTFUFFUPI zu erstellen. 3. Datenanalyse und Visualisierung: Verwenden Sie Python, um Daten zu verarbeiten und über die Webschnittstelle anzuzeigen. 4. Maschinelles Lernen und KI: Python wird verwendet, um intelligente Webanwendungen zu erstellen. 5. Leistungsoptimierung: optimiert durch asynchrones Programmieren, Caching und Code
