8个硬核的python入门项目

大家好,Python是一种通用编程语言,被广泛用于Web开发、数据分析、机器学习和自动化。提高Python技能的最佳方式之一是从事实际项目。本文将探索8个带有代码的Python项目,其涵盖了各种主题和难度级别,帮助大家增强编程能力。

1. URL缩短器

URL缩短器是将长网站链接缩短的方便工具,项目使用Python和Flask(一个流行的Web框架)来构建一个URL缩短器。通过利用Flask的强大功能处理HTTP请求、生成唯一的短代码和重定向用户到原始URL。

from flask import Flask, redirect, render_template, request
import string
import randomapp = Flask(__name__)# Dictionary to store the mappings of short codes to original URLs
url_mapping = {}def generate_short_code():"""Generate a random short code."""characters = string.ascii_letters + string.digitsshort_code = ''.join(random.choice(characters) for _ in range(6))return short_code@app.route('/', methods=['GET', 'POST'])
def home():if request.method == 'POST':original_url = request.form['url']short_code = generate_short_code()url_mapping[short_code] = original_urlshort_url = request.host_url + short_codereturn render_template('index.html', short_url=short_url)return render_template('index.html')@app.route('/<short_code>')
def redirect_to_original_url(short_code):if short_code in url_mapping:original_url = url_mapping[short_code]return redirect(original_url)else:return "Short URL not found."if __name__ == '__main__':app.run(debug=True)

2. 图像字幕生成器

图像字幕是深度学习的一个迷人应用。项目使用Python和TensorFlow库来创建一个图像字幕生成器,通过组合计算机视觉和自然语言处理技术,程序将能够自动为图像生成描述性的字幕。

import tensorflow as tf
import matplotlib.pyplot as plt
import numpy as np
from PIL import Image
import os# Load the pre-trained InceptionV3 model
inception_model = tf.keras.applications.InceptionV3(include_top=True, weights='imagenet')# Load the tokenizer
tokenizer = tf.keras.preprocessing.text.Tokenizer()
tokenizer_path = 'tokenizer.pkl'
tokenizer = tf.keras.preprocessing.text.tokenizer_from_json(tokenizer_path)# Define the maximum sequence length (number of words) for captions
max_sequence_length = 20# Load the pre-trained caption generation model
model_path = 'caption_generator_model.h5'
model = tf.keras.models.load_model(model_path)# Load the word-to-index and index-to-word mappings
word_to_index = tokenizer.word_index
index_to_word = {index: word for word, index in word_to_index.items()}# Load the pre-trained InceptionV3 model
inception_model = tf.keras.applications.InceptionV3(include_top=True, weights='imagenet')def preprocess_image(image_path):"""Preprocess the image for input to the InceptionV3 model."""img = Image.open(image_path)img = img.resize((299, 299))img = np.array(img)img = img / 255.0img = img.reshape(1, 299, 299, 3)return imgdef generate_caption(image_path):"""Generate a caption for the given image."""img = preprocess_image(image_path)features = inception_model.predict(img)features = features.reshape(1, -1)start_token = tokenizer.word_index['<start>']end_token = tokenizer.word_index['<end>']caption = []input_sequence = [start_token]for _ in range(max_sequence_length):sequence = np.array(input_sequence)y_pred = model.predict([features, sequence])y_pred = np.argmax(y_pred)if index_to_word[y_pred] == '<end>':breakcaption.append(index_to_word[y_pred])input_sequence.append(y_pred)generated_caption = ' '.join(caption)return generated_caption# Path to the image for caption generation
image_path = 'example_image.jpg'# Generate caption for the image
caption = generate_caption(image_path)
print('Generated Caption:', caption)# Display the image
img = Image.open(image_path)
plt.imshow(img)
plt.axis('off')
plt.show()

3. 天气预报App

构建一个天气预报App将为使用API提供宝贵经验。使用Python和OpenWeatherMap API来获取给定位置的天气数据并向用户显示,项目涉及发出HTTP请求、解析JSON响应以及以用户友好的方式呈现数据。

