Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Delete the first column from a csv file in Python [duplicate]

Tags:

python

file

csv

I have the following code in Python to delete the first row from csv files in the folder in_folder and then save them in the folder out_folder. Now I need to delete the first column of a csv file. Does anyone know how to do this?

import csv
import glob
import os
import shutil

path = 'in_folder/*.csv'
files=glob.glob(path)

#Read every file in the directory

x = 0 #counter

for filename in files:

    with open(filename, 'r') as fin:
        data = fin.read().splitlines(True)

        with open(filename, 'w') as fout:
            fout.writelines(data[1:])
            x+=1
            print(x)

dir_src = "in_folder"
dir_dst = "out_folder"


for file in os.listdir(dir_src):
    if x>0:
        src_file = os.path.join(dir_src, file)
        dst_file = os.path.join(dir_dst, file)
        shutil.move(src_file, dst_file)
like image 907
Danny Avatar asked Feb 08 '19 16:02

Danny


1 Answers

What you can do is to use Pandas as it can achive DataFrame manipulation.

file.csv

1,2,3,4,5
1,2,3,4,5
1,2,3,4,5

Your code should look like

import pandas as pd
df = pd.read_csv('file.csv')
# If you know the name of the column skip this
first_column = df.columns[0]
# Delete first
df = df.drop([first_column], axis=1)
df.to_csv('file.csv', index=False)

file.csv

2,3,4,5
2,3,4,5
2,3,4,5
like image 116
Rolando cq Avatar answered Nov 14 '22 22:11

Rolando cq