PROBLEMA: taggare un file, nella parte superiore del file, con il nome di base della directory principale.
Vale a dire, per
/mnt/Vancouver/Programming/file1
tagga la cima file1
con Programming
.
SOLUZIONE 1 - file non vuoti:
bn=${PWD##*/} ## bn: basename
sed -i '1s/^/'"$bn"'\n/' <file>
1s
posiziona il testo alla riga 1 del file.
SOLUZIONE 2 - file vuoti o non vuoti:
Il sed
comando sopra riportato non riesce su file vuoti. Ecco una soluzione, basata su /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>
Si noti che -
è richiesto il comando in the cat (legge l'input standard: vedere man cat
per ulteriori informazioni). Qui, credo, è necessario portare l'output dell'istruzione printf (su STDIN), e cat che e il file su temp ... Vedi anche la spiegazione in fondo a http://www.linfo.org/cat .html .
Ho anche aggiunto -f
al mv
comando, per evitare di essere chiesto conferme quando si sovrascrivono i file.
Per ricorrere su una directory:
for file in *; do printf "${PWD##*/}\n" | cat - $file > temp && mv -f temp $file; done
Si noti inoltre che questo interromperà i percorsi con spazi; ci sono soluzioni, altrove (ad es. file globbing o find . -type f ...
soluzioni di tipo) per quelle.
ADDENDUM: Ri: il mio ultimo commento, questo script ti permetterà di ricorrere alle directory con spazi nei percorsi:
#!/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
.