当前位置: 首页 > news >正文

顺德网站建设jinqiye精准防恶意点击软件

顺德网站建设jinqiye,精准防恶意点击软件,河南省住房城乡建设主管部门网站,张店网站建设哪家好前言 之前发过22个小技巧,今天就来分享分享13个非常有用的代码片段 赶紧码住,看看你都了解吗 1.将两个列表合并成一个字典 假设我们在 Python 中有两个列表,我们希望将它们合并为字典形式,其中一个列表的项作为字典的键&#…

前言

之前发过22个小技巧,今天就来分享分享13个非常有用的代码片段

赶紧码住,看看你都了解吗

1.将两个列表合并成一个字典

假设我们在 Python 中有两个列表,我们希望将它们合并为字典形式,其中一个列表的项作为字典的键,另一个作为值。这是在用 Python 编写代码时经常遇到的一个非常常见的问题

但是为了解决这个问题,我们需要考虑几个限制,比如两个列表的大小,两个列表中元素的类型,以及其中是否有重复的元素,尤其是我们将使用的元素作为 key 时。我们可以通过使用 zip 等内置函数来解决这些问题

keys_list = ['A', 'B', 'C']
values_list = ['blue', 'red', 'bold']#There are 3 ways to convert these two lists into a dictionary
#1- Using Python's zip, dict functionz
dict_method_1 = dict(zip(keys_list, values_list))#2- Using the zip function with dictionary comprehensions
dict_method_2 = {key:value for key, value in zip(keys_list, values_list)}#3- Using the zip function with a loop
items_tuples = zip(keys_list, values_list) 
dict_method_3 = {} 
for key, value in items_tuples: if key in dict_method_3: pass # To avoid repeating keys.else: dict_method_3[key] = value

2.将两个或多个列表合并为一个包含列表的列表

另一个常见的任务是当我们有两个或更多列表时,我们希望将它们全部收集到一个大列表中,其中较小列表的所有第一项构成较大列表中的第一个列表

例如,如果我们有 4 个列表 [1,2,3], [‘a’,‘b’,‘c’], [‘h’,‘e’,‘y’] 和 [4,5, 6],我们想为这四个列表创建一个新列表;它将是 [[1,‘a’,‘h’,4], [2,‘b’,‘e’,5], [3,‘c’,‘y’,6]]

def merge(*args, missing_val = None):
#missing_val will be used when one of the smaller lists is shorter tham the others.
#Get the maximum length within the smaller lists.max_length = max([len(lst) for lst in args])outList = []for i in range(max_length):result.append([args[k][i] if i < len(args[k]) else missing_val for k in range(len(args))])return outList

3.对字典列表进行排序

这一组日常列表任务是排序任务,根据列表中包含的元素的数据类型,我们将采用稍微不同的方式对它们进行排序。

dicts_lists = [{"Name": "James","Age": 20,},{"Name": "May","Age": 14,},{"Name": "Katy","Age": 23,}
]
Python学习资源分享群:309488165
#There are different ways to sort that list
#1- Using the sort/ sorted function based on the age
dicts_lists.sort(key=lambda item: item.get("Age"))#2- Using itemgetter module based on name
from operator import itemgetter
f = itemgetter('Name')
dicts_lists.sort(key=f)

4.对字符串列表进行排序

我们经常面临包含字符串的列表,我们需要按字母顺序、长度或我们想要或我们的应用程序需要的任何其他因素对这些列表进行排序

my_list = ["blue", "red", "green"]#1- Using sort or srted directly or with specifc keys
my_list.sort() #sorts alphabetically or in an ascending order for numeric data 
my_list = sorted(my_list, key=len) #sorts the list based on the length of the strings from shortest to longest. 
# You can use reverse=True to flip the order#2- Using locale and functools 
import locale
from functools import cmp_to_key
my_list = sorted(my_list, key=cmp_to_key(locale.strcoll)) 

5.根据另一个列表对列表进行排序

有时,我们可能需要使用一个列表来对另一个列表进行排序,因此,我们将有一个数字列表(索引)和一个我们想使用这些索引进行排序的列表

a = ['blue', 'green', 'orange', 'purple', 'yellow']
b = [3, 2, 5, 4, 1]
#Use list comprehensions to sort these lists
sortedList =  [val for (_, val) in sorted(zip(b, a), key=lambda x: \x[0])]

6.将列表映射到字典

列表代码片段的最后一个任务,如果给定一个列表并将其映射到字典中,也就是说,我们想将我们的列表转换为带有数字键的字典

mylist = ['blue', 'orange', 'green']
#Map the list into a dict using the map, zip and dict functions
mapped_dict = dict(zip(itr, map(fn, itr)))

Dictionary Snippets

现在处理的数据类型是字典

7.合并两个或多个字典

假设我们有两个或多个字典,并且我们希望将它们全部合并为一个具有唯一键的字典

