DEV Community

AnkurRanpariya2005
AnkurRanpariya2005

Posted on • Updated on • Originally published at frontendscript.com

How to read a file line by line into a list in Python

Introduction

Most of the time we process data from a file so that we can manipulate it from memory. This data can be numeric, string or a combination of both. In this article, I will discuss how to open a file for reading with the built-in function open() and the use of Pandas library to manipulate data in the file. This also includes reading the contents of a file line by line and saving the same to a list.

Things to learn on this article

  1. Open the file for reading
  2. Read the contents of a file line by line
  3. Store the read lines into a list data type
  4. for loop
  5. list comprehension
  6. readlines
  7. readline
  8. Read file using pandas

1. Open the file for reading

Python's built-in function open() can be used to open a file for reading and writing. It is defined below based from the python documentation.

open(file, mode='r', buffering=-1, encoding=None,
     errors=None, newline=None, closefd=True, opener=None)
Enter fullscreen mode Exit fullscreen mode

These are the supported values for the mode.

Image description

Here is an example script called main.py that will open the file countries.txt for reading.

main.py

with open('countries.txt', mode='r') as f:
    # other stuff
Enter fullscreen mode Exit fullscreen mode

Alternative method of opening a file
An alternative way of opening a file for reading is the following.

f = open('countries.txt', mode='r')
# other stuff
f.close()
Enter fullscreen mode Exit fullscreen mode

You have to close the file object explicitly with close(). Anyhow use the with statement whenever possible as the context manager will handle the entry and exit execution of the code, hence closing the file object with close() is not needed.

2. Read the contents of a file line by line

Let us go back to our code in main.py. I will add a block of code that will read the contents of file line by line and print it.

main.py

with open('countries.txt', mode='r') as f:
    for lines in f:
        line = lines.rstrip()  # rstrip() will remove the newline character
        print(line)  # print to console
Enter fullscreen mode Exit fullscreen mode

countries.txt

Australia
China
Philippines
Enter fullscreen mode Exit fullscreen mode

Ensure that the main.py and countries.txt are on the same directory. That is because of the code above. In my case they are in F:\Project\8thesource path.

Execute the main.py from the command line.

PS F:\Project\8thesource> python main.py
Enter fullscreen mode Exit fullscreen mode

output

Australia
China
Philippines
Enter fullscreen mode Exit fullscreen mode

There we have it. We read countries.txt line by line using the open() function and file object manipulation. The first line printed was Australia followed by China and finally Philippines. It is consistent according to the sequence of how they were written in countries.txt file.

3. Store the read lines into a list data type

Python has a popular data type called list that can store other object types or a combination of object types. A list of integers could be [1, 2, 3]. A list of strings could be ['one', 'two', 'three']. A list of integer and string could be [1, 'city', 45]. A list of lists could be [[1, 2], [4, 6]]. A list of tuples could be [(1, 2), ('a', 'b')]. A list of dictionaries could be [{'fruit': 'mango'}, {'count': 100}].

I will modify the main.py to store the read lines into a list.

a) for loop

main.py

data_list = []  # a list as container for read lines

with open('countries.txt', mode='r') as f:
    for lines in f:
        line = lines.rstrip()  # remove the newline character
        data_list.append(line)  # add the line in the list
print(data_list)
Enter fullscreen mode Exit fullscreen mode

The countries.txt is the file name. We open it for reading with symbol r. We use the for loop to read each line and save it to a list called data_list. After saving all the lines to a list via append method, the items in the list are then printed.

After executing the main.py, we got the following output.

output

['Australia', 'China', 'Philippines']
Enter fullscreen mode Exit fullscreen mode

b) list comprehension

Another option to save the read lines into the list is by the use of list comprehension. It uses a for loop behind the scene and is more compact but not beginner-friendly.

with open('countries.txt', mode='r') as f:
    data = [item.rstrip() for item in f]
print(data)
Enter fullscreen mode Exit fullscreen mode

