Python教程

记录30个Python小技巧

本文主要是介绍记录30个Python小技巧,对大家解决编程问题具有一定的参考价值,需要的程序猿们随着小编来一起学习吧!

Python是当下最流行的语言之一,广泛应用于数据科学和机器学习、网络开发、脚本、自动化等。

流行原因大概两点:

  • 简单性,优雅简洁,无废话代码
  • 易学性,快速上手,对新手友好

下面,给大家分享30个简短的python代码,感受下如何在30秒或更短时间内快速完成有趣的任务。欢迎收藏、关注,点赞支持!

“没被java伤,怎知Python好”🤪。有些道理,必须亲自试一试,方才知道,比如什么叫:“人生苦短,我用Python~"。

1. 列表值唯一

使用set()转换函数,判断列表是否有重复的元素。

def all_unique(lst):  
 return len(lst) == len(set(lst))  
  
  
x = [1,1,2,2,3,2,3,4,5,6]  
y = [1,2,3,4,5]  
print(all_unique(x)) # False  
print(all_unique(y)) # True  

2. 变形词

判断两个字符串是否是变形词。变形词是指通过重新排列字母后,两个字符串可以相等。本质上每个字符出现的次数一样。

from collections import Counter  
  
def anagram(first, second):  
 return Counter(first) == Counter(second)  
  
anagram("abcd3", "3acdb") # True  

3. 内存查看

检查一个对象的内存使用情况:

import sys   
variable = 30 print(sys.getsizeof(variable)) # 24  

4. 字节大小

该方法以字节为单位返回一个字符串的长度。

def byte_size(string):  
 return(len(string.encode('utf-8')))  
  byte_size('😀') # 4  
byte_size('Hello World') # 11 ```   
  
## 5. 打印字符串N次  
  
下面代码快速打印某个字符串N次,而不需要使用循环来完成。  
  
```python  
n = 2  
s ="Programming"  
  
print(s * n) # ProgrammingProgramming  

6. 首字母大写

简单地使用了title()方法,将字符串中每个单词的第一个字母大写。

s = "programming is awesome"  
  
print(s.title()) # Programming Is Awesome  

7. 列表分块

下面方法将一个列表分割成指定大小的小列表。

def chunk(list, size):  
 return [list[i:i+size] for i in range(0,len(list), size)]  
  
print(chunk([1, 2, 3, 4, 5, 6],2))  
# [[1, 2], [3, 4], [5, 6]]  
  
print(chunk([1, 2, 3, 4, 5, 6, 7],2))  
# [[1, 2], [3, 4], [5, 6], [7]]  

8. filter快速过滤

使用filter()方法从列表中过滤“假”值(False, None, 0"").

def compact(lst):  
 return list(filter(None, lst))  
  print(compact([0, 1, False, 2, '', 3, 'a', 's', 34]))  
# [ 1, 2, 3, 'a', 's', 34 ]  

9. 数组转置

巧用zip()对一个二维数组进行转置。

array = [['a', 'b'], ['c', 'd'], ['e', 'f']]  
transposed = zip(*array)  
print(list(transposed))  
# [('a', 'c', 'e'), ('b', 'd', 'f')]  
  
array = [['a', 'b', 'c'], ['d', 'e', 'f']]  
transposed = zip(*array)  
print(list(transposed))  
# [('a', 'd'), ('b', 'e'), ('c', 'f')]  

10. 链式比较

可以在一行中用各种运算符做多个比较,妙法自然。

a = 3  
print( 2 < a < 8) # True  
print(1 == a < 2) # False  
  

11. join()链接

join()将字符串列表变成单一的字符串, 列表中的每个元素都用逗号,分开。

hobbies = ["basketball", "football", "swimming"]  
  
print("My hobbies are:") # My hobbies are:  
print(", ".join(hobbies)) # basketball, football, swimming  

12. 获取元音

下面代码获取字符串中元音(‘a’, ‘e’, ‘i’, ‘o’, ‘u’)字母。

def get_vowels(string):  
 return [each for each in string if each in 'aeiou']   
  
get_vowels('foobar') # ['o', 'o', 'a']  
get_vowels('gym') # []  

13. 去首字母化

将字符串的第一个字母变成小写。

def decapitalize(str):  
 return str[:1].lower() + str[1:]  decapitalize('FooBar') # 'fooBar'  
decapitalize('FooBar') # 'fooBar'  

14. 列表扁平

下面的方法使用递归将一个潜在的深层列表偏平化。

def spread(arg):  
 ret = [] for i in arg: if isinstance(i, list):  
 ret.extend(i) else: ret.append(i) return ret  
def deep_flatten(xs):  
 flat_list = [] [flat_list.extend(deep_flatten(x)) for x in xs] if isinstance(xs, list) else flat_list.append(xs)  
 return flat_list  
  
print(deep_flatten([1, [2], [[3], 4], 5]))  
# [1,2,3,4,5]  

15. 列表求差

下面方法通过对列表模拟集合,快速求差。

def difference(a, b):  
 set_a = set(a)  
 set_b = set(b)  
 comparison = set_a.difference(set_b) return list(comparison)  
  
  
difference([1,2,3], [1,2,4]) # [3]  

16. 差值函数

下面方法在对两个列表的每个元素应用给定函数后,返回两个列表的差值。

def difference_by(a, b, fn):  
 b = set(map(fn, b))  
 return [item for item in a if fn(item) not in b]  
  
from math import floor  
difference_by([2.1, 1.2], [2.3, 3.4], floor) # [1.2]  
difference_by([{ 'x': 2 }, { 'x': 1 }], [{ 'x': 1 }], lambda v : v['x']) # [ { x: 2 } ]  

17. 链式函数

可以在一行里面调用多个函数.

def add(a, b):  
 return a + b  
def subtract(a, b):  
 return a - b  
a, b = 4, 5  
print((subtract if a > b else add)(a, b)) # 9 ```   
## 18. 重复值  
  
