Método Python File next ()
Descripción
Método de archivo Python next()se usa cuando un archivo se usa como iterador, generalmente en un bucle, el método next () se llama repetidamente. Este método devuelve la siguiente línea de entrada o genera StopIteration cuando se activa EOF.
La combinación del método next () con otros métodos de archivo como readline () no funciona correctamente. Sin embargo, usar seek () para reposicionar el archivo en una posición absoluta vaciará el búfer de lectura anticipada.
Sintaxis
A continuación se muestra la sintaxis de next() método -
fileObject.next();
Parámetros
NA
Valor devuelto
Este método devuelve la siguiente línea de entrada.
Ejemplo
El siguiente ejemplo muestra el uso del método next ().
This is 1st line
This is 2nd line
This is 3rd line
This is 4th line
This is 5th line
#!/usr/bin/python
# Open a file
fo = open("foo.txt", "rw+")
print "Name of the file: ", fo.name
# Assuming file has following 5 lines
# This is 1st line
# This is 2nd line
# This is 3rd line
# This is 4th line
# This is 5th line
for index in range(5):
line = fo.next()
print "Line No %d - %s" % (index, line)
# Close opend file
fo.close()
Cuando ejecutamos el programa anterior, produce el siguiente resultado:
Name of the file: foo.txt
Line No 0 - This is 1st line
Line No 1 - This is 2nd line
Line No 2 - This is 3rd line
Line No 3 - This is 4th line
Line No 4 - This is 5th line