output

['Australia', 'China', 'Philippines']
Enter fullscreen mode Exit fullscreen mode

c) readlines

Yet another option to save the read lines in a list is the method readlines().

with open('countries.txt', mode='r') as f:
    data = f.readlines()
print(data)
Enter fullscreen mode Exit fullscreen mode

The output still has the newline character \n.

output

['Australia\n', 'China\n', 'Philippines']
Enter fullscreen mode Exit fullscreen mode

This newline character can be removed by reading each items on that list and strip it. The readlines method is not an ideal solution if the file is big.

d) readline

Another option to save the read line is by the use of the readline method.

data_list = []
with open('countries.txt', mode='r') as f:
    while True:
        line = f.readline()
        line = line.rstrip()  # remove the newline character \n
        if line == '':
            break
        data_list.append(line)

print(data_list)
Enter fullscreen mode Exit fullscreen mode

output

['Australia', 'China', 'Philippines']
Enter fullscreen mode Exit fullscreen mode

4. Read file using pandas

For people aspiring to become a data scientist, knowledge of processing files is a must. One of the tools that should be learned is the Pandas library. This can be used to manipulate data. It can read files including the popular csv or comma-separated values formatted file.

Here is a sample scenario, we are given a capitals.csv file that contains the name of the country in the first column and the corresponding capital in the second column. Our job is to get a list of country and capital names.

capitals.csv

Country,Capital
Australia,Canberra
China,Beijing
Philippines,Manila
Japan,Tokyo
Enter fullscreen mode Exit fullscreen mode

For this particular job it is better to use the Pandas library. The expected outputs are the country list [Australia, China, Philippines, Japan] and the capital list [Canberra, Beijing, Manila, Tokyo].

Let us create capitals.py to read the capitals.csv using Pandas.

capitals.py

"""
requirements:
    pandas

Install pandas with
    pip install pandas
"""

import pandas as pd

# Build a dataframe based from the csv file.
df = pd.read_csv('capitals.csv')
print(df)
Enter fullscreen mode Exit fullscreen mode

command line

PS F:\Project\8thesource> python capitals.py
Enter fullscreen mode Exit fullscreen mode

output

       Country   Capital
0    Australia  Canberra
1        China   Beijing
2  Philippines    Manila
3        Japan     Tokyo
Enter fullscreen mode Exit fullscreen mode

Now we need to get the values in the Country and Capital columns and convert those to a list.

import pandas as pd

# Build a dataframe based from the csv file.
df = pd.read_csv('capitals.csv')
print(df)

# Get the lists of country and capital names.
country_names = df['Country'].to_list()
capital_names = df['Capital'].to_list()
Enter fullscreen mode Exit fullscreen mode

Pandas is very smart about this. It easily gets the tasks that we are after.

Now let us print those list.

import pandas as pd

# Build a dataframe based from the csv file.
df = pd.read_csv('capitals.csv')
print(df)

# Get the lists of country and capital names.
country_names = df['Country'].to_list()
capital_names = df['Capital'].to_list()

# Print names
print('Country names:')
print(country_names)

print('Capital names:')
print(capital_names)
Enter fullscreen mode Exit fullscreen mode

output

       Country   Capital
0    Australia  Canberra
1        China   Beijing
2  Philippines    Manila
3        Japan     Tokyo
Country names:
['Australia', 'China', 'Philippines', 'Japan']
Capital names:
['Canberra', 'Beijing', 'Manila', 'Tokyo']
Enter fullscreen mode Exit fullscreen mode

That is it. We got the country and capital names as lists.

5. Conclusion

We use the built-in function open() to open and read the contents of a file and utilize the for loop to read it line by line then save it to a list - a python data type. There are also options such as list comprehension, readlines and readline to save data into the list. Depending on the tasks and file given, we can use the Pandas library to process a csv file.

For further reading, have a look on python's built-in function open() and the very useful Pandas python library.

Top comments (0)