一十九条优雅Python编程技巧
1.交换赋值
#不推荐
temp = a
a = b
b = a #推荐
a , b = b , a #先生成一个元组(tuple)对象,然后在unpack
2.Unpacking
#不推荐
l = ['David' , 'Pythonista' , '+1-514-555-1234']
first_name = l[0]
last_name = l[1]
phone_number = l[2] #推荐
l = ['David' , 'Pythonista' , '+1-514-555-1234']
first_name, last_name, phone_number = l
#python 3 only
first, *middle, last = another_list
3.使用操作符in
#不推荐
if fruit = "apple" or fruit == "orange" or fruit == "berry":
#多次判断
#推荐
if fruit in ["apple","orange","berry"]:
#使用in更加简洁
4.字符串操作
#不推荐
colors = ['red' ,'blue' ,'green' , 'yellow' ] result = ' '
for s in colors:
result += s #每次赋值都丢弃以前的字符串对象,生成一个新对象 #推荐
colors = ['red' , 'blue' , 'green' , 'yellow' ]
result = ' '.join(colors) #没有额外的内存分配
5.字典键值列表
#不推荐
for key in my_dict.keys():
#my_dict[key] ... #推荐
for key in my_dict:
#my_dict[key] ... #只有当循环中需要更改key值的情况下,我们需要使用 my_dict.keys()
#生成静态的键值列表
6.字典键值判断
#不推荐
if my_dict.has_key(key):
#...do something with d[key] #推荐
if key in my_dict:
#...do something with d[key]
7.字典 get 和 setdefault 方法
#不推荐
navs = {}
for (portfolio, equity, position) in data:
if portfolio not in navs:
5 navs[portfolio] = 0
navs[portfolio] += position * prices[equity] #推荐
navs = {}
for (portfolio, equity, position) in data:
# 使用 get 方法
navs[portfolio] = navs.get(portfolio,0) + position * prices[equity] #或者使用 setdefault 方法
navs.setdefault(portfolio,0)
navs[portfolio] += position * prices[equity]
8.判断真伪
#不推荐
if x == True:
#...
if len(items) != 0:
#...
if items != []:
#... #推荐
if x:
#...
if items:
#...
9.遍历列表以及索引
#不推荐
items = 'zero one two three'.split()
#method 1
i = 0
for item in items:
print i , item
i += 1
#method 2
for i in range(len(items)):
print i , items[i] #推荐
items = 'zero one two three'.split()
for i,item in enumerate(items):
print i , item
10.列表推导
#不推荐
new_list = []
for item in a_list:
if condition(item):
new_list.append(fn(item)) #推荐
new_list = [fn(item) for item in a_list if condition(item)]
11.列表推导-嵌套
#不推荐
for sub_list in nested_list:
if list_condition(sub_list):
for item in sub_list:
if item_condition(item):
#do something... #推荐
gen = (item for s1 in nested_list if list_condition(s1) \
for item in s1 if item_condition(item))
for item in gen:
#do something
12.循环嵌套
#不推荐
for x in x_list:
for y in y_list:
for z in z_list:
#do something for x &y #推荐
from itertools import product
for x, y, z in product(x_list, y_list, z_list):
#do something for x, y, z
13.尽量使用生成器代替列表
#不推荐
def my_range(n):
i = 0
result = []
while i <n:
result.append(fn(i))
i += 1
return result #返回值 #推荐
def my_range(n):
i = 0
result = []
while i < n:
yield fn(i) #使用生成器代替列表
i += 1 #【尽量用生成器代替列表,除非必须用到列表特有的函数】
14.中间结果尽量使用 imap/ifilter 代替 map/filter
#不推荐
reduce(rf, filiter(ff, map(my, a_list))) #推荐
from itertools import ifilter,imap
reduce(rf, ifilter(ff, imap(mf, a_list)))
#【lazy evaluation 会带来更高的内存使用效率,特别是当处理大数据操作的时候】
15.使用 any/all 函数
#不推荐
found = False
for item in a_list:
if condition(item):
found = True
break
if found:
#do something if found... #推荐
if any(condition(item) for item in a_list):
#do something if found...
16.属性(property)
#不推荐
class Clock(object):
def __init__(self):
self.__hour = 1
def setHour(self,hour):
if 25 >hour >0: self.__hour = hour
else: raise BadHour Exception
def getHour(self):
return self.__hour #推荐
class Clock(object):
def __init__(self):
self.__hour = 1
def __setHour(self,hour):
if 25 >hour > 0: self.__hour = hour
else:raise BadHour Exception
def __getHour(self):
return self.__hour
hour = property(__getHour,__setHour)
17.使用 with 处理文件打开
#不推荐
f = open("some_file.txt")
try:
data = f.read()
#其他文件操作 ...
finally:
f.close() #推荐
with open("some_file.txt") as f:
data = f.read()
#其他文件操作 ...
18.使用 with 忽视异常(仅限Python 3)
#不推荐
try:
os.remove("somefile.txt")
except OSError:
pass #推荐
from contextlib import ignored #python 3 only with ignored(OSError):
os.remove("something.txt')
19.使用 with 处理加锁
#不推荐
import threading
lock = threading.Lock() lock.acquire()
try:
#互斥操作 ...
finally:
lock.release() #推荐
import threading
lock = threading.Lock() with lock:
#互斥操作 ...
一十九条优雅Python编程技巧的更多相关文章
- Python - 编程技巧,语法糖,黑魔法,pythonic
参考,搬运 http://python-web-guide.readthedocs.io/zh/latest/idiom/idiom.html 待定 1. Python支持链式比较 # bad a = ...
- python编程技巧2
模块化 ---- 这是我们程序员梦寐以求的,通过模块化可以避免重复的制造轮子. 同时 模块让你能够有逻辑地组织你的Python代码段. 把相关的代码分配到一个 模块里能让你的代码更好用,更易懂. 模块 ...
- Python 编程技巧
Python 生成器 Python 处理文件 Python 异常处理 Python 处理输入输出 Python 处理命令行参数 Python 对文件做校验 Python 对目录做遍历 Python 调 ...
- python编程技巧
- 学习 Python 编程的 19 个资源 (转)
学习 Python 编程的 19 个资源 2018-01-07 数据与算法之美 编译:wzhvictor,英文:codecondo segmentfault.com/a/119000000418731 ...
- 百道Python面试题实现,搞定Python编程就靠它
对于一般的机器学习求职者而言,最基础的就是掌握 Python 编程技巧,随后才是相关算法或知识点的掌握.在这篇文章中,我们将介绍一个 Python 练习题项目,它从算法练习题到机试实战题提供了众多问题 ...
- WCF技术剖析之三十:一个很有用的WCF调用编程技巧[下篇]
原文:WCF技术剖析之三十:一个很有用的WCF调用编程技巧[下篇] 在<上篇>中,我通过使用Delegate的方式解决了服务调用过程中的异常处理以及对服务代理的关闭.对于<WCF技术 ...
- WCF技术剖析之三十:一个很有用的WCF调用编程技巧[上篇]
原文:WCF技术剖析之三十:一个很有用的WCF调用编程技巧[上篇] 在进行基于会话信道的WCF服务调用中,由于受到并发信道数量的限制,我们需要及时的关闭信道:当遇到某些异常,我们需要强行中止(Abor ...
- 18个Python高效编程技巧,Mark!
初识Python语言,觉得python满足了我上学时候对编程语言的所有要求.python语言的高效编程技巧让我们这些大学曾经苦逼学了四年c或者c++的人,兴奋的不行不行的,终于解脱了.高级语言,如果做 ...
随机推荐
- java.sql.SQLException: Access denied for user 'scott'@'localhost' (using password: YES)
今天用eclipse连接一下数据库,出现此异常. java.sql.SQLException: Access denied for user 'scott'@'localhost' (using pa ...
- 如何在eclipse添加SVN菜单
首先需要在eclipse中安装svn插件,这个网上教程很多 那么我来说下如何在将svn添加到菜单中去吧. 很简单,
- Centos安装Python各版本解释器并配置pip
Centos7.3安装Python3.7 Python3.7貌似又多了新的依赖,所以按照安装之前的套路安装在配置pip阶段就会出问题,比如: ModuleNotFoundError: No modul ...
- poj 3294 Life Forms - 后缀数组 - 二分答案
题目传送门 传送门I 传送门II 题目大意 给定$n$个串,询问所有出现在严格大于$\frac{n}{2}$个串的最长串.不存在输出'?' 用奇怪的字符把它们连接起来.然后求sa,hei,二分答案,按 ...
- ant__property标签的含义与使用
property标记用于设置属性 属性是键值对,其中每个值都与键相关联,属性用于设置可在构建文件中的任务位置访问的值,设置属性后无法更改 Apache Ant属性类型有两种:内置属性 / 用户定义的属 ...
- angular --- s3core移动端项目
因为记性不好的原因做个草稿笔记 app.js中 var myApp = angular.module('myApp',['ui.router','oc.lazyLoad','ngAnimate','数 ...
- 字体转换网站——Font Squirrel
转载自:http://www.5imoban.net/jiaocheng/CSS3_HTML5/2016/0714/1735.html html5之前,只要稍微特殊点的字体,都必须做成图片,以免客户端 ...
- 1.6 安全认证与授权(springboot与安全)
引言:以下文档是学习尚硅谷关于springboot教学视频后整理而来! 一.安全 认证(Authentication):证明你是谁? 授权(Authorization):你能干什么? 参考资料: Sp ...
- Iris 语录
Iris:hello,Loki first congratulatioins to you to upgrade to V2You really did a big progress in v0 an ...
- Lab 7-1
Analyze the malware found in the file Lab07-01.exe. Questions and Short Answers How does this progra ...