Может ли кто-нибудь объяснить мне пошагово написанный ниже скрипт AWK?
У меня есть код ниже, написанный в моем скрипте для форматирования данных плоского файла. Просто хотел понять, чтобы я мог повторно использовать -- я не парень unix, но мне поручили задачу. Пожалуйста, помогите!
awk -vsep=$SEPARATOR 'NR>2{if(NF){if(!s){gsub(" *"sep"[ \t]*",sep);printf "%d%s\n",NR-2,$0}}else s=1}' file_name > new_file
# where $SEPARATOR = ';'
Заранее спасибо.
решение1
Параметр командной строки -vsep=$SEPERATOR
устанавливает переменную awk sep
(используемую при поиске/замене) на то, что вы укажете. ;
в вашем случае.
# NR = Number of current Record, or line number
# Skip the first line
if ( NR > 2 ) {
# NF = Number of fields in the current record
# If the line contains something other than a blank line or the
# awk field separator characters (whitespace by default)
if ( NF ) {
# If we have not seen a blank line (script flag s)
if ( !s ) {
# Search the current line repeatedly (gsub) for any number of spaces (" *")
# before a ";" then any number of spaces or tabs ([ \t]*) after the `;`
# and replace it all with just a ";"
gsub( " *"sep"[ \t]*", sep );
# Print the line number, 0 based (NR-2) as a signed decimal integer (`%d`)
# then the complete line ($0) followed by a new line character (\n)
printf "%d%s\n", NR-2, $0;
}
} else {
# Set the "seen a blank line" flag
s = 1
}
}
file_name > new_file
записывает вывод в новый файл с именемnew_file
Кстати, если вы структурируете скрипт следующим образом, его будет намного легче читать, и он будет работать быстрее, если у вас есть большие объемы данных, расположенные после пустой строки.
awk -vsep=$SEPERATOR '{
# Skip the first line
if (NR == 1) { next; }
# Stop processing if we see a blank line
if (NF == 0) { exit; }
# Remove spaces before and spaces/tabs after separator
gsub( " *"sep"[ \t]*", sep );
# Print the line with a record number starting from 0
printf "%d%s\n", NR-2, $0;
}' file_name > new_file