从入门到高手的99个python案例(2)

51. 列表和数组比较 - 列表通用,NumPy数组高效。

import numpy as np  normal_list = [1, 2, 3]  
np_array = np.array([1, 2, 3])  
print(np_array.shape)  # 输出 (3,), 数组有形状信息  

52. Python的内置模块datetime - 处理日期和时间。

from datetime import datetime  
now = datetime.now()  
print(now.strftime("%Y-%m-%d %H:%M:%S"))  

53. Python的os模块 - 操作文件和目录。

import os  
print(os.getcwd())  # 输出当前工作目录  

54. 列表推导式中的条件和循环 - 结合使用。

evens = [x for x in range(10) if x % 2 == 0 for y in range(5) if y % 2 == 0]  
print(evens)  

55. 迭代器和生成器的使用场景 - 数据处理和节省内存。

# 使用生成器处理大文件  
def read_large_file(file_path, chunk_size=1024):  with open(file_path, "r") as file:  while True:  chunk = file.read(chunk_size)  if not chunk:  break  yield chunk  for line in read_large_file("large.txt"):  process(line)  

56. zip()函数 - 同时遍历多个序列。

names = ["Alice", "Bob", "Charlie"]  
ages = [25, 30, 35]  
pairs = zip(names, ages)  
print(list(pairs))  # 输出 [('Alice', 25), ('Bob', 30), ('Charlie', 35)]  

57. enumerate()函数 - 为列表元素添加索引。

fruits = ["apple", "banana", "cherry"]  
for index, fruit in enumerate(fruits):  print(f"{index}: {fruit}")  

58. itertools模块 - 提供高效迭代工具。

from itertools import product  
result = product("ABC", repeat=2)  
print(list(result))  # 输出 [('A', 'A'), ('A', 'B'), ('A', 'C'), ..., ('C', 'C')]  

59. json模块 - 序列化和反序列化数据。

import json  
data = {"name": "Alice", "age": 25}  
json_data = json.dumps(data)  
print(json_data)  

60. 递归函数 - 用于解决分治问题。

def factorial(n):  if n == 0 or n == 1:  return 1  else:  return n * factorial(n - 1)  print(factorial(5))  # 输出 120  

61. os.path模块 - 文件路径处理。

import os.path  
path = "/home/user/documents"  
print(os.path.exists(path))  # 输出 True 或 False  

62. random模块 - 随机数生成。

import random  
random_number = random.randint(1, 10)  
print(random_number)  

63. re模块 - 正则表达式操作。

import re  
text = "Today is 2023-04-01"  
match = re.search(r"\d{4}-\d{2}-\d{2}", text)  
print(match.group())  # 输出 "2023-04-01"  

64. requests - 发送HTTP请求。

import requests  
response = requests.get("https://api.example.com")  
print(response.status_code)  

65. Pandas - 大数据处理。

import pandas as pd  
df = pd.DataFrame({"Name": ["Alice", "Bob"], "Age": [25, 30]})  
print(df)  

66. matplotlib - 数据可视化。

import matplotlib.pyplot as plt  
plt.plot([1, 2, 3, 4])  
plt.show()  

67. logging模块 - 日志记录。

import logging  
logger = logging.getLogger(__name__)  
logger.info("This is an info message")  

68. asyncio - 异步编程。

import asyncio  
async def slow_task():  await asyncio.sleep(1)  return "Task completed"  loop = asyncio.get_event_loop()  
result = loop.run_until_complete(slow_task())  
print(result)  

69. contextlib模块 - 非阻塞上下文管理。

from contextlib import asynccontextmanager  
@asynccontextmanager  
async def acquire_lock(lock):  async with lock:  yield  async with acquire_lock(lock):  # do something  

70. asyncio.gather - 异步并发执行。

tasks = [asyncio.create_task(task) for task in tasks_to_run]  
results = await asyncio.gather(*tasks)  

71. asyncio.sleep - 异步等待一段时间。

await asyncio.sleep(2)  # 程序在此暂停2秒  

72. asyncio.wait - 等待多个任务完成。

done, pending = await asyncio.wait(tasks, timeout=10)  

73. asyncio.subprocess - 异步执行外部命令。

import asyncio.subprocess as sp  
proc = await sp.create_subprocess_exec("ls", "-l")  
await proc.communicate()  

74. concurrent.futures - 多线程/进程执行。

