拆分巨大的CSV文件

时间:2016-09-03 22:04:59

标签: bash csv unix cut

我有一个巨大的csv文件,大约20 GB。它有5,000列和2,500,000行。我想将其中的每一列写入一个文件。我已经尝试过FOR循环,但速度很慢。我的代码如下:

Columns=$(head -n 1 train.csv | sed "s/,/\n/g" | wc -l)
mkdir cols
for i in `seq 1 $Columns`;
do
    echo $i
    tail -n +2 train.csv | cut -d',' -f$i > cols/col_$i.txt
done 

我适合任何加速这一点的建议。

3 个答案:

答案 0 :(得分:3)

这是一个bash脚本,只需一次传递:

Columns=$(head -n 1 train.csv | sed "s/,/\n/g" | wc -l)
mkdir cols
tail -n +2 train.csv | \
    while IFS=, read -ra row; do
        for i in `seq 1 $Columns`; do
            echo "${row[$(($i-1))]}" >> cols/col_$i.txt
        done 
    done

此脚本的缺点是它将打开和关闭列文件数百万次。以下perl脚本通过保持所有文件打开来避免此问题:

#!/usr/bin/perl
use strict;
use warnings;

my @handles;
open my $fh,'<','train.csv' or die;
<$fh>; #skip the header
while (<$fh>) {
    chomp;
    my @values=split /,/;
    for (my $i=0; $i<@values; $i++) {
        if (!defined $handles[$i]) {
            open $handles[$i],'>','cols/col_'.($i+1).'.txt' or die;
        }
        print {$handles[$i]} "$values[$i]\n";
    }
}
close $fh;
close $_ for @handles;

由于您有5000列且此脚本保持打开5001个文件,因此您需要增加系统允许的打开文件描述符的数量。

答案 1 :(得分:2)

Perl解决方案。它一次打开1000个文件,因此它会将输入传递5次。使用输入文件名作为参数运行。

#!/usr/bin/perl
use warnings;
use strict;

my $inputfile = shift;
open my $input, '<', $inputfile or die $!;

mkdir 'cols';

my @headers = split /,/, <$input>;
chomp $headers[-1];
my $pos = tell $input;  # Remember where the first data line starts.

my $step = 1000;
for (my $from = 0; $from <= $#headers; $from += $step) {
    my $to = $from + $step - 1;
    $to = $#headers if $#headers < $to;
    warn "$from .. $to";

    # Open the files and print the headers in range.    
    my @fhs;
    for ($from .. $to) {
        open $fhs[ $_ - $from ], '>', "cols/col-$_" or die $!;
        print { $fhs[ $_ - $from ] } $headers[$_], "\n";
    }

    # Print the columns in range.
    while (<$input>) {
        chomp;
        my $i = 0;
        print { $fhs[$i++] } $_, "\n" for (split /,/)[ $from .. $to ];
    }
    close for @fhs;
    seek $input, $pos, 0;  # Go back to the first data line.
}

答案 2 :(得分:2)

在awk中:

$ awk '{for(i=1;i<=NF;i++) print $i > i}' train.csv

生成5000个文件的测试版本:

$ cat > foo
1
2
3
$ awk 'BEGIN {for(i=1;i<=5000;i++) a=a i (i<5000? OFS:"")} {$0=a; for(i=1;i<=NF; i++) print $i > i}' foo
$ ls -l | wc -l
5002 # = 1-5000 + foo and "total 20004"
$ cat 5000
5000
5000
5000

250行持续在我的笔记本电脑上:

real    1m4.691s
user    1m4.456s
sys     0m0.180s