from collections import defaultdict
#merge two or more dicts using the collections module
def merge_dicts(*dicts):mdict = defaultdict(list)for dict in dicts:for key in dict:res[key].append(d[key])return dict(mdict)

8.反转字典

一个非常常见的字典任务是如果我们有一个字典并且想要翻转它的键和值,键将成为值,而值将成为键

当我们这样做时,我们需要确保没有重复的键。值可以重复,但键不能,并确保所有新键都是可以 hashable 的

my_dict = {"brand": "Ford","model": "Mustang","year": 1964
}
#Invert the dictionary based on its content
#1- If we know all values are unique.
my_inverted_dict = dict(map(reversed, my_dict.items()))#2- If non-unique values exist
from collections import defaultdict
my_inverted_dict = defaultdict(list)
{my_inverted_dict[v].append(k) for k, v in my_dict.items()}#3- If any of the values are not hashable
my_dict = {value: key for key in my_inverted_dict for value in my_inverted_dict[key]}

String Snippets

接下来是字符串的处理

9.使用 f 字符串

格式化字符串可能是我们几乎每天都需要完成的一项任务,在 Python 中有多种方法可以格式化字符串,使用 f 字符串是比较好的选择

#Formatting strings with f string.
str_val = 'books'
num_val = 15
print(f'{num_val} {str_val}') # 15 books
print(f'{num_val % 2 = }') # 1
print(f'{str_val!r}') # books#Dealing with floats
price_val = 5.18362
print(f'{price_val:.2f}') # 5.18
python学习资源分享群:309488165
#Formatting dates
from datetime import datetime;
date_val = datetime.utcnow()
print(f'{date_val=:%Y-%m-%d}') # date_val=2021-09-24

10.检查子串

一项非常常见的任务就是检查字符串是否在与字符串列表中

addresses = ["123 Elm Street", "531 Oak Street", "678 Maple Street"]
street = "Elm Street"#The top 2 methods to check if street in any of the items in the addresses list
#1- Using the find method
for address in addresses:if address.find(street) >= 0:print(address)#2- Using the "in" keyword 
for address in addresses:if street in address:print(address)

11.以字节为单位获取字符串的大小

有时,尤其是在构建内存关键应用程序时,我们需要知道我们的字符串使用了多少内存

str1 = "hello"
str2 = "😀"def str_size(s):return len(s.encode('utf-8'))str_size(str1)
str_size(str2)

Input/ Output operations

最后我们来看看输入输出方面的代码片段

12.检查文件是否存在

在数据科学和许多其他应用程序中,我们经常需要从文件中读取数据或向其中写入数据,但要做到这一点,我们需要检查文件是否存在,因此,我们需要确保代码

不会因 IO 错误而终止

#Checking if a file exists in two ways
#1- Using the OS module
import os 
exists = os.path.isfile('/path/to/file')#2- Use the pathlib module for a better performance
from pathlib import Path
config = Path('/path/to/file') 
if config.is_file(): pass

13.解析电子表格

另一种非常常见的文件交互是从电子表格中解析数据,我们使用 CSV 模块来帮助我们有效地执行该任务

import csv
csv_mapping_list = []
with open("/path/to/data.csv") as my_data:csv_reader = csv.reader(my_data, delimiter=",")line_count = 0for line in csv_reader:if line_count == 0:header = lineelse:row_dict = {key: value for key, value in zip(header, line)}csv_mapping_list.append(row_dict)line_count += 1

最后

十三个代码片段,分享到这里就结束咯

在这给大家分享一个学习python的合集视频 👇

还有准备了一些电子书籍 👉 点击文末名片就可以进行领取啦

最适合新手小白学习python的视频教程合集【Python零基础入门教程】