from concurrent.futures import ThreadPoolExecutor, ProcessPoolExecutor  with ThreadPoolExecutor() as executor:  results = executor.map(function, arguments)  

75. timeit模块 - 测试代码执行速度。

import timeit  
print(timeit.timeit("your_code_here", globals=globals()))  

76. pickle模块 - 序列化和反序列化对象。

import pickle  
serialized = pickle.dumps(obj)  
deserialized = pickle.loads(serialized)  

77. logging.handlers模块 - 多种日志输出方式。

handler = RotatingFileHandler("app.log", maxBytes=1000000)  
formatter = logging.Formatter("%(asctime)s - %(levelname)s - %(message)s")  
handler.setFormatter(formatter)  
logger.addHandler(handler)  

78. asyncio.Queue - 异步队列。

queue = asyncio.Queue()  
await queue.put(item)  
result = await queue.get()  

79. asyncio.Event - 异步信号量。

event = asyncio.Event()  
event.set()  # 设置信号  
await event.wait()  # 等待信号  

80. asyncio.Lock - 互斥锁,防止并发修改。

async with await asyncio.Lock():  # 获取锁后执行  critical_section()  

81. asyncio.gatherasyncio.wait_for的区别 - 异步任务管理。

  • gather: 并行执行多个任务,等待所有任务完成。

  • wait_for: 等待单个任务完成,其他任务继续运行。

82. asyncio.sleepasyncio.sleep_after - 异步延时和定时任务。

  • sleep: 直接暂停当前协程。

  • sleep_after: 定义一个延迟后执行的任务。

83. aiohttp - HTTP客户端库。

import aiohttp  
async with aiohttp.ClientSession() as session:  async with session.get("https://example.com") as response:  data = await response.text()  

84. asyncio.shield - 防止被取消任务中断。

async def task():  await shield(some_long_running_task())  # 如果外部取消任务,task将继续运行,不会影响内部任务  
asyncio.create_task(task())  

85. asyncio.run - 简化异步程序执行。

asyncio.run(main_coroutine())  

86. asyncio.iscoroutinefunction - 检查是否为协程函数。

if asyncio.iscoroutinefunction(some_function):  await some_function()  

87. asyncio.all_tasks - 获取所有任务。

tasks = asyncio.all_tasks()  
for task in tasks:  task.cancel()  

88. asyncio.wait_forasyncio.timeout - 设置超时限制。

try:  result = await asyncio.wait_for(some_task, timeout=5.0)  
except asyncio.TimeoutError:  print("Task timed out")  

89. asyncio.sleep_timeout - 异步睡眠并设置超时。

await asyncio.sleep_timeout(10, asyncio.TimeoutError)  

90. asyncio.current_task - 获取当前正在执行的任务。

current_task = asyncio.current_task()  
print(current_task)  

91. asyncio.sleep的超时支持 - asyncio.sleep现在接受超时参数。

try:  await asyncio.sleep(1, timeout=0.5)  # 如果超过0.5秒还没完成,则会抛出TimeoutError  
except asyncio.TimeoutError:  print("Sleep interrupted")  

92. asyncio.shield的高级用法 - 可以保护整个协程。

@asyncio.coroutine  
def protected_coroutine():  try:  await some_task()  except Exception as e:  print(f"Error occurred: {e}")  # 使用shield保护,即使外部取消任务,也会继续处理错误  asyncio.create_task(protected_coroutine())  

93. asyncio.wait的回调函数 - 使用回调函数处理完成任务。

done, _ = await asyncio.wait(tasks, callback=handle_completed_task)  

94. asyncio.gather的返回值 - 可以获取所有任务的结果。

results = await asyncio.gather(*tasks)  

95. asyncio.Queueget_nowait - 不阻塞获取队列元素。

if not queue.empty():  item = queue.get_nowait()  
else:  item = await queue.get()  

96. asyncio.Eventclear - 清除事件状态。

event.clear()  
await event.wait()  # 现在需要再次调用set()来触发  

97. asyncio.Eventis_set - 检查事件是否已设置。

if event.is_set():  print("Event is set")  

98. asyncio.subprocess.PIPE - 连接到子进程的输入/输出管道。

proc = await asyncio.create_subprocess_exec(  "python", "-c", "print('Hello from child')", stdout=asyncio.subprocess.PIPE  
)  
output, _ = await proc.communicate()  
print(output.decode())  

99. asyncio.run_coroutine_threadsafe - 在子线程中执行协程。

