大佬的编码建议,让你的代码更pythonic
大佬的编码建议,让你的代码更pythonic
Raymond Hettinger是 Python 核心开发者,本文提到的许多特性都是他开发的。
若无例外,本文代码中出现的 colors names d 等变量全为以下所定义,其中, colors names 为列表,d 为字典。且本文所说的集合全都指 collection ,而不是 set 。
colors = ['red', 'green', 'blue', 'yellow']
names = ['raymond', 'rachel', 'matthew']
d = {'matthew': 'blue', 'rachel': 'green', 'raymond': 'red'}
遍历一个集合
for color in colors:
print(color)
反向遍历
for color in reversed(colors):
print(color)
遍历一个集合及其下标
for i, color in enumerate(colors):
print(i, '--->', color)
遍历两个集合
for name, color in zip(names, colors):
print(name, '--->', color)
有序地遍历
# 正序
for color in sorted(colors):
print(color)
# 倒序
for color in sorted(colors, reverse=True):
print(color)
自定义排序顺序
def compare_length(c1, c2):
if len(c1) < len(c2): return -1
if len(c1) > len(c2): return1
return0
print(sorted(colors, cmp=compare_length))
print(sorted(colors, key=len)) # 更好的选择
调用一个函数直到遇到标记值
blocks = []
for block in iter(partial(f.read, 32), ''):
blocks.append(block)
iter 接受两个参数。第一个是你反复调用的函数,第二个是标记值。
优势在于 iter 的返回值是个迭代器,迭代器能用在各种地方,set,sorted,min,max,heapq,sum……
在循环内识别多个退出点 for-else 语法
def find(seq, target):
for i, value in enumerate(seq):
if value == target:
break
else:
return -1
return i
for 执行完所有的循环后就会执行 else 。且 for 循环中没有 退出.
遍历字典的key
# 方法一
for k in d:
print(k)
# 方法二
for k in list(d.keys()):
if k.startswith('r'):
del d[k]
需要修改字典的时候使用第二种方法
d.keys()
把字典里所有的 key 都复制到一个列表里。然后你就可以修改字典了。
遍历一个字典的key和value
for k, v in d.items():
print(k, '--->', v)
用key-value对构建字典
names = ['raymond', 'rachel', 'matthew']
colors = ['red', 'green', 'blue']
d = dict(zip(names, colors))
# {'matthew': 'blue', 'rachel': 'green', 'raymond': 'red'}
用字典计数
colors = ['red', 'green', 'red', 'blue', 'green', 'red']
# 方法一
d = {}
for color in colors:
d[color] = d.get(color, 0) + 1
# 稍微潮点的方法,但有些坑需要注意,适合熟练的老手。
from collections import defaultdict
d = defaultdict(int)
for color in colors:
d[color] += 1
用字典分组 — 第I部分和第II部分
# 在这个例子,我们按name的长度分组
names = ['raymond', 'rachel', 'matthew', 'roger',
'betty', 'melissa', 'judith', 'charlie']
from collections import defaultdict
d = defaultdict(list)
for name in names:
key = len(name)
d[key].append(name)
字典的popitem()是原子的吗?
d = {'matthew': 'blue', 'rachel': 'green', 'raymond': 'red'}
while d:
key, value = d.popitem()
print(key, '-->', value)
popitem 是原子的,所以多线程的时候没必要用锁包着它。
连接字典
import os
import argparse
from collections import ChainMap
defaults = {'color': 'red', 'user': 'guest'}
parser = argparse.ArgumentParser()
parser.add_argument('-u', '--user')
parser.add_argument('-c', '--color')
namespace = parser.parse_args([])
command_line_args = {k: v for k, v in vars(namespace).items() if v}
d = ChainMap(command_line_args, os.environ, defaults)
用namedtuple提高多个返回值的可读性
# namedtuple是tuple的子类,所以仍适用正常的元组操作,但它更友好。
TestResults = namedTuple('TestResults', ['failed', 'attempted'])
unpack序列
p = 'Raymond', 'Hettinger', 0x30, 'python@example.com'
fname, lname, age, email = p
更新多个变量的状态
def fibonacci(n):
x, y = 0, 1
for i in range(n):
print(x)
x, y = y, x + y
同时状态更新
x, y, dx, dy = (x + dx * t,
y + dy * t,
influence(m, x, y, dx, dy, partial='x'),
influence(m, x, y, dx, dy, partial='y'))
连接字符串
names = ['raymond', 'rachel', 'matthew', 'roger',
'betty', 'melissa', 'judith', 'charlie']
print(', '.join(names))
更新序列
from collections import deque
names = ['raymond', 'rachel', 'matthew', 'roger',
'betty', 'melissa', 'judith', 'charlie']
names = deque(names)
用deque更有效率
del names[0]
names.popleft()
names.appendleft('mark')
如何打开关闭文件
with open('data.txt') as f:
data = f.read()
如何使用锁
# 创建锁
lock = threading.Lock()
with lock:
print('Critical section 1')
print('Critical section 2')
列表解析和生成器
print(sum(i**2for i in xrange(10)))
大佬的编码建议,让你的代码更pythonic的更多相关文章
- Python 有哪些优雅的代码实现让自己的代码更pythonic?
https://www.zhihu.com/question/37751951/answer/73425339 https://www.cnblogs.com/geaozhang/p/7111961. ...
- iOS开发编码建议与编程经验
作者:乞力马扎罗的雪(GitHub) 原文 在开发过程中,我们不仅要去看别人的代码,也要让别人看我们的代码.那么,有一个良好的编码习惯将会非常重要.下面将会罗列使用Objective-C来开发iOS的 ...
- 怎样让你的代码更好的被JVM JIT Inlining
好书推荐:Effective Java中文版(第2版) JVM JIT编译器优化技术有近100中,其中最最重要的方式就是内联(inlining).方法内联可以省掉方法栈帧的创建,方法内联还使让JIT编 ...
- JDK8漫谈——代码更优雅
简介 lambda表达式,又称闭包(Closure)或称匿名方法(anonymous method).将Lambda表达式引入JAVA中的动机源于一个叫"行为参数"的模式.这种模式 ...
- CSS 黑魔法小技巧,让你少写不必要的JS,代码更优雅
首页 登录注册 CSS 黑魔法小技巧,让你少写不必要的JS,代码更优雅 阅读 8113 收藏 927 2017-09-26 原文链接:github.com 腾讯云容器服务CSS,立 ...
- 让 Python 代码更易维护的七种武器——代码风格(pylint、Flake8、Isort、Autopep8、Yapf、Black)测试覆盖率(Coverage)CI(JK)
让 Python 代码更易维护的七种武器 2018/09/29 · 基础知识 · 武器 原文出处: Jeff Triplett 译文出处:linux中国-Hank Chow 检查你的代码的质 ...
- 用Assert(断言)封装异常,让代码更优雅(附项目源码)
有关Assert断言大家并不陌生,我们在做单元测试的时候,看业务事务复合预期,我们可以通过断言来校验,断言常用的方法如下: public class Assert { /** * 结果 = 预期 则正 ...
- 可爱的豆子——使用Beans思想让Python代码更易维护
title: 可爱的豆子--使用Beans思想让Python代码更易维护 toc: false comments: true date: 2016-06-19 21:43:33 tags: [Pyth ...
- 基于AOP的MVC拦截异常让代码更优美
与asp.net 打交道很多年,如今天微软的优秀框架越来越多,其中微软在基于mvc的思想架构,也推出了自己的一套asp.net mvc 框架,如果你亲身体验过它,会情不自禁的说‘漂亮’.回过头来,‘漂 ...
随机推荐
- git配置多用户多平台
在Git使用中经常会碰到多用户问题,例如:你在公司里有一个git账户,在github上有一个账户,并且你想在一台电脑上同时对这两个git账户进行操作,此时就需要进行git多用户配置. 首先配置不同的S ...
- std::mutex与pthread mutex区别
Linux下 pthread mutex * PTHREAD_MUTEX_TIMED_NP,这是缺省值,也就是普通锁.当一个线程加锁以后,其余请求锁的线程将形成一个等待队列,并在解锁后按优先级获得锁. ...
- 面试题:JVM类加载机制详解(一)JVM类加载过程 背1
首先Throws(抛出)几个自己学习过程中一直疑惑的问题: 1.什么是类加载?什么时候进行类加载? 2.什么是类初始化?什么时候进行类初始化? 3.什么时候会为变量分配内存? 4.什么时候会为变量赋默 ...
- bzoj5392 [Lydsy1806月赛]路径统计
传送门 分析 我们设sum[x]为小于等于x的点现在有多少联通 于是一个序列合法当且只当sum[R]-sum[L-1]=len且所有点度数不大于2 我们知道如果对于序列[L,R]满足条件则[L+1,R ...
- python学习资料资源
廖雪峰python教程: http://www.liaoxuefeng.com/wiki/001374738125095c955c1e6d8bb493182103fac9270762a000 简明py ...
- linux安装JDK后发现系统带有openjdk的处理
1.JDK下载. 官网下载网址:https://www.oracle.com/technetwork/java/javase/downloads/jdk8-downloads-2133151.html ...
- [GO]append的扩容
package main import "fmt" func main() { s := make([], ) oldcap := cap(s) ; i < ; i++{ s ...
- delphi取括号内或括号外的内容
function TSetParkForm.RemoveSgin(str: string): string; // 去掉括号内的内容(包括括号) var i1, i2, i: integer; beg ...
- 装饰(Decorator)模式
一. 装饰(Decorator)模式 装饰(Decorator)模式又名包装(Wrapper)模式[GOF95].装饰模式以对客户端透明的方式扩展对象的功能,是继承关系的一个替代方案. 二. 装饰模式 ...
- python之numpy文件操作
目录 numpy 中的文件操作总结 CVS文件 多维数据的存取 numpy 的便捷文件存取 numpy 中的文件操作总结 CVS文件 CSV (Comma‐Separated Value,逗号分隔值) ...