如何通过索引从字符串中获取char?

时间:2012-01-13 09:23:00

标签: python string

假设我有一个由x个未知字符组成的字符串。我怎么能得到char。 13或char nr。 X-14?

7 个答案:

答案 0 :(得分:103)

首先确保字符串从开头或结尾所需的数字是有效索引,然后您可以简单地使用数组下标表示法。 使用len(s)获取字符串长度

>>> s = "python"
>>> s[3]
'h'
>>> s[6]
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
IndexError: string index out of range
>>> s[0]
'p'
>>> s[-1]
'n'
>>> s[-6]
'p'
>>> s[-7]
Traceback (most recent call last):
  File "<stdin>", line 1, in <module>
IndexError: string index out of range
>>> 

答案 1 :(得分:5)

In [1]: x = "anmxcjkwnekmjkldm!^%@(*)#_+@78935014712jksdfs"
In [2]: len(x)
Out[2]: 45

现在,对于x的正指数范围是0到44(即长度-1)

In [3]: x[0]
Out[3]: 'a'
In [4]: x[45]
---------------------------------------------------------------------------
IndexError                                Traceback (most recent call last)

/home/<ipython console> in <module>()

IndexError: string index out of range

In [5]: x[44]
Out[5]: 's'

对于负指数,指数范围从-1到-45

In [6]: x[-1]
Out[6]: 's'
In [7]: x[-45]
Out[7]: 'a

对于负索引,负[长度-1],即正索引的最后一个有效值将给出第二个列表元素,因为列表以相反顺序读取,

In [8]: x[-44]
Out[8]: 'n'

其他,索引的例子,

In [9]: x[1]
Out[9]: 'n'
In [10]: x[-9]
Out[10]: '7'

答案 2 :(得分:3)

Python.org有一个关于字符串here的优秀部分。向下滚动到“切片表示法”的位置。

答案 3 :(得分:2)

以前的答案涵盖某个指数的ASCII character

在Python 2中的某个索引处获得Unicode character会有点麻烦。

例如,s = '한국中国にっぽん'<type 'str'>

__getitem__,例如s[i],不会将您带到您想要的地方。它会吐出像这样的东西。 (许多Unicode字符超过1个字节,但Python 2中的__getitem__增加1个字节。)

在这个Python 2案例中,您可以通过解码来解决问题:

s = '한국中国にっぽん'
s = s.decode('utf-8')
for i in range(len(s)):
    print s[i]

答案 4 :(得分:1)

理解列表和索引的另一个推荐练习:

L = ['a', 'b', 'c']
for index, item in enumerate(L):
    print index + '\n' + item

0
a
1
b
2
c 

答案 5 :(得分:0)

这应该进一步澄清要点:

a = int(raw_input('Enter the index'))
str1 = 'Example'
leng = len(str1)
if (a < (len-1)) and (a > (-len)):
    print str1[a]
else:
    print('Index overflow')

输入3 输出m

输入-3 输出p

答案 6 :(得分:0)

我认为这比用文字描述更清楚

s = 'python'
print(len(s))
6
print(s[5])
'n'
print(s[len(s) - 1])
'n'
print(s[-1])
'n'