import requests
import jsondef get_weather_data(api_key, city):"""Get weather data for a specific city using the OpenWeatherMap API."""base_url = "http://api.openweathermap.org/data/2.5/weather"params = {"q": city,"appid": api_key,"units": "metric"}response = requests.get(base_url, params=params)data = response.json()return datadef display_weather(data):"""Display weather information."""if data["cod"] != "404":city = data["name"]country = data["sys"]["country"]temperature = data["main"]["temp"]description = data["weather"][0]["description"]humidity = data["main"]["humidity"]wind_speed = data["wind"]["speed"]print(f"Weather in {city}, {country}:")print(f"Temperature: {temperature}°C")print(f"Description: {description}")print(f"Humidity: {humidity}%")print(f"Wind Speed: {wind_speed} km/h")else:print("City not found. Please try again.")def main():# API key from OpenWeatherMapapi_key = "YOUR_API_KEY"# Get the city name from the usercity = input("Enter the city name: ")# Get weather data for the cityweather_data = get_weather_data(api_key, city)# Display weather informationdisplay_weather(weather_data)if __name__ == "__main__":main()

4. 音乐播放器

在Python中创建音乐播放器是探索图形用户界面(GUI)的绝佳方式。使用Tkinter库设计一个基本的音乐播放器,允许用户浏览音乐库、播放音乐、暂停、停止和调整音量,帮助对面向事件编程和GUI开发有更深的理解。

import tkinter as tk
import os
from pygame import mixerclass MusicPlayer:def __init__(self, root):self.root = rootself.root.title("Music Player")self.root.geometry("300x100")# Initialize Pygame mixermixer.init()# Create a variable to store the current playing statusself.playing = False# Create a variable to store the current selected songself.current_song = None# Create the UI elementsself.label = tk.Label(root, text="Music Player")self.label.pack()self.play_button = tk.Button(root, text="Play", command=self.play_music)self.play_button.pack()self.stop_button = tk.Button(root, text="Stop", command=self.stop_music)self.stop_button.pack()self.browse_button = tk.Button(root, text="Browse", command=self.browse_music)self.browse_button.pack()def play_music(self):if self.current_song:if not self.playing:mixer.music.load(self.current_song)mixer.music.play()self.play_button.config(text="Pause")self.playing = Trueelse:mixer.music.pause()self.play_button.config(text="Play")self.playing = Falsedef stop_music(self):mixer.music.stop()self.play_button.config(text="Play")self.playing = Falsedef browse_music(self):self.current_song = tk.filedialog.askopenfilename(initialdir=os.getcwd(), title="Select Song",filetypes=(("Audio Files", "*.mp3"), ("All Files", "*.*")))self.label.config(text=os.path.basename(self.current_song))if __name__ == '__main__':root = tk.Tk()music_player = MusicPlayer(root)root.mainloop()

5. 数独求解器

解决数独难题是测试问题解决能力的经典编程挑战。项目使用Python和回溯算法构建一个数独求解器,表示难题、实现求解器以及使用图形界面可视化解决方案。

def is_valid(board, row, col, num):# Check if the number already exists in the rowfor i in range(9):if board[row][i] == num:return False# Check if the number already exists in the columnfor i in range(9):if board[i][col] == num:return False# Check if the number already exists in the 3x3 gridstart_row = (row // 3) * 3start_col = (col // 3) * 3for i in range(3):for j in range(3):if board[start_row + i][start_col + j] == num:return Falsereturn Truedef solve_sudoku(board):for row in range(9):for col in range(9):if board[row][col] == 0:for num in range(1, 10):if is_valid(board, row, col, num):board[row][col] = numif solve_sudoku(board):return Trueboard[row][col] = 0return Falsereturn Truedef print_board(board):for row in range(9):for col in range(9):print(board[row][col], end=" ")print()# Example Sudoku board (0 represents empty cells)
board = [[5, 3, 0, 0, 7, 0, 0, 0, 0],[6, 0, 0, 1, 9, 5, 0, 0, 0],[0, 9, 8, 0, 0, 0, 0, 6, 0],[8, 0, 0, 0, 6, 0, 0, 0, 3],[4, 0, 0, 8, 0, 3, 0, 0, 1],[7, 0, 0, 0, 2, 0, 0, 0, 6],[0, 6, 0, 0, 0, 0, 2, 8, 0],[0, 0, 0, 4, 1, 9, 0, 0, 5],[0, 0, 0, 0, 8, 0, 0, 7, 9]
]if solve_sudoku(board):print("Sudoku solved:")print_board(board)
else:print("No solution exists for the given Sudoku board.")

