国产探花免费观看_亚洲丰满少妇自慰呻吟_97日韩有码在线_资源在线日韩欧美_一区二区精品毛片,辰东完美世界有声小说,欢乐颂第一季,yy玄幻小说排行榜完本

首頁 > 編程 > Python > 正文

舉例介紹Python中的25個隱藏特性

2019-11-25 17:53:23
字體:
來源:轉載
供稿:網友

注:這里忽略了生成器,裝飾器,交換變量等熟知技巧
1. 函數參數unpack

老生常談的了:
 

def foo(x, y):  print x, y alist = [1, 2]adict = {'x': 1, 'y': 2} foo(*alist) # 1, 2foo(**adict) # 1, 2

2. 鏈式比較操作符
 

>>> x = 3>>> 1 < x < 5True>>> 4 > x >=3True

3. 注意函數的默認參數
 

>>> def foo(x=[]):...   x.append(1)...   print x...>>> foo()[1]>>> foo()[1, 1]

更安全的做法:
 

>>> def foo(x=None):...   if x is None:...     x = []...   x.append(1)...   print x...>>> foo()[1]>>> foo()[1]>>>

4. 字典有個get()方法

dct.get(key[,default_value]), 當字典dct中找不到key時,get就會返回default_value
 

sum[value] = sum.get(value, 0) + 1

5. 帶關鍵字的格式化
 

>>> print "Hello %(name)s !" % {'name': 'James'}Hello James !>>> print "I am years %(age)i years old" % {'age': 18}I am years 18 years old

更新些的格式化:
 

>>> print "Hello {name} !".format(name="James")Hello James !

快有些模板引擎的味道了:)
6. for…else 語法
 

>>> for i in (1, 3, 5):...   if i % 2 == 0:...     break... else:...   print "var i is always an odd"...var i is always an odd>>>

else語句塊會在循環結束后執行,除非在循環塊中執行break
7. dict 的特殊方法__missing__

Python 2.5之后引入的。當查找不到key的時候,會執行這個方法。
 

>>> class Dict(dict):...  def __missing__(self, key):...   self[key] = []...   return self[key]...>>> dct = Dict()>>> dct["foo"].append(1)>>> dct["foo"].append(2)>>> dct["foo"][1, 2]

這很像collections.defaultdict不是嗎?
 

>>> from collections import defaultdict>>> dct = defaultdict(list)>>> dct["foo"][]>>> dct["bar"].append("Hello")>>> dctdefaultdict(<type 'list'>, {'foo': [], 'bar': ['Hello']})

8. 切片操作的步長參數

還能用步長-1來反轉鏈表:
 
9.另一種字符串連接
 

>>> Name = "Wang" "Hong">>> Name'WangHong'

連接多行:
 

>>> Name = "Wang" /... "Hong">>> Name'WangHong'10. Python解釋器中的”_” >>> range(4)[0, 1, 2, 3]>>> _[0, 1, 2, 3]

_即Python解釋器上一次返回的值
11. Python 描述器

Python描述器是Python 中很魔幻的東西,方法等都是描述器。不再舉例
12. Zen
 

import this

13. 嵌套列表推導式
 

>>> [(i, j) for i in range(3) for j in range(i)][(1, 0), (2, 0), (2, 1)]14. try/except/else try: put_4000000000_volts_through_it(parrot)except Voom: print "'E's pining!"else: print "This parrot is no more!"finally: end_sketch()

15. print 重定向輸出到文件
 

>>> print >> open("somefile", "w+"), "Hello World"

注意打開的模式:"w+"而不能"w", 當然"a"是可以的
16. 省略號

在Python3中你可以直接使用省略號這個文法:
 

Python 3.2 (r32:88445, Oct 20 2012, 14:09:50)[GCC 4.5.2] on linux2Type "help", "copyright", "credits" or "license" for more information.>>> ...Ellipsis

Python2 中呢?
 

>>> class C(object):... def __getitem__(self, item):...  return item...>>> C()[1:2, ..., 3](slice(1, 2, None), Ellipsis, 3)>>>

