una sumar scripts script resueltos programacion linea leer filas fichero español ejercicios ejemplos columna linux unix shell

linux - sumar - Suma una columna de números en el shell de Unix



shell script linux español (18)

Dada una lista de archivos en files.txt , puedo obtener una lista de sus tamaños de esta manera:

cat files.txt | xargs ls -l | cut -c 23-30

que produce algo como esto:

151552 319488 1536000 225280

¿Cómo puedo obtener el total de todos esos números?


Aquí está el mío

cat files.txt | xargs ls -l | cut -c 23-30 | sed -e :a -e ''$!N;s//n/+/;ta'' | bc


Aquí va

cat files.txt | xargs ls -l | cut -c 23-30 | awk ''{total = total + $1}END{print total}''


Bash puro

total=0; for i in $(cat files.txt | xargs ls -l | cut -c 23-30); do total=$(( $total + $i )); done; echo $total


El ls entero -l y luego el corte es bastante intrincado cuando tienes estadísticas . También es vulnerable al formato exacto de ls -l (no funcionó hasta que cambié los números de columna para el corte )

Además, se corrigió el uso inútil de cat .

<files.txt xargs stat -c %s | paste -sd+ - | bc


En ksh:

echo " 0 $(ls -l $(<files.txt) | awk ''{print $5}'' | tr ''/n'' ''+'') 0" | bc


En lugar de usar el corte para obtener el tamaño de archivo de salida de ls -l , puede usar directamente:

$ cat files.txt | xargs ls -l | awk ''{total += $5} END {print "Total:", total, "bytes"}''

Awk interpreta "$ 5" como la quinta columna. Esta es la columna de ls -l que le da el tamaño del archivo.


En mi opinión, la solución más simple para esto es el comando "expr" de Unix:

s=0; for i in `cat files.txt | xargs ls -l | cut -c 23-30` do s=`expr $s + $i` done echo $s


Me gusta usar ...

echo " 1 2 3 " | sed -e ''s,$, + p,g'' | dc

mostrarán la suma de cada línea ...

aplicando sobre esta situación:

ls -ld $(< file.txt) | awk ''{print $5}'' | sed -e ''s,$, + p,g'' | dc

Total es el último valor ...


Pipe to gawk:

cat files.txt | xargs ls -l | cut -c 23-30 | gawk ''BEGIN { sum = 0 } // { sum = sum + $0 } END { print sum }''


Puede utilizar la siguiente secuencia de comandos si solo desea usar scripts de shell sin awk u otros intérpretes:

#!/bin/bash total=0 for number in `cat files.txt | xargs ls -l | cut -c 23-30`; do let total=$total+$number done echo $total


Yo usaría "du" en su lugar.

$ cat files.txt | xargs du -c | tail -1 4480 total

Si solo quieres el número:

cat files.txt | xargs du -c | tail -1 | awk ''{print $1}''


cat no funcionará si hay espacios en los nombres de archivo. aquí hay un perl de una sola línea en su lugar.

perl -nle ''chomp; $x+=(stat($_))[7]; END{print $x}'' files.txt


si no tienes bc instalado, prueba

echo $(( $(... | paste -sd+ -) ))

en lugar de

... | paste -sd+ - | bc

$( ) <- devuelve el valor de ejecutar el comando

$(( 1+2 )) <- devolver los resultados evaluados

echo <- echo en la pantalla


TMTWWTDI : Perl tiene un operador de tamaño de archivo (-s)

perl -lne ''$t+=-s;END{print $t}'' files.txt


# # @(#) addup.sh 1.0 90/07/19 # # Copyright (C) <heh> SjB, 1990 # Adds up a column (default=last) of numbers in a file. # 95/05/16 updated to allow (999) negative style numbers. case $1 in -[0-9]) COLUMN=`echo $1 | tr -d -` shift ;; *) COLUMN="NF" ;; esac echo "Adding up column .. $COLUMN .. of file(s) .. $*" nawk '' OFMT="%.2f" # 1 "%12.2f" { x = ''$COLUMN'' # 2 neg = index($x, "$") # 3 if (neg > 0) X = gsub("//$", "", $x) neg = index($x, ",") # 4 if (neg > 1) X = gsub(",", "", $x) neg = index($x, "(") # 8 neg (123 & change if (neg > 0) X = gsub("//(", "", $x) if (neg > 0) $x = (-1 * $x) # it to "-123.00" neg = index($x, "-") # 5 if (neg > 1) $x = (-1 * $x) # 6 t += $x # 7 print "x is <<<", $x+0, ">>> running balance:", t } '' $* # 1. set numeric format to eliminate rounding errors # 1.1 had to reset numeric format from 12.2f to .2f 95/05/16 # when a computed number is assigned to a variable ( $x = (-1 * $x) ) # it causes $x to use the OFMT so -1.23 = "________-1.23" vs "-1.23" # and that causes my #5 (negative check) to not work correctly because # the index returns a number >1 and to the neg neg than becomes a positive # this only occurs if the number happened to b a "(" neg number # 2. find the field we want to add up (comes from the shell or defaults # to the last field "NF") in the file # 3. check for a dollar sign ($) in the number - if there get rid of it # so we may add it correctly - $12 $1$2 $1$2$ $$1$$2$$ all = 12 # 4. check for a comma (,) in the number - if there get rid of it so we # may add it correctly - 1,2 12, 1,,2 1,,2,, all = 12 (,12=0) # 5. check for negative numbers # 6. if x is a negative number in the form 999- "make" it a recognized # number like -999 - if x is a negative number like -999 already # the test fails (y is not >1) and this "true" negative is not made # positive # 7. accumulate the total # 8. if x is a negative number in the form (999) "make it a recognized # number like -999 # * Note that a (-9) (neg neg number) returns a postive # * Mite not work rite with all forms of all numbers using $-,+. etc. *


... | paste -sd+ - | bc

es el más corto que he encontrado (del blog de línea de comandos de UNIX ).

Editar: agregó el argumento para portabilidad, gracias @Dogbert y @Owen.


cat files.txt | xargs ls -l | cut -c 23-30 | python -c''import sys; print sum(int(x) for x in sys.stdin)''


sizes=( $(cat files.txt | xargs ls -l | cut -c 23-30) ) total=$(( $(IFS="+"; echo "${sizes[*]}") ))

O podrías simplemente sumarlos a medida que lees los tamaños

declare -i total=0 while read x; total+=x; done < <( cat files.txt | xargs ls -l | cut -c 23-30 )

Si no te importan los tamaños y bloques de mordida, está bien, entonces solo

declare -i total=0 while read s junk; total+=s; done < <( cat files.txt | xargs ls -s )