Reversed array slice including the first element [duplicate]

假装没事ソ 提交于 2019-12-10 19:08:58

问题


Let's say I have:

>>> a = [1, 2, 3, 4]

And I want to get a reversed slice. Let's say I want the 1st and 0th elements given start_idx = 1 and stop_idx = 0:

[2, 1] 

Using the slice notation:

a[x:y:z]

What values do I use for x, y, and z using start_idx and stop_idx?

I've tried:

>>> a[start_idx:stop_idx:-1]
[2]
>>> a[start_idx:stop_idx-1:-1]
[]

Differentiation:

This question is about a slice with a negative step where the both start and end indexed elements should be included (like a closed interval in math), and the slice end index is dynamically calculated.

Understanding Python's slice notation is a generic generic question on notation: what x, y, and z mean in a[x:y:z]. It doesn't mention the reversal case.

This question differs from the other flagged duplicates as it deals with the general case where the reversed slice begin and end indices are either calculated or given by variables rather than hard coded.


回答1:


You can omit the second index when slicing if you want your reversed interval to end at index 0.

a = [1, 2, 3, 4]
a[1::-1] # [2, 1]

In general whenever your final index is zero, you want to replace it by None, otherwise you want to decrement it.

Due to indexing arithmetic, we must treat those cases separately to be consistent with the usual slicing behavior. This can be done neatly with a ternary expression.

def reversed_interval(lst, i=None, j=None):
    return lst[j:i - 1 if i else None:-1]

reversed_interval([1, 2, 3, 4], 0, 1) # [2, 1]



回答2:


Here are two generic solutions:

  1. Take the forward slice then reverse it:

    >>> a[stop_idx:start_idx+1][::-1]
    [2, 1]
    
  2. Based on this answer, use a negative step and stop 1 element before the first element (plus the stop offset):

    >>> a[start_idx:stop_idx-len(a)-1:-1]
    [2, 1]
    

Comparing execution times, the first version is faster:

>>> timeit.timeit('foo[stop_idx:start_idx+1][::-1]', setup='foo="012345"; stop_idx=0; start_idx=3', number=10_000_000)
1.7157553750148509
>>> timeit.timeit('foo[start_idx:stop_idx-len(foo)-1:-1]', setup='foo="012345"; stop_idx=0; start_idx=3', number=10_000_000)
1.9317215870250948


来源:https://stackoverflow.com/questions/49811960/reversed-array-slice-including-the-first-element

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