如何遍历字符串中的每个第二个元素?
一种方法是(如果我想遍历第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”方式来做到这一点? (我很确定我的方法不好)
最佳答案
如果要在第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
关于python - 循环遍历字符串中的每个第n个元素-python,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/51121911/