>>> s = 'qwertyur'
>>> s[10]
Traceback (most recent call last):
File "<pyshell#26>", line 1, in <module>
s[10]
IndexError: string index out of range
>>> s[10:100]
''
如上所示
>>> s = 'qwertyur'
>>> s[10]
Traceback (most recent call last):
File "<pyshell#26>", line 1, in <module>
s[10]
IndexError: string index out of range
>>> s[10:100]
''
如上所示
这里涉及到切片对象slice
:
a = '0123456789'
r = slice(-100, 100) # -100:100
a_new = a[r] # 取缺省值a[:]
print(a_new, a[:])
r = slice(100, 200) # 100:200
a_new = a[r] # 取缺省值a[len(a):len(a)]
print(a_new, a[len(a):len(a)])
list 中的具体处理方式:
/* 取自ListObject.c */
static PyObject *
list_slice(PyListObject *a, Py_ssize_t ilow, Py_ssize_t ihigh)
{
PyListObject *np;
PyObject **src, **dest;
Py_ssize_t i, len;
if (ilow < 0)
ilow = 0;
else if (ilow > Py_SIZE(a)) // 如果ilow大于a长度, 那么重新赋值为a的长度
ilow = Py_SIZE(a);
if (ihigh < ilow)
ihigh = ilow;
else if (ihigh > Py_SIZE(a)) // 如果ihigh大于a长度, 那么重新赋值为a的长度
ihigh = Py_SIZE(a);
len = ihigh - ilow;
np = (PyListObject *) PyList_New(len); // 创建一个ihigh - ilow的新列表对象
if (np == NULL)
return NULL;
src = a->ob_item + ilow;
dest = np->ob_item;
for (i = 0; i < len; i++) { // 将a处于该范围内的成员, 添加到新列表对象
PyObject *v = src[i];
Py_INCREF(v);
dest[i] = v;
}
return (PyObject *)np;
}
4 回答4.5k 阅读✓ 已解决
1 回答3.4k 阅读✓ 已解决
4 回答3.9k 阅读✓ 已解决
3 回答2.2k 阅读✓ 已解决
1 回答4.6k 阅读✓ 已解决
2 回答514 阅读✓ 已解决
1 回答4k 阅读✓ 已解决
下面是python3中对于切片的解释:
s[i:j]
The slice of
s
fromi
toj
is defined as the sequence of items with indexk
such thati <= k < j
.If
i
orj
is greater thanlen(s)
, uselen(s)
.If
i
is omitted orNone
, use0
.If
j
is omitted orNone
, uselen(s)
.If
i
is greater than or equal toj
, the slice is empty.文档:sequence-types-list-tuple-range
源码:stringobject.c