循环遍历字符串中的每个第n个元素-python

时间:2018-07-01 09:09:11

标签: python string loops iteration

如何遍历字符串中的每个第二个元素?

一种方法是(如果我要遍历第n个元素):

sample = "This is a string"
n = 3 # I want to iterate over every third element
i = 1
for x in sample:
    if i % n == 0:
        # do something with x
    else:
        # do something else with x
    i += 1

Thery是否有任何“ pythonic”方式来做到这一点? (我很确定我的方法不好)

3 个答案:

答案 0 :(得分:7)

您可以使用step例如sample[start:stop:step]

如果要遍历第二个元素,可以执行以下操作:

sample = "This is a string"

for x in sample[::2]:
    print(x)

输出

T
i

s
a
s
r
n

答案 1 :(得分:3)

如果要在第n步执行某项操作,而在其他情况下要执行其他操作,则可以使用enumerate获取索引,并使用模数:

sample = "This is a string"
n = 3 # I want to iterate over every third element
for i,x in enumerate(sample):
    if i % n == 0:
        print("do something with x "+x)
    else:
        print("do something else with x "+x)

请注意,它不是从1开始而是从0开始。如果需要其他内容,请向i添加一个偏移量。

仅在第n个元素上进行迭代,最好的方法是使用itertools.islice避免创建仅在其上进行迭代的“硬”字符串:

import itertools
for s in itertools.islice(sample,None,None,n):
    print(s)

结果:

T
s
s

r
g

答案 2 :(得分:0)

尝试使用slice

sample = "This is a string"
for i in sample[slice(None,None,2)]:
   print(i)

输出:

T
i

s
a
s
r
n