6. 使用BeautifulSoup爬取网页

网页抓取涉及从网站中提取数据,这是各个领域有价值的技能。项目使用Python和BeautifulSoup库来爬取选择的网站的数据,浏览HTML结构、提取特定信息并将其保存到文件或数据库。

import requests
from bs4 import BeautifulSoup# Send a GET request to the website
url = 'https://example.com'
response = requests.get(url)# Create a BeautifulSoup object
soup = BeautifulSoup(response.text, 'html.parser')# Find and extract specific elements from the webpage
title = soup.title.text
paragraphs = soup.find_all('p')# Print the extracted data
print('Title:', title)
print('Paragraphs:')
for p in paragraphs:print(p.text)

7. 聊天机器人

构建聊天机器人是结合自然语言处理和机器学习的激动人心的项目。使用Python和NLTK或spaCy等库来创建一个可以理解用户查询并提供相关响应的聊天机器人,使用文本预处理、意图识别和响应生成等技术。

import random# List of sample responses
responses = ["Hello!","Hi there!","Greetings!","Nice to meet you!","How can I assist you?","I'm here to help!","How are you today?",
]def get_random_response():"""Return a random response from the list of sample responses."""return random.choice(responses)def chat():"""Main function to handle the chatbot conversation."""print("Chatbot: " + get_random_response())while True:user_input = input("User: ")# Check if the user wants to end the conversationif user_input.lower() == "bye":print("Chatbot: Goodbye!")break# Generate and print a random responseprint("Chatbot: " + get_random_response())if __name__ == "__main__":print("Chatbot: Hello! How can I assist you?")chat()

8. 密码管理器

密码管理器是一种用于安全存储和管理密码的有用工具。项目中使用Python和密码学库开发一个密码管理器,程序将允许用户存储他们的密码,生成强密码,并对数据进行加密以确保安全性。

import hashlib
import getpasspasswords = {}def get_hashed_password(password):"""Generate a SHA-256 hashed password."""sha256_hash = hashlib.sha256()sha256_hash.update(password.encode('utf-8'))return sha256_hash.hexdigest()def create_password():"""Create a new password entry."""website = input("Enter the website: ")username = input("Enter your username: ")password = getpass.getpass("Enter your password: ")hashed_password = get_hashed_password(password)passwords[website] = (username, hashed_password)print("Password created successfully.")def retrieve_password():"""Retrieve a password from the password manager."""website = input("Enter the website: ")if website in passwords:username, hashed_password = passwords[website]password = getpass.getpass("Enter your password: ")if hashed_password == get_hashed_password(password):print(f"Username: {username}")print(f"Password: {password}")else:print("Incorrect password.")else:print("Website not found in the password manager.")def main():while True:print("1. Create a new password")print("2. Retrieve a password")print("3. Quit")choice = input("Enter your choice (1-3): ")if choice == "1":create_password()elif choice == "2":retrieve_password()elif choice == "3":breakelse:print("Invalid choice. Please try again.")if __name__ == "__main__":main()

综上所述,本文探索了不同领域的项目,涵盖了Web开发、数据分析、机器学习和自动化等方面。通过完成这些项目,可以获得实践经验,并对Python及其库有更深入的理解。 

本文来自互联网用户投稿,该文观点仅代表作者本人,不代表本站立场。本站仅提供信息存储空间服务,不拥有所有权,不承担相关法律责任。如若转载,请注明出处:http://www.mzph.cn/news/657448.shtml