17. Python3中的元組unpack

真的但愿Python2也這樣:
 

>>> a, b, *rest = range(10)>>> a0>>> b1>>> rest[2, 3, 4, 5, 6, 7, 8, 9]>>>

當然也可以取出最后一個:
 

>>> first, second, *rest, last = range(10)>>> first0>>> second1>>> last9>>> rest[2, 3, 4, 5, 6, 7, 8]

18. pow()還有第三個參數

我們都知道內置函數pow,pow(x,y)即x**y

但是它還可以有第三個參數:
 

>>> pow(4, 2, 2)0>>> pow(4, 2, 3)1

其實第三個參數是來求模的:pow(x,y,z)?==?(x**y)?%z

注意,內置的pow和math.pow并不是一個函數,后者只接受2個參數
19. enumerate還有第二個參數

enumerate很贊,可以給我們索引和序列值的對, 但是它還有第二個參數:
 

>>> lst = ["a", "b", "c"]>>> list(enumerate(lst, 1))[(1, 'a'), (2, 'b'), (3, 'c')]

這個參數用來: 指明索引的起始值
20. 顯式的聲明一個集合

新建一個集合,我們會:
 

>>> set([1,2,3])

在Python 2.7 之后可以這么寫了:
 

>>> {1,2,3}set([1, 2, 3])

21. 用切片來刪除序列的某一段
 

>>> a = [1, 2, 3, 4, 5, 6, 7]>>> a[1:4] = []>>> a[1, 5, 6, 7]

當然用dela[1:4]也是可以的

去除偶數項(偶數索引的):
 

>>> a = [0, 1, 2, 3, 4, 5, 6, 7]>>> del a[::2]>>> a[1, 3, 5, 7]

22. isinstance可以接收一個元組

這個真的鮮為人知, 我們可以用isinstance(x,(float,int))來判斷x是不是數:
 

>>> isinstance(1, (float, int))True>>> isinstance(1.3, (float, int))True>>> isinstance("1.3", (float, int))False

那么對于第三個測試,你把str加入元組就可以看到這是怎么回事了:
 

>>> isinstance("1.3", (float, int, str))True

也就是那個元組里面是或的關系,只要是其中一個的實例就返回True
23. 字典里的無限遞歸
 

>>> a, b = {}, {}>>> a['b'] = b>>> b['a'] = a>>> a{'b': {'a': {...}}}

當然你可以制作一個鏈表中的無限循環:
 

>>> a, b = [], []>>> a.append(b)>>> b.append(a)>>> a[[[...]]]

真心不知道有什么用,不過蠻好玩的不是嗎
24. Python可以認識Unicode中的數字

所以說,Python很贊:
 

>>> int(u'1234')1234

不只是ASCII字符串的可以認出來,連Unicode的也可以。
25. 不能訪問到的屬性

回答這個答案的人太壞了:)

 >>> class O(object):pass...>>> o = O()>>> setattr(o, "can't touch this", 123)>>> o.can't touch this File "<stdin>", line 1  o.can't touch this           ^SyntaxError: EOL while scanning string literal>>> File "<stdin>", line 1  o.can't touch this           ^SyntaxError: EOL while scanning string literal

不過,能用setattr設置屬性,就可以用getattr取出

發表評論 共有條評論
用戶名: 密碼:
驗證碼: 匿名發表
主站蜘蛛池模板: 静宁县| 罗江县| 江川县| 芦山县| 新余市| 临武县| 抚松县| 馆陶县| 昆山市| 十堰市| 万源市| 和龙市| 东明县| 祁门县| 威宁| 延安市| 永福县| 佛山市| 略阳县| 齐齐哈尔市| 贺州市| 格尔木市| 双鸭山市| 迁安市| 嘉祥县| 祁阳县| 虹口区| 东源县| 三门峡市| 霞浦县| 洛川县| 军事| 广德县| 资阳市| 越西县| 泰和县| 淅川县| 榕江县| 海阳市| 中卫市| 囊谦县|