Elaborazione di due file tramite awk


9

Ho letto Confrontando due file usando Unix e Awk . È davvero interessante L'ho letto e testato, ma non riesco a capirlo completamente e lo uso in altri casi.

Ho due file. file1ha un campo e l'altro ha 16 campi. Voglio leggere elementi di file1 e confrontarli con il terzo campo di file2. Se c'è stata una corrispondenza per ogni elemento, somma il valore del campo 5 in file2. Come esempio:

file 1

1
2
3

file 2

2 2 2 1 2
3 6 1 2 4 
4 1 1 2 3
6 3 3 3 4 

Per l'elemento 1 in file1voglio aggiungere valori nel campo 5 in file2cui il valore del campo 3 è 1. E fare lo stesso per l'elemento 2 e 3 in file1. L'output per 1 è (3 + 4 = 7) e per 2 è 2 e per 3 è 4.

Non so come dovrei scriverlo con awk.

Risposte:


20

Ecco un modo. L'ho scritto come uno script awk in modo da poter aggiungere commenti:

#!/usr/local/bin/awk -f

{
    ## FNR is the line number of the current file, NR is the number of 
    ## lines that have been processed. If you only give one file to
    ## awk, FNR will always equal NR. If you give more than one file,
    ## FNR will go back to 1 when the next file is reached but NR
    ## will continue incrementing. Therefore, NR == FNR only while
    ## the first file is being processed.
    if(NR == FNR){
      ## If this is the first file, save the values of $1
      ## in the array n.
      n[$1] = 0
    }
    ## If we have moved on to the 2nd file
    else{
      ## If the 3rd field of the second file exists in
      ## the first file.
      if($3 in n){
        ## Add the value of the 5th field to the corresponding value
        ## of the n array.
        n[$3]+=$5
      }
    }
}
## The END{} block is executed after all files have been processed.
## This is useful since you may have more than one line whose 3rd
## field was specified in the first file so you don't want to print
## as you process the files.
END{
    ## For each element in the n array
    for (i in n){
    ## print the element itself and then its value
    print i,":",n[i];
    }
}

Puoi salvarlo come file, renderlo eseguibile ed eseguirlo in questo modo:

$ chmod a+x foo.awk
$ ./foo.awk file1 file2
1 : 7
2 : 2
3 : 4

Oppure puoi condensarlo in una riga:

awk '
     (NR == FNR){n[$1] = 0; next}
     {if($3 in n){n[$3]+=$5}}
     END{for (i in n){print i,":",n[i]} }' file1 file2

Utilizzando il nostro sito, riconosci di aver letto e compreso le nostre Informativa sui cookie e Informativa sulla privacy.
Licensed under cc by-sa 3.0 with attribution required.