如若内容造成侵权/违法违规/事实不符,请联系多彩编程网进行投诉反馈email:809451989@qq.com,一经查实,立即删除!

相关文章

华为---STP(二)---STP报文和STP端口状态

目录 1. STP报文简介 1.1 Configuration BPDU 1.2 TCN BPDU 2. STP交换机端口状态 2.1 STP交换机端口状态表 2.2 STP交换机端口状态迁移过程图 2.3 STP交换机端口状态变化举例说明 3 引起的STP网络拓扑改变的示例 3.1 根桥出现故障 3.2 有阻塞端口的交换机根端口所在…

web worker

&#xff08;1&#xff09;同源限制 分配给 Worker 线程运行的脚本文件&#xff0c;必须与主线程的脚本文件同源。&#xff08;2&#xff09;DOM 限制 Worker 线程所在的全局对象&#xff0c;与主线程不一样&#xff0c;无法读取主线程所在网页的 DOM 对象&#xff0c;也无法使…

爬虫学习笔记-selenium交互

1.导包 from selenium import webdriver import time from selenium.webdriver.common.by import By 2.打开浏览器访问百度页面,睡眠2秒 url https://www.baidu.com browser webdriver.Chrome() browser.get(url) time.sleep(2) 3.获取输入框,输入搜索的内容,睡眠2秒 i…

6.1 内存模式概述

Bruce Powel Douglass大师介绍-CSDN博客 嵌入式软件开发从小工到专家-CSDN博客 C嵌入式编程设计模式源码-CSDN博客 “内存管理模式”介绍了几种内存管理的模式&#xff0c;每种模式都针对特定的系统需求和约束设计。 6.2 静态分配模式&#xff08;Static Allocation Patter…

[嵌入式系统-6]:龙芯1B 开发学习套件 -3-软件层次架构

目录 一、龙芯软件架构 1.1 通用软件架构 1.2 龙芯软件架构 1.3 龙芯各种应用程序 1.4 龙芯SOC芯片硬件&#xff1a;龙芯1B 1.5 PMON软件 1.6 龙芯IDE管辖的软件 &#xff08;1&#xff09;CPU Core驱动程序 &#xff08;2&#xff09;SOC芯片外设驱动程序 &#xff…

Linux(CentOS7)与用户电脑传输文件(sz与rz)云与云(scp)

rz和sz是Linux/Unix同Windows进行Zmodem文件传输的命令工具 rz和sz中的z为Zmodem文件传输协议的首字母 s为send发送 r为receive接收&#xff0c;都是相对与Linux来看的接收和发送 Linux发送文件到电脑&#xff1a; sz命令 把文件发送到Windows sz 文件直接按回车就可以选择发送…

数据结构:大顶堆、小顶堆

堆是其中一种非常重要且实用的数据结构。堆可以用于实现优先队列&#xff0c;进行堆排序&#xff0c;以及解决各种与查找和排序相关的问题。本文将深入探讨两种常见的堆结构&#xff1a;大顶堆和小顶堆&#xff0c;并通过 C 语言展示如何实现和使用它们。 一、定义 堆是一种完…

利用操作符解题的精彩瞬间

下面是链接为了解释练习2的并且还有与操作符相关的知识。 C语言与操作符相关的经典例题-CSDN博客 操作符详解&#xff08;上&#xff09;-CSDN博客 操作符详解&#xff08;下&#xff09;-CSDN博客 目录 练习1&#xff1a;在一个整型数组中&#xff0c;只有一个数字出现一…

Vue学习笔记(二)快速入门

Vue学习笔记&#xff08;二&#xff09;快速入门 vue小试牛刀 hello-vue3.html <body><div id"app"><h1>{{msg}}</h1></div><script type"module">import {createApp} from https://unpkg.com/vue3/dist/vue.esm-b…

本地python部署onnx模型,使用c++通过http访问

python服务器端 from flask import Flask, request from gevent import pywsgi import os os.environ["CUDA_VISIBLE_DEVICES"] = "0"import onnxruntime as ort import numpy as np import SimpleITK as sitkimport math