利用`set()`只包含唯一的元素特点来判断列表是否有重复的值。  
  
```python  
def has_duplicates(lst):  
 return len(lst) != len(set(lst))  
  x = [1,2,3,4,5,5]  
y = [1,2,3,4,5]  
print(has_duplicates(x)) # True  
print(has_duplicates(y)) # False  

19. 合并字典

下面方法利用update()合并两个字典。

def merge_two_dicts(a, b):  
 c = a.copy()   # make a copy of a    c.update(b)    # modify keys and values of a with the ones from b  
 return c  
  
a = { 'x': 1, 'y': 2}  
b = { 'y': 3, 'z': 4}  
print(merge_two_dicts(a, b)) # {'y': 3, 'x': 1, 'z': 4}  

在Python 3.5及以上版本中,可以更优雅:

def merge_dictionaries(a, b):  
 return {**a, **b}  
  
a = { 'x': 1, 'y': 2}  
b = { 'y': 3, 'z': 4}  
print(merge_dictionaries(a, b)) # {'y': 3, 'x': 1, 'z': 4}  

20. 两列表转为字典

下面的方法用zip()dict()函数将两个列表转换为一个字典。

def to_dictionary(keys, values):  
 return dict(zip(keys, values))  
    
keys = ["a", "b", "c"] values = [2, 3, 4]  
print(to_dictionary(keys, values)) # {'a': 2, 'c': 4, 'b': 3}  

21. 巧用enumerate

使用enumerate()来获取列表的值和索引。

list = ["a", "b", "c", "d"]  
for index, element in enumerate(list):   
 print("Value", element, "Index ", index, )  
# ('Value', 'a', 'Index ', 0)  
# ('Value', 'b', 'Index ', 1)  
#('Value', 'c', 'Index ', 2)  
# ('Value', 'd', 'Index ', 3) ```   
  
## 22. 耗时统计  
  
用`time.time()`计算执行某段代码所需的时间。  
  
```python  
import time  
  
start_time = time.time()  
  
a = 1  
b = 2  
c = a + b  
print(c) #3  
  
end_time = time.time()  
total_time = end_time - start_time  
print("Time: ", total_time)  
  
# ('Time: ', 1.1205673217773438e-05)  

23. try-else

else子句作为try/except块的一部分, 如果没有抛出异常, 则执行该子句。

try:  
 2*3except TypeError:  
  print("An exception was raised")  
else:  
  print("Thank God, no exceptions were raised.")  
  
#Thank God, no exceptions were raised.  

24. 高频发现

下面方法返回列表中出现频率最高的元素。

def most_frequent(list):  
 return max(set(list), key = list.count)    
numbers = [1,2,1,2,3,2,1,4,2]  
print(most_frequent(numbers))  
# 2  

25. 回文判断

检查给定的字符串是否是一个回文。

def palindrome(a):  
 return a == a[::-1]  
  
print(palindrome('mom')) # True  
print(palindrome('pythontip')) # False  

26. 简单计算器

编写一个简单的计算器,而不需要使用if-else条件。

import operator  
action = {  
 "+": operator.add, "-": operator.sub, "/": operator.truediv, "*": operator.mul, "**": pow  
}  
print(action['-'](50, 25)) # 25  

27. 随机洗牌

random.shuffle()随机化一个列表中的元素顺序。注意shuffle在原地工作, 并返回None

from random import shuffle  
  
foo = [1, 2, 3, 4]  
shuffle(foo) print(foo) # [1, 4, 3, 2] , foo = [1, 2, 3, 4]  

28. 列表展开

类似于JavaScript中的[].concat(...arr),将一个列表扁平化,注意下面代码不能对深层嵌套列表扁平化。

def spread(arg):  
 ret = [] for i in arg: if isinstance(i, list):  
 ret.extend(i) else: ret.append(i) return ret  
  
print(spread([1,2,3,[4,5,6],[7],8,9]))  
# [1,2,3,4,5,6,7,8,9]  
print(spread([1,2,3,[4,5,6],[7],8,9,[10,[11]]]))  
# [1, 2, 3, 4, 5, 6, 7, 8, 9, 10, [11]]  

29. 变量交换

一个非常快速的交换两个变量的方法,不需要使用额外的变量。

a, b = -1, 14  
a, b = b, a  
  
print(a) # 14  
print(b) # -1  

30. 字典默认值

使用dict.get(key,default)在要找的键不存在字典中的时返回默认值。

d = {'a': 1, 'b': 2}  
  
print(d.get('a', 3)) # 1  
print(d.get('c', 3)) # 3  

小节

上面分享的30个python有趣代码,希望对大家有用。

如果觉得还可以,点赞收藏,好人一生平安 。

这篇关于记录30个Python小技巧的文章就介绍到这儿,希望我们推荐的文章对大家有所帮助,也希望大家多多支持为之网!