python初学者的17个技巧

交换变量

x = 6
y = 5
x, y = y, x
print x
>>> 5
print y
>>> 6

if 语句在行内

print “hello” if true else “world”
>>> hello

连接

下面的最后一种方式在绑定两个不同类型的对象时显得很酷。

nfc = [“packers”, “49ers”]
afc = [“ravens”, “patriots”]
print nfc + afc
>>> [‘packers’, ’49ers’, ‘ravens’, ‘patriots’]
print str(1) + ” world”
>>> 1 world
print `1` + ” world”
>>> 1 world
print 1, “world”
>>> 1 world
print nfc, 1
>>> [‘packers’, ’49ers’] 1

计算技巧

#向下取整
print 5.0//2
>>> 2
# 2的5次方
print 2**5
>> 32

注意浮点数的除法

print .3/.1
>>> 2.9999999999999996
print .3//.1
>>> 2.0

数值比较

x = 2
if 3 > x > 1:
print x
>>> 2
if 1 < x > 0:
print x
>>> 2

两个列表同时迭代

nfc = [“packers”, “49ers”]
afc = [“ravens”, “patriots”]
for teama, teamb in zip(nfc, afc):
print teama + ” vs. ” + teamb
>>> packers vs. ravens
>>> 49ers vs. patriots

带索引的列表迭代

teams = [“packers”, “49ers”, “ravens”, “patriots”]
for index, team in enumerate(teams):
print index, team
>>> 0 packers
>>> 1 49ers
>>> 2 ravens
>>> 3 patriots

列表推导

已知一个列表,刷选出偶数列表方法:

numbers = [1,2,3,4,5,6]
even = []
for number in numbers:
if number%2 == 0:
even.append(number)

用下面的代替

numbers = [1,2,3,4,5,6]
even = [number for number in numbers if number%2 == 0]

字典推导

teams = [“packers”, “49ers”, “ravens”, “patriots”]
print {key: value for value, key in enumerate(teams)}
>>> {’49ers’: 1, ‘ravens’: 2, ‘patriots’: 3, ‘packers’: 0}

初始化列表的值

items = [0]*3
print items
>>> [0,0,0]

将列表转换成字符串

teams = [“packers”, “49ers”, “ravens”, “patriots”]
print “, “.join(teams)
>>> ‘packers, 49ers, ravens, patriots’

从字典中获取元素

不要用下列的方式

data = {‘user’: 1, ‘name’: ‘max’, ‘three’: 4}
try:
is_admin = data[‘admin’]
except keyerror:
is_admin = false

替换为

data = {‘user’: 1, ‘name’: ‘max’, ‘three’: 4}
is_admin = data.get(‘admin’, false)

获取子列表

x = [1,2,3,4,5,6]
#前3个
print x[:3]
>>> [1,2,3]
#中间4个
print x[1:5]
>>> [2,3,4,5]
#最后3个
print x[-3:]
>>> [4,5,6]
#奇数项
print x[::2]
>>> [1,3,5]
#偶数项
print x[1::2]
>>> [2,4,6]

60个字符解决fizzbuzz

前段时间jeff atwood 推广了一个简单的编程练习叫fizzbuzz,问题引用如下:

写一个程序,打印数字1到100,3的倍数打印“fizz”来替换这个数,5的倍数打印“buzz”,对于既是3的倍数又是5的倍数的数字打印“fizzbuzz”。

这里有一个简短的方法解决这个问题:

for x in range(101):print”fizz”[x%3*4::]+”buzz”[x%5*4::]or x

集合

用到counter库

from collections import counter
print counter(“hello”)
>>> counter({‘l’: 2, ‘h’: 1, ‘e’: 1, ‘o’: 1})

迭代工具

和collections库一样,还有一个库叫itertools

from itertools import combinations
teams = [“packers”, “49ers”, “ravens”, “patriots”]
for game in combinations(teams, 2):
print game
>>> (‘packers’, ’49ers’)
>>> (‘packers’, ‘ravens’)
>>> (‘packers’, ‘patriots’)
>>> (’49ers’, ‘ravens’)
>>> (’49ers’, ‘patriots’)
>>> (‘ravens’, ‘patriots’)
false == true

在python中,true和false是全局变量,因此:

false = true
if false:
print “hello”
else:
print “world”
>>> hello

Posted in 未分类

发表评论