Múltiplas instruções 'awk' com pipes '|' ?

0
#!/usr/bin/env bash  
#### Extract OS-related info from a Linux box  #### 

#### Display header message ####
# $1 - message

function write_header(){
    local h="$@"
    echo "------------------------------"
    echo "  ${h}"
    echo "------------------------------"
}

#### Get info about Operating System ####

function  os_info(){
    write_header "System Info"
    echo "Operating System : $(uname --kernel-name)" #uname -s 
    echo "Kernel Version   : $(uname --kernel-release)"  #uname -r 
    awk '/^NAME=/||/^VERSION=/' /etc/os-release    
}    

No código acima, posso extrair campos específicos de uname e /etc/os-release que se parecem com isso:

System Info
------------------------------
Operating System : Linux
Kernel Version   : 3.16.0-4-amd64
NAME="Debian GNU/Linux"
VERSION="8 (jessie)" 

O que ainda não consegui fazer é adicionar um awk pipe como este, por exemplo: awk -F'=' '{print $2} , à instrução awk original. Eu gostaria de saída que se parece com isso para as duas últimas linhas: NAME: Debain GNU/Linux e VERSION: 8 (jessie) .

Alguma sugestão sobre como combinar as instruções awk para alcançar o resultado desejado?

    
por marshki 30.11.2016 / 21:13

3 respostas

1
awk -F'[="]+' '/^(NAME|VERSION)=/{printf("%-17s: %s\n",$1,$2)}' /etc/os-release

produzir

NAME             : BunsenLabs GNU/Linux
VERSION          : 8.6 (Hydrogen)
    
por 30.11.2016 / 21:55
1

Uma alternativa para a correspondência de expressão regular:

awk -F= '$1 == "NAME" || $1 == "VERSION" {print $2}'
    
por 01.12.2016 / 02:38
0

O seguinte parece funcionar para mim:

awk -F'=' '/^NAME=/||/^VERSION=/ { print $2 }' /etc/os-release

Entrada:

~$ cat /etc/os-release
NAME="Ubuntu"
VERSION="16.04.1 LTS (Xenial Xerus)"
ID=ubuntu
ID_LIKE=debian
PRETTY_NAME="Ubuntu 16.04.1 LTS"
VERSION_ID="16.04"
HOME_URL="http://www.ubuntu.com/"
SUPPORT_URL="http://help.ubuntu.com/"
BUG_REPORT_URL="http://bugs.launchpad.net/ubuntu/"
VERSION_CODENAME=xenial
UBUNTU_CODENAME=xenial

Saída:

~$ awk -F'=' '/^NAME=/||/^VERSION=/ { print $2 }' /etc/os-release
"Ubuntu"
"16.04.1 LTS (Xenial Xerus)"
    
por 30.11.2016 / 21:18