loop = asyncio.get_running_loop()  
future = loop.run_coroutine_threadsafe(some_async_coroutine(), thread_pool)  
result = await future.result()  

好了,今天就这些了,希望对大家有帮助。都看到这了,点个赞再走吧~

最后这里免费分享给大家一份Python全台学习资料,包含视频、源码。课件,希望能帮到那些不满现状,想提升自己却又没有方向的朋友,也可以和我一起来学习交流呀。
编程资料、学习路线图、源代码、软件安装包等!【点击这里】领取!
Python所有方向的学习路线图,清楚各个方向要学什么东西
100多节Python课程视频,涵盖必备基础、爬虫和数据分析
100多个Python实战案例,学习不再是只会理论
华为出品独家Python漫画教程,手机也能学习
历年互联网企业Python面试真题,复习时非常方便

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

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

相关文章

数据库MySQL——从0到1入门教程

Q:为什么需要MySQL? A:网络服务中,我们需要存储、管理大量的数据,并确保数据的安全、实现增删改查操作的高效,因此需要一个系统用来专门管理数据,以实现上述的高性能要求,数据库管理系统应需而生 八股如下…

自动化数据驱动?最全接口自动化测试yaml数据驱动实战

前言 我们在做自动化测试的时候,通常会把配置信息和测试数据存储到特定的文件中,以实现数据和脚本的分离,从而提高代码的易读性和可维护性,便于后期优化。 而配置文件的形式更是多种多样,比如:ini、yaml、…

pdf structuredClone is not defined 解决

问题 部分手机系统的浏览器 pdf v2版本会出现 structuredclone is not defined 的报错,这是因为浏览器过低 解决 查看structuredClone的浏览器兼容性 structuredClone api 文档 polyfill 网站下方有个 polyfill的网址入口 可以解决低版本的兼容问题 相应网址…

笨蛋学算法之LeetCodeHot100_3_最长连续序列(Java)

