Slicing elements from a Python list using Boolean indexing

折月煮酒 提交于 2019-12-10 17:07:54

问题


I recently came across this way of slicing a list in Python. I've never seen this one before, so I would like to understand this clearly.

I have a list ["Peter", "James", "Mark"] and if I slice it using the boolean value False it returns Peter and if I slice using True it returns James, as given below

  • ["Peter", "James", "Mark"][False] => Peter
  • ["Peter", "James", "Mark"][True] => James

I would like to know what happens here and what is this method called as?


回答1:


The datamodel hook here is the __index__ magic method:

>>> True.__index__()
1
>>> False.__index__()
0

The value returned by on obj's __index__ is used when accessing with subscripting, allowing arbitrary objects to be used with slices:

x[obj]

This is somewhat independent of the fact that bool is a subclass of int! You may achieve the same with any object.

>>> class A:
...     def __index__(self):
...         return 1
...     
>>> 'ab'[A()]
'b'

Whether __index__ is resolved for int subclasses depends on implementation detail.

CPython 3.7.1:

>>> class MyInt(int):
...     def __index__(self):
...         return 1
... 
>>> '01'[MyInt(0)]
'0'

PyPy 5.0.1:

>>>> class MyInt(int):
....     def __index__(self):
....         return 1
....         
>>>> '01'[MyInt(0)]
'1'

PyPy behaves correctly according to the Python datamodel. Looks like CPython is taking a shortcut / performance optimization.




回答2:


In Python, bool class is derived from of int Hence True=1 and False=0

print (True + True) will give an output 2

So on a list ['peter', 'john', 'abhi'][True] returns 2nd element of the list i.e. john



来源:https://stackoverflow.com/questions/49633222/slicing-elements-from-a-python-list-using-boolean-indexing

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!