Not sure if there is ever a need for it and I'm sure there are other ways but one way would be to create a class for it. Working on your example of 50-59:
class UnnaturalList(list):
def __getitem__(self, index):
if type(index) == int and index > 0:
index -= 50
if type(index) == slice:
start, stop = index.start, index.stop
if start and start > 0:
start -= 50
if stop and stop > 0:
stop -= 50
index = slice(start, stop, index.step)
return super().__getitem__(index)
def __setitem__(self, index, val):
super().__setitem__(index - 50, val)
Then you can create a list with this class and use indexing and slicing
a_list = UnnaturalList(range(1,6))
a_list --> [1,2,3,4,5]
a_list[50] --> 1
a_list[51] --> 2
a_list[50:53] --> [1,2,3]
I would think there is a way to do something similar for arrays, or something cleaner, but this is one method for you.