Python 數字轉化成列表詳情

本篇閱讀的代碼實現瞭將輸入的數字轉化成一個列表,輸入數字中的每一位按照從左到右的順序成為列表中的一項。

本篇閱讀的代碼片段來自於30-seconds-of-python。

1. digitize

def digitize(n):
  return list(map(int, str(n)))

# EXAMPLES
digitize(123) # [1, 2, 3]

該函數的主體邏輯是先將輸入的數字轉化成字符串,再使用map函數將字符串按次序轉花成int類型,最後轉化成list

為什麼輸入的數字經過這種轉化就可以得到一個列表呢?這是因為Pythonstr是一個可迭代類型。所以str可以使用map函數,同時map返回的是一個迭代器,也是一個可迭代類型。最後再使用這個迭代器構建一個列表。

2. Python判斷對象是否可迭代

目前網絡上的常見的判斷方法是使用使用collections.abc(該模塊在3.3以前是collections的組成部分)模塊的Iterable類型來判斷。

from collections.abc import Iterable
isinstance('abc', Iterable) # True
isinstance(map(int,a), Iterable) # True

雖然在當前場景中這麼使用沒有問題,但是根據官方文檔的描述,檢測一個對象是否是iterable的唯一可信賴的方法是調用iter(obj)

class collections.abc.Iterable
ABC for classes that provide the __iter__() method.

Checking isinstance(obj, Iterable) detects classes that are registered as Iterable or that have an __iter__() method, but it does not detect classes that iterate with the __getitem__() method. The only reliable way to determine whether an object is iterable is to call iter(obj).

>>> iter('abc')
<str_iterator object at 0x10c6efb10>

到此這篇關於Python 數字轉化成列表詳情的文章就介紹到這瞭,更多相關Python 數字轉化成列表內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: