38

suppose we have many text files as follows:

file1:

abc
def
ghi

file2:

ABC
DEF
GHI

file3:

adfafa

file4:

ewrtwe
rewrt
wer
wrwe

How can we make one text file like below:

result:

abc
def
ghi
ABC
DEF
GHI
adfafa
ewrtwe
rewrt
wer
wrwe

Related code may be:

import csv
import glob
files = glob.glob('*.txt')
for file in files:
with open('result.txt', 'w') as result:
result.write(str(file)+'\n')

After this? Any help?

cs95
  • 379,657
  • 97
  • 704
  • 746

5 Answers5

87

You can read the content of each file directly into the write method of the output file handle like this:

import glob

read_files = glob.glob("*.txt")

with open("result.txt", "wb") as outfile:
    for f in read_files:
        with open(f, "rb") as infile:
            outfile.write(infile.read())
apiguy
  • 5,282
  • 1
  • 23
  • 24
21

The fileinput module is designed perfectly for this use case.

import fileinput
import glob

file_list = glob.glob("*.txt")

with open('result.txt', 'w') as file:
    input_lines = fileinput.input(file_list)
    file.writelines(input_lines)
llb
  • 1,671
  • 10
  • 14
  • That's probably the most efficient method and works perfectly in Python 2.7 – user113478 Feb 09 '17 at 12:10
  • The risk with this code is that if you already have a `result.txt` file (say, you're running it a second time), the process never ends and builds an ever-increasing sized file. – M-P Dec 11 '19 at 19:56
9

You could try something like this:

import glob
files = glob.glob( '*.txt' )

with open( 'result.txt', 'w' ) as result:
    for file_ in files:
        for line in open( file_, 'r' ):
            result.write( line )

Should be straight forward to read.

Robert Caspary
  • 1,584
  • 9
  • 7
1

It is also possible to combine files by incorporating OS commands. Example:

import os
import subprocess
subprocess.call("cat *.csv > /path/outputs.csv")
Knak
  • 496
  • 3
  • 14
Sadheesh
  • 895
  • 9
  • 6
0
filenames = ['resultsone.txt', 'resultstwo.txt']
with open('resultsthree', 'w') as outfile:
    for fname in filenames:
        with open(fname) as infile:
            for line in infile:
                outfile.write(line)
Celeo
  • 5,583
  • 8
  • 39
  • 41
proma
  • 11