Why is the implementation of startwith
slower than slicing?
In [1]: x = 'foobar'
In [2]: y = 'foo'
In [3]: %timeit x.startswith(y)
1000000 loops, best of 3: 321 ns per loop
In [4]: %timeit x[:3] == y
10000000 loops, best of 3: 164 ns per loop
Surprisingly, even including calculation for the length, slicing still appears significantly faster:
In [5]: %timeit x[:len(y)] == y
1000000 loops, best of 3: 251 ns per loop
Note: the first part of this behaviour is noted in Python for Data Analysis (Chapter 3), but no explanation for it is offered.
.
If helpful: here is the C code for startswith
; and here is the output of dis.dis
:
In [6]: import dis
In [7]: dis_it = lambda x: dis.dis(compile(x, '<none>', 'eval'))
In [8]: dis_it('x[:3]==y')
1 0 LOAD_NAME 0 (x)
3 LOAD_CONST 0 (3)
6 SLICE+2
7 LOAD_NAME 1 (y)
10 COMPARE_OP 2 (==)
13 RETURN_VALUE
In [9]: dis_it('x.startswith(y)')
1 0 LOAD_NAME 0 (x)
3 LOAD_ATTR 1 (startswith)
6 LOAD_NAME 2 (y)
9 CALL_FUNCTION 1
12 RETURN_VALUE
startswith
, you can passstart
andend
parameters, taking care of this takes time. – Codify