PROBLEMA: etiquete un archivo, en la parte superior del archivo, con el nombre base del directorio principal.
Es decir, para
/mnt/Vancouver/Programming/file1
etiqueta la parte superior de file1
con Programming
.
SOLUCIÓN 1 - archivos no vacíos:
bn=${PWD##*/} ## bn: basename
sed -i '1s/^/'"$bn"'\n/' <file>
1s
coloca el texto en la línea 1 del archivo.
SOLUCIÓN 2 - archivos vacíos o no vacíos:
El sed
comando anterior falla en archivos vacíos. Aquí hay una solución, basada en /superuser/246837/how-do-i-add-text-to-the-beginning-of-a-file-in-bash/246841#246841
printf "${PWD##*/}\n" | cat - <file> > temp && mv -f temp <file>
Tenga -
en cuenta que se requiere el comando en el gato (lee la entrada estándar: consulte man cat
para obtener más información). Aquí, creo, es necesario llevar la salida de la declaración printf (a STDIN), y poner eso y el archivo a temp ... Ver también la explicación al final de http://www.linfo.org/cat .html .
También agregué -f
al mv
comando, para evitar que me pidan confirmaciones al sobrescribir archivos.
Para recurrir sobre un directorio:
for file in *; do printf "${PWD##*/}\n" | cat - $file > temp && mv -f temp $file; done
Tenga en cuenta también que esto se romperá sobre caminos con espacios; hay soluciones, en otros lugares (por ejemplo, solución de archivos o find . -type f ...
soluciones de tipo) para esos.
APÉNDICE: Re: mi último comentario, este script le permitirá recurrir sobre directorios con espacios en las rutas:
#!/bin/bash
## /programming/4638874/how-to-loop-through-a-directory-recursively-to-delete-files-with-certain-extensi
## To allow spaces in filenames,
## at the top of the script include: IFS=$'\n'; set -f
## at the end of the script include: unset IFS; set +f
IFS=$'\n'; set -f
# ----------------------------------------------------------------------------
# SET PATHS:
IN="/mnt/Vancouver/Programming/data/claws-test/corpus test/"
# /superuser/716001/how-can-i-get-files-with-numeric-names-using-ls-command
# FILES=$(find $IN -type f -regex ".*/[0-9]*") ## recursive; numeric filenames only
FILES=$(find $IN -type f -regex ".*/[0-9 ]*") ## recursive; numeric filenames only (may include spaces)
# echo '$FILES:' ## single-quoted, (literally) prints: $FILES:
# echo "$FILES" ## double-quoted, prints path/, filename (one per line)
# ----------------------------------------------------------------------------
# MAIN LOOP:
for f in $FILES
do
# Tag top of file with basename of current dir:
printf "[top] Tag: ${PWD##*/}\n\n" | cat - $f > temp && mv -f temp $f
# Tag bottom of file with basename of current dir:
printf "\n[bottom] Tag: ${PWD##*/}\n" >> $f
done
unset IFS; set +f
sed
.