method - python itertools
¿Cuál es la mejor manera de omitir N valores de la variable de iteración en Python? (7)
En muchos idiomas podemos hacer algo como:
for (int i = 0; i < value; i++)
{
if (condition)
{
i += 10;
}
}
¿Cómo puedo hacer lo mismo en Python? Lo siguiente (por supuesto) no funciona:
for i in xrange(value):
if condition:
i += 10
Yo podría hacer algo como esto:
i = 0
while i < value:
if condition:
i += 10
i += 1
pero me pregunto si hay una forma más elegante ( ¿pitón? ) de hacer esto en Python.
¿Funciona aquí una función de generador es rebundante? Me gusta esto:
def filterRange(range, condition):
x = 0
while x < range:
x = (x+10) if condition(x) else (x + 1)
yield x
if __name__ == "__main__":
for i in filterRange(100, lambda x: x > 2):
print i
Crea el iterable antes del loop.
Salta uno usando el siguiente en el iterador
it = iter(xrange(value))
for i in it:
if condition:
i = next(it)
Omita muchos usando itertools o recetas basadas en ideas de itertools.
it = iter(xrange(value))
for i in it:
if x<5:
i = dropwhile(lambda x: x<5, it)
Lea la página de itertools, muestra algunos usos muy comunes del trabajo con iteradores.
itertools islice
it = islice(xrange(value), 10)
for i in it:
...do stuff with i...
Creo que tiene que usar un bucle while para esto ... para bucles de bucle en un iterable ... y no puede omitir el siguiente elemento como cómo quiere hacerlo aquí
Espero no estar respondiendo a este error ... pero esta es la forma más sencilla que he encontrado:
for x in range(0,10,2):
print x
La salida debería ser algo como esto:
0
2
4
6
8
El 2 en el rango de parámetros es el valor de salto
Hay algunas formas de crear iteradores , pero la clase de iterador personalizado es la más extensible:
class skip_if: # skip_if(object) for python2
"""
iterates through iterable, calling skipper with each value
if skipper returns a positive integer, that many values are
skipped
"""
def __init__(self, iterable, skipper):
self.it = iter(iterable)
self.skip = skipper
def __iter__(self):
return self
def __next__(self): # def next(self): for python2
value = next(self.it)
for _ in range(self.skip(value)):
next(self.it, None)
return value
y en uso:
>>> for i in skip_if(range(1,100), lambda n: 10 if not n%10 else 0):
... print(i, end='', '')
...
1, 2, 3, 4, 5, 6, 7, 8, 9, 10,
21, 22, 23, 24, 25, 26, 27, 28, 29, 30,
41, 42, 43, 44, 45, 46, 47, 48, 49, 50,
61, 62, 63, 64, 65, 66, 67, 68, 69, 70,
81, 82, 83, 84, 85, 86, 87, 88, 89, 90,
Itertools tiene una forma recomendada de hacer esto: https://docs.python.org/3.7/library/itertools.html#itertools-recipes
import collections
def tail(n, iterable):
"Return an iterator over the last n items"
# tail(3, ''ABCDEFG'') --> E F G
return iter(collections.deque(iterable, maxlen=n))
Ahora puedes hacer:
for i in tail(5, range(10)):
print(i)
Llegar
5
6
7
8
9
Uso continue
for i in xrange(value):
if condition:
continue
Si desea forzar su iterable para saltar hacia delante, debe llamar a .next()
.
>>> iterable = iter(xrange(100))
>>> for i in iterable:
... if i % 10 == 0:
... [iterable.next() for x in range(10)]
...
[1, 2, 3, 4, 5, 6, 7, 8, 9, 10]
[21, 22, 23, 24, 25, 26, 27, 28, 29, 30]
[41, 42, 43, 44, 45, 46, 47, 48, 49, 50]
[61, 62, 63, 64, 65, 66, 67, 68, 69, 70]
[81, 82, 83, 84, 85, 86, 87, 88, 89, 90]
Como puedes ver, esto es asqueroso.