Python的10大最佳功能是什么?
技巧 1:
在Python中反转字符串
>>> a = "codementor"
>>> print ("Reverse is",a[::-1])
Reverse is rotnemedoc
技巧 2:
转置矩阵
>>> mat = [[1, 2, 3], [4, 5, 6]]
>>> zip(*mat)
[(1, 4), (2, 5), (3, 6)]
技巧 3:
将列表的所有三个值存储在3个新变量中
'''
遇到问题没人解答?小编创建了一个Python学习交流QQ群:531509025
寻找有志同道合的小伙伴,互帮互助,群里还有不错的视频学习教程和PDF电子书!
'''
>>> a = [1, 2, 3]
>>> x, y, z = a
>>> x
1
>>> y
2
>>> z
3
技巧 4:
a = ["Code", "mentor", "Python", "Developer"]
从上面列表中的所有元素创建一个字符串。
>>> print (" ".join(a))
Code mentor Python Developer
技巧 5:
List 1 = ['a', 'b', 'c', 'd']
List 2 = ['p', 'q', 'r', 's']
编写要打印的Python代码
- ap
- bq
- cr
- ds
>>> for x, y in zip(list1,list2):
... print (x, y)
...
a p
b q
c r
d s
技巧 7:
打印codecodecodecode mentormentormentormentormentor
而不使用循环
>>> print ("code"*4+' '+"mentor"*5)
codecodecodecode mentormentormentormentormento
技巧 8:
a = [[1, 2], [3, 4], [5, 6]]
将其转换为单个列表,而不使用任何循环。
Output:- [1, 2, 3, 4, 5, 6]
'''
遇到问题没人解答?小编创建了一个Python学习交流QQ群:531509025
寻找有志同道合的小伙伴,互帮互助,群里还有不错的视频学习教程和PDF电子书!
'''
>>> import itertools
>>> list(itertools.chain.from_iterable(a))
[1, 2, 3, 4, 5, 6]
[1, 2, 3, 4, 5, 6]
技巧 9:
检查两个词是否是字谜
def is_anagram(word1, word2):
"""Checks whether the words are anagrams.
word1: string
word2: string
returns: boolean
"""
完成上述方法,找出两个单词是否是字谜。
from collections import Counter
def is_anagram(str1, str2):
return Counter(str1) == Counter(str2)
>>> is_anagram('abcd','dbca')
True
>>> is_anagram('abcd','dbaa')
False
技巧 10:
接受字符串输入
例如“ 1 2 3 4”并返回[1、2、3、4]
请记住,返回的列表中包含整数。不要使用多于一行的代码。
>>> result = map(lambda x:int(x) ,raw_input().split())
1 2 3 4
>>> result
[1, 2, 3, 4]