Bug: Jython only forwards slice objects to __getitem__ when __getattr__('__getslice__') raises an AttributeError, which is different than Python. Python forwards a slice object to __getitem__ when __getattr__('__getslice__') raises ANY error. Jython needs to forward a slice object to __getitem__ whenever __getattr__('__getslice__') raises an error to be compatible. ########### Details with Code ########### The python doc, http://www.python.org/doc/current/ref/sequence-methods.html says that __getslice__(self, i, j) is deprecated. If no __getslice__ method is found, a slice object is supposed to get passed to __getitem__. So if you run: >>> myObj[i] Then python calls __getattr__(self, '__getslice__'). If ANY error is raised, python then indeed forwards the call to __getitem__ with the slice object. The following demonstrates that: class JythonSliceAnomaly: def __getitem__(self, i): print "\ncalled __getitem__ with type(i)= %s" % type(i) return "hello" def __getattr__(self, name): print "\ncalled __getattr__ with name= %s" % name raise Exception("Oops") Running it in python as follows: Python 2.1.1 (#20, Jul 20 2001, 01:19:29) [MSC 32 bit (Intel)] on win32 Type "copyright", "credits" or "license" for more information. >>> import sys >>> sys.path.append('/data/rmis/jython/tabledev') >>> execfile('/data/rmis/jython/tabledev/JythonSliceAnomaly.py') >>> jsa = JythonSliceAnomaly() >>> jsa[:] called __getattr__ with name= __getslice__ ** called __getitem__ with type(i)= 'hello' >>> Now watch the Jython version: Jython 2.1 on java1.3.1_01 (JIT: null) Type "copyright", "credits" or "license" for more information. >>> import sys >>> sys.path.append('/data/rmis/jython/tabledev') >>> execfile('/data/rmis/jython/tabledev/JythonSliceAnomaly.py') >>> jsa = JythonSliceAnomaly() >>> jsa[:] called __getattr__ with name= __getslice__ Traceback (innermost last): File "", line 1, in ? File "/data/rmis/jython/tabledev/JythonSliceAnomaly.py", line 9, in __getattr__ _ Exception: Oops >>> But, if the Exception is changed to an AttributeError, Jython then behaves the same: class JythonSliceAnomaly: def __getitem__(self, i): print "\ncalled __getitem__ with type(i)= %s" % type(i) return "hello" def __getattr__(self, name): print "\ncalled __getattr__ with name= %s" % name raise AttributeError("Oops") Produces: Jython 2.1 on java1.3.1_01 (JIT: null) Type "copyright", "credits" or "license" for more information. >>> import sys >>> sys.path.append('/data/rmis/jython/tabledev') >>> execfile('/data/rmis/jython/tabledev/JythonSliceAnomaly.py') >>> jsa = JythonSliceAnomaly() >>> jsa[:] called __getattr__ with name= __getslice__ ** called __getitem__ with type(i)= org.python.core.PySlice 'hello' >>>