超强的AI写简历软件

你们在制作简历时&#xff0c;是不是基本只关注两件事&#xff1a;简历模板&#xff0c;还有基本信息的填写。 当你再次坐下来更新你的简历时&#xff0c;可能会发现自己不自觉地选择了那个“看起来最好看的模板”&#xff0c;填写基本信息&#xff0c;却没有深入思考如何使简历…

Opencv——图片卷积

图像滤波是尽量保留图像细节特征的条件下对目标图像的噪声进行抑制,是图像预处理中不可缺少的操作,其处理效果的好坏将直接影响到后续图像处理和分析的有效性和可靠性。 线性滤波是图像处理最基本的方法,它允许我们对图像进行处理,产生很多不同的效果。首先,我们需要一个二…

k8s学习-通过Service访问Pod

假设Pod中的容器很可能因为各种原因发生故障而死掉。Deployment等Controller会通过动态创建和销毁Pod来保证应用整体的健壮性。换句话说&#xff0c;Pod是脆弱的&#xff0c;但应用是健壮的。 每个Pod都有自己的IP地址。当Controller用新Pod替代发生故障的Pod时&#xff0c;新…

颠覆传统楼宇管理,拥抱城市美好生活

智慧楼宇是指通过智能化技术和设备&#xff0c;对楼宇的设施、环境和应用进行全面感知、连接和优化&#xff0c;实现楼宇的智能化、高效化和安全化的建筑。智慧楼宇具有全面感知、实时监控、智能控制、优化管理、节能环保等特点&#xff0c;可以为建筑提供更高效、更便捷、更安…

V90伺服PN总线绝对值编码器点动模式往复运动控制实验(SCL代码)

V90伺服驱动器其它相关介绍,请参考V90控制专栏,常用地址如下: V90 Epos模式下点动控制 https://rxxw-control.blog.csdn.net/article/details/134263795https://rxxw-control.blog.csdn.net/article/details/134263795绝对定位往复运动可以参考下面文章链接: https://rx…

【深度学习】MNN ImageProcess处理图像顺序,逻辑,均值,方差

文章目录 介绍Opencv numpy等效的MNN处理 介绍 MNN ImageProcess处理图像是先reisze还是后resize&#xff0c;均值方差怎么处理&#xff0c;是什么通道顺序&#xff1f;这篇文章告诉你答案。 Opencv numpy 这段代码是一个图像预处理函数&#xff0c;用于对输入的图像进行一系…

Python Django

Django 是一个用于构建 Web 应用程序的高级 Python Web 框架。它遵循 "Dont Repeat Yourself"&#xff08;不要重复自己&#xff09;和 "Convention over Configuration"&#xff08;约定大于配置&#xff09;的原则&#xff0c;以提高开发效率。 以下是 …

【数据结构 06】二叉树

一、原理 二叉树算法核心思维&#xff1a;递归 满二叉树&#xff1a;二叉树的层数为K&#xff0c;节点数为 完全二叉树&#xff1a;二叉树的层数为K&#xff0c;前K-1层是满的&#xff0c;第K层是连续的 满二叉树是完全二叉树的子集。 任意二叉树&#xff1a;若叶子节点的…

CRF条件随机场学习记录

阅读建议 仔细阅读书[1]对应的序列标注章节&#xff0c;理解该方法面向的问题以及相关背景&#xff0c;然后理解基础的概念。 引言 威胁情报挖掘的相关论文中&#xff0c;均涉及到两部分任务&#xff1a;命名实体识别&#xff08;Named Entity Recognition&#xff0c;NER&a…

ubuntu+nginx+uwsgi部署django项目

相比较学习Django来说,部署应该是在整个环节中比较难的一项,特别是一些自学者,对liunx系统的命令行操作不熟悉,甚至是从来没有接触过服务器,这一块我相信劝退了很多人!当初我自己学习的时候也是如此! 但我仍然觉得自学是一件非常酷的事,虽说可能会走些弯路,但这些弯路…