Concatenating Files And Insert New Line In Between Files

前端 未结 7 1896
旧时难觅i
旧时难觅i 2020-11-29 16:48

I have multiple files which I want to concat with cat. Let\'s say

File1.txt 
foo

File2.txt
bar

File3.txt
qux

I want to conc

相关标签:
7条回答
  • 2020-11-29 17:04

    That's how I just did it on OsX 10.10.3

    for f in *.txt; do (cat $f; echo '') >> fullData.txt; done
    

    since the simple 'echo' command with no params ended up in no new lines inserted.

    0 讨论(0)
  • 2020-11-29 17:10

    If you have few enough files that you can list each one, then you can use process substitution in Bash, inserting a newline between each pair of files:

    cat File1.txt <(echo) File2.txt <(echo) File3.txt > finalfile.txt
    
    0 讨论(0)
  • 2020-11-29 17:10

    If it were me doing it I'd use sed:

    sed -e '$s/$/\n/' -s *.txt > finalfile.txt
    

    In this sed pattern $ has two meanings, firstly it matches the last line number only (as a range of lines to apply a pattern on) and secondly it matches the end of the line in the substitution pattern.

    If your version of sed doesn't have -s (process input files separately) you can do it all as a loop though:

    for f in *.txt ; do sed -e '$s/$/\n/' $f ; done > finalfile.txt
    
    0 讨论(0)
  • 2020-11-29 17:10

    In python, this concatenates with blank lines between files (the , suppresses adding an extra trailing blank line):

    print '\n'.join(open(f).read() for f in filenames),
    

    Here is the ugly python one-liner that can be called from the shell and prints the output to a file:

    python -c "from sys import argv; print '\n'.join(open(f).read() for f in argv[1:])," File*.txt > finalfile.txt
    
    0 讨论(0)
  • 2020-11-29 17:18

    You may do it using xargs if you like, but the main idea is still the same:

    find *.txt | xargs -I{} sh -c "cat {}; echo ''" > finalfile.txt
    
    0 讨论(0)
  • 2020-11-29 17:26

    You can do:

    for f in *.txt; do (cat "${f}"; echo) >> finalfile.txt; done
    

    Make sure the file finalfile.txt does not exist before you run the above command.

    If you are allowed to use awk you can do:

    awk 'FNR==1{print ""}1' *.txt > finalfile.txt
    
    0 讨论(0)
提交回复
热议问题