赞
踩
以下方法可以检查给定列表是不是存在重复元素,它会使用 set() 函数来移除所有重复元素。
In [3]
- 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
False True
检查两个字符串的组成元素是不是一样的。
In [4]
- from collections import Counter
- def anagram(first, second):
- return Counter(first) == Counter(second)
-
- anagram("abcd3", "3acdb") # True
True
In [6]
- import sys
- variable = 30
- print(sys.getsizeof(variable)) # 28
28
下面的代码块可以检查字符串占用的字节数。
In [9]
- def byte_size(string):
- print(len(string.encode('utf-8')))
-
- byte_size('') # 0
- byte_size('Hello World') # 11
0 11
该代码块不需要循环语句就能打印 N 次字符串。
In [10]
- n = 2
- s ="Programming"
-
- print(s * n)
- # ProgrammingProgramming
ProgrammingProgramming
以下代码块会使用 title() 方法,从而大写字符串中每一个单词的首字母。
In [11]
- s = "programming is awesome"
-
- print(s.title())
- # Programming Is Awesome
Programming Is Awesome
给定具体的大小,定义一个函数以按照这个大小切割列表。
In [12]
- from math import ceil
- def chunk(lst, size):
- return list(map(lambda x: lst[x * size:x * size + size],list(range(0, ceil(len(lst) / size)))))
-
- chunk([1,2,3,4,5],2) # [[1,2],[3,4],5]
[[1, 2], [3, 4], [5]]
这个方法可以将布尔型的值去掉,例如(False,None,0,“”),它使用 filter() 函数。
In [13]
- def compact(lst):
- return list(filter(bool, lst))
-
- compact([0, 1, False, 2, '', 3, 'a', 's', 34]) # [ 1, 2, 3, 'a', 's', 34 ]
[1, 2, 3, 'a', 's', 34]
如下代码段可以将打包好的成对列表解开成两组不同的元组。
In [17]
- array = [['a', 'b'], ['c', 'd'], ['e', 'f']]
- transposed = list(zip(*array))
-
- print(transposed) # [('a', 'c', 'e'), ('b', 'd', 'f')]
[('a', 'c', 'e'), ('b', 'd', 'f')]
我们可以在一行代码中使用不同的运算符对比多个不同的元素。
In [18]
- a = 3
- print( 2 < a < 8) # True
- print(1 == a < 2) # False
True False
Copyright © 2003-2013 www.wpsshop.cn 版权所有,并保留所有权利。