package com.lsy.leetcodehot100;import java.util.Arrays; import java.util.HashSet; import java.util.Set;public class _Hot3_最长连续序列 {public static int longestConsecutive(int[] nums) {//创建set去重//对重复的数字进行去重Set<Integer> set new HashSet…

融合心血管系统(CVS)多视角信号的新架构新策略

随着深度学习的发展和传感器的广泛采用&#xff0c;自动多视角融合&#xff08;MVF&#xff09;在心血管系统&#xff08;CVS&#xff09;信号处理方面取得了进展。然而&#xff0c;普遍的MVF模型架构通常将同一时间步骤但不同视角的CVS信号混合成统一的表示形式&#xff0c;忽…

redis的四种模式部署应用

这里写目录标题 redis应用redis单机部署redis主从redis哨兵Cluster模式 redis应用 redis单机部署 关闭防火墙[rootzyq ~]#: yum -y install wget make gcc gcc-c ...... [rootzyq ~]#: wget https://download.redis.io/redis-stable.tar.gz --2024-01-01 19:41:14-- https:/…

TypeScript 进阶,深入理解并运用索引访问类型提升代码质量

欢迎回来继续我们的“TypeScript进阶技巧”系列。上次我们深入探讨了如何使用Extract和Exclude实用类型来优化TypeScript的类型处理&#xff08; 《如何利用 TypeScript 的 Extract 提升类型定义与代码清晰度》和 《如何利用 TypeScript 的 Exclude 提升状态管理与代码健壮性》…

论文阅读笔记:Cross-Image Relational Knowledge Distillation for Semantic Segmentation

论文阅读笔记&#xff1a;Cross-Image Relational Knowledge Distillation for Semantic Segmentation 1 背景2 创新点3 方法4 模块4.1 预备知识4.2 跨图像关系知识蒸馏4.3 Memory-based像素到像素蒸馏4.4 Memory-based像素到区域蒸馏4.5 整体框架 5 效果 论文&#xff1a;http…

Redis和Docker

Redis 和 Docker 是两种不同的技术&#xff0c;它们各自解决不同的问题&#xff0c;但有时会一起使用以提供更高效和灵活的解决方案。 Redis 是一个开源的内存数据结构存储系统&#xff0c;可以用作数据库、缓存和消息代理。它设计为解决MySQL等关系型数据库在处理大量读写访问…

MySQL数据操作与查询-T5 MySQL函数

一、数学函数和控制流函数 1、数学函数 &#xff08;1&#xff09;abs(x) 计算x的绝对值。 1 select abs(‐5.5),abs(10) &#xff08;2&#xff09;pow(x,y) 计算x的y次方的值。 1 select pow(2,8),pow(8,2) &#xff08;3&#xff09;round(x) 和 round(x,y) 对数字x进…

php遇到的问题

1、 underfined at line 3 in xxx.php , 错误提示&#xff0c;注释这行代码 // error_reporting(DEBUG ? E_ALL : 0); 目录&#xff1a;config/config.php

Ubuntu20.04部署Qwen2.openvino流程

下载代码 里面包含依赖 git clone https://github.com/OpenVINO-dev-contest/Qwen2.openvino.gitpython环境配置 创建虚拟环境 conda create -name qwen2openvino python3.10 conda activate qwen2openvino安装依赖 pip install wheel setuptools pip install -r requirem…

CCAA质量管理【学习笔记】​​ 备考知识点笔记(二)

第三节 GB/T19001-2016 标准正文 本节为ISO9001:2015 标准条款的正文内容&#xff0c;各条款中的术语参照上节内容理解时&#xff0c;会很轻松。本节不再一一对各条款讲解。 引 言 0.1 总 则 采用质量管理体系是组织的一项战略决策&#xff0c;能够帮助其提高整体绩效…

这个网站有点意思,可做SPRINGBOOT的启动图

在 SpringBoot 项目的 resources 目录下新建一个 banner.txt 文本文件&#xff0c;然后将启动 Banner 粘贴到此文本文件中&#xff0c;启动项目&#xff0c;即可在控制台展示对应的内容信息。 下面这个工具很好用&#xff0c;收藏精哦

PFA 反应罐内衬特氟龙 润滑绝缘行业加工 匠心工艺

PFA反应罐别名也叫反应瓶&#xff0c;储样罐&#xff0c;清洗罐等。可作为样品前处理实验中消解样品和中低压溶样的反应容器&#xff0c;广泛应用于半导体分析、新材料、新能源、同位素分析等。 PFA反应罐规格参考&#xff1a;250ml、300ml、350ml、500ml、1L等。 产品特点&…

官网首屏:太漂亮了,真是着了它的魔,上了它的道。

大气的企业官网致力于提供用户友好的界面和优质的用户体验。网页经过精心设计和开发&#xff0c;旨在展示客户的品牌形象和产品信息&#xff0c;并为用户提供便捷的服务和沟通渠道。 官网设计追求简洁、美观、易用的原则&#xff0c;以吸引用户的注意力并提供清晰的导航和信息…

手机丢失不惊慌,华为手机已升级至楼层级设备查找!

出门总是丢三落四&#xff0c;手机丢了怎么办&#xff1f;不要怕&#xff0c;只要你的华为手机升级至云空间新版本&#xff0c;就可以进行楼层级设备查找&#xff0c;现在可以查看到具体的楼层了&#xff01; 之前有手机丢失过的朋友&#xff0c;肯定有相似的经历&#xff0c…

【会议征稿,ACM出版】2024年云计算与大数据国际学术会议(ICCBD 2024,7月26-28)

2024年云计算与大数据国际学术会议(ICCBD 2024)将于2024年7月26-28日在中国大理召开。ICCBD 2024将围绕“云计算与大数据”的最新研究领域, 旨在为从事研究的专家、学者、工程师和技术人员提供一个国际平台&#xff0c;分享科研成果和尖端技术&#xff0c;了解学术发展趋势&…

Windows安装配置CUDA12.5

搞大模型往往都需要GPU加速&#xff0c;本次在家里的PC上安装CUDA来实现GPU加速。 一、环境准备 操作系统&#xff1a;Windows11 23H2 GPU&#xff1a;RTX 4070 Ti Super 显卡驱动&#xff1a;555.99 &#xff08;NVIDIA GeForce 驱动程序 - N 卡驱动 | NVIDIA&#xff09; …

基于JSP技术的定西扶贫惠农推介系统

开头语&#xff1a;你好呀&#xff0c;我是计算机学长猫哥&#xff01;如果有相关需求&#xff0c;文末可以找到我的联系方式。 开发语言&#xff1a;JSP 数据库&#xff1a;MySQL 技术&#xff1a;B/S架构、JSP技术 工具&#xff1a;Eclipse、MySQL、Tomcat 系统展示 首…