使用Python 方式在清單中尋找值
您可以使用「if item in」輕鬆確定清單中是否存在某個項目my_list :" 語法。然而,值得探索其他Pythonic 方法來查找和操作列表中的元素。
檢查項目是否存在
“in”運算符仍然是首選方法檢查某個項目是否存在於清單:
if 3 in [1, 2, 3]: # True
過濾
要擷取所有滿足特定條件的清單元素,請使用清單推導式或產生器表達式:
matches = [x for x in lst if x > 6] # List comprehension matches = (x for x in lst if x > 6) # Generator expression
搜尋第一次出現
如果您只需要第一個符合條件的元素,您可以使用for 迴圈:
for item in lst: if fulfills_some_condition(item): break
或者,使用「下一個」函數:
first_match = next(x for x in lst if fulfills_some_condition(x)) # May raise StopIteration first_match = next((x for x in lst if fulfills_some_condition(x)), None) # Returns `None` if no match found
定位元素位置
列表有一個「索引」方法來找出元素的索引:
list_index = [1, 2, 3].index(2) # 1
請注意,它會傳回第一次出現的重複元素:
[1, 2, 3, 2].index(2) # 1
要找出所有出現的重複項,請使用enumerate():
duplicate_indices = [i for i, x in enumerate([1, 2, 3, 2]) if x == 2] # [1, 3]
以上是如何找到和操作 Python 清單中的元素:高效能技術指南的詳細內容。更多資訊請關注PHP中文網其他相關文章!