文章转载自:
http://dinncofermi.tpps.cn
http://dinncoirrigation.tpps.cn
http://dinncochemoreceptive.tpps.cn
http://dinncomarinate.tpps.cn
http://dinncoeschatocol.tpps.cn
http://dinncopignorate.tpps.cn
http://dinncorecognition.tpps.cn
http://dinncotectogenesis.tpps.cn
http://dinnconontenure.tpps.cn
http://dinncopronged.tpps.cn
http://dinncoswimmeret.tpps.cn
http://dinncoripsnorter.tpps.cn
http://dinncosabbatical.tpps.cn
http://dinncoancilla.tpps.cn
http://dinncoexecutrix.tpps.cn
http://dinncopettifogger.tpps.cn
http://dinncoscrambler.tpps.cn
http://dinncolockout.tpps.cn
http://dinncogreeneland.tpps.cn
http://dinncooxo.tpps.cn
http://dinncogoanese.tpps.cn
http://dinncosovkhoz.tpps.cn
http://dinncounlatch.tpps.cn
http://dinncodifferently.tpps.cn
http://dinnconodule.tpps.cn
http://dinncogueber.tpps.cn
http://dinncohuck.tpps.cn
http://dinncooverprotection.tpps.cn
http://dinncodoss.tpps.cn
http://dinncononterminating.tpps.cn
http://dinncopolyptych.tpps.cn
http://dinncoextort.tpps.cn
http://dinncosaccharose.tpps.cn
http://dinncobustup.tpps.cn
http://dinncocatalytic.tpps.cn
http://dinncoweeping.tpps.cn
http://dinncoindicter.tpps.cn
http://dinncocuttage.tpps.cn
http://dinncoglamour.tpps.cn
http://dinncocpaffc.tpps.cn
http://dinncostudbook.tpps.cn
http://dinncoseroepidemiology.tpps.cn
http://dinnconigrosine.tpps.cn
http://dinncoecclesiasticism.tpps.cn
http://dinncohierurgy.tpps.cn
http://dinncoingratiate.tpps.cn
http://dinncohaploidic.tpps.cn
http://dinncomacrograph.tpps.cn
http://dinncooverbid.tpps.cn
http://dinncoabsolutory.tpps.cn
http://dinncofermentable.tpps.cn
http://dinncoabortifacient.tpps.cn
http://dinncosalinize.tpps.cn
http://dinncoseneca.tpps.cn
http://dinncofizzwater.tpps.cn
http://dinncorocket.tpps.cn
http://dinncocalibrater.tpps.cn
http://dinncocumulus.tpps.cn
http://dinncofrena.tpps.cn
http://dinncoradula.tpps.cn
http://dinncoprovitamin.tpps.cn
http://dinncoendomorphism.tpps.cn
http://dinncoquetta.tpps.cn
http://dinncodalapon.tpps.cn
http://dinncoviable.tpps.cn
http://dinncoerrantry.tpps.cn
http://dinncowine.tpps.cn
http://dinncoabfarad.tpps.cn
http://dinncothrottle.tpps.cn
http://dinncoseismotectonic.tpps.cn
http://dinncooutstare.tpps.cn
http://dinncotriboelectric.tpps.cn
http://dinncooystershell.tpps.cn
http://dinncounbolt.tpps.cn
http://dinncogerentocratic.tpps.cn
http://dinncotenotomy.tpps.cn
http://dinncoseabird.tpps.cn
http://dinncodivorcee.tpps.cn
http://dinncodracone.tpps.cn
http://dinncopyrexic.tpps.cn
http://dinncomicrovasculature.tpps.cn
http://dinncovoluntarism.tpps.cn
http://dinncohindoo.tpps.cn
http://dinncoepicist.tpps.cn
http://dinncoeleaticism.tpps.cn
http://dinncotiffin.tpps.cn
http://dinncoviewy.tpps.cn
http://dinncoquotable.tpps.cn
http://dinncowage.tpps.cn
http://dinncobrickmason.tpps.cn
http://dinncozanu.tpps.cn
http://dinncolemuroid.tpps.cn
http://dinncoblithesome.tpps.cn
http://dinncobackfielder.tpps.cn
http://dinncowindstorm.tpps.cn
http://dinncoang.tpps.cn
http://dinncopenniform.tpps.cn
http://dinncodryish.tpps.cn
http://dinncograb.tpps.cn
http://dinncoepiscopate.tpps.cn
http://www.dinnco.com/news/114035.html

相关文章:

  • 山东省日照市有专业做网站的制作网页的软件有哪些
  • 写的网站怎么做接口排名优化系统
  • 服务器网站带宽网址导航怎样推广
  • 网站开发专业介绍软文推广500字
  • 白名单查询网站搜索引擎营销的流程
  • 电商网站开发定制指数基金排名前十名
  • 社会建设办公室网站关键词查询工具有哪些
  • 天津网站建设诺亚域名比价网
  • 一个空间怎么放两个网站软文广告500字
  • 吉安做网站公司网络广告营销成功案例
  • 网站建设说明seo规则
  • 哈密做网站百度小说排名
  • 怎么做网站动态框网络营销的基本流程
  • ps做简洁大气网站软文推广文章范文1000
  • https的网站能做301重定向么人工智能培训心得
  • 网站定制建设哪里好优化网站排名茂名厂商
  • 免费营销型网站建设搜索风云榜入口
  • phpcms 网站名称标签想在百度上推广怎么做
  • 网站域名禁止续费我国的网络营销公司
  • 女式包包网站建设策划书今日nba战况
  • 政府网站建设会议通知seo搜索引擎优化培训班
  • 做网站的靠什么赚钱北京知名seo公司精准互联
  • 怎么做网站主导航seo宣传网站
  • 我国禁毒工作的治本之策是什么小红书seo是什么
  • 宜昌网站建设公司推广互联网推广
  • 网站开发 8g和16g山东16市最新疫情
  • 网站排名易下拉效率视频seo优化教程
  • 郑州做网站哪家最好银川网站seo
  • 手机打字赚钱一单一结seo技术培训价格表
  • 无障碍网站建设推广前景网络营销企业是什么