Existe uma alternativa de substituição / expansão de parâmetro para “| corte -f1,2,3 -d: ”a.k.a. aparar após e incluindo a ocorrência do n-ésimo caractere?

6

Uma versão antiga de ipconfig (dentro de initramfs) requer que sua entrada do usuário forneça apenas até 7 elementos separados por dois pontos, como:

ip=client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf

resulta em um erro ipconfig quando os usuários fornecem mais de 7 elementos.

Portanto, o extra (2 resolvedores de DNS) deve ser cortado.

Isso pode ser feito dentro de um subshell com cut , como:

validated_input=$(echo ${user_input} | cut -f1,2,3,4,5,6,7 -d:)

Como esse cut pode ser escrito usando a expansão / substituição do parâmetro (b)ash ?

Sem:

  • lançando subshell (s) / subprocesso (s) (tubulação)
  • Disputar IFS / mangling

Por causa da (1) velocidade, consulte Usando a variável bash substituição em vez de corte / awk e (2) aprendizagem.

Em outras palavras: Como fazer uma pesquisa para a ocorrência do n-ésimo (7-th) caractere e remover / aparar tudo de lá até o final da string?

    
por Pro Backup 25.12.2017 / 13:45

3 respostas

4

Isso usa apenas a expansão de parâmetros:

${var%:"${var#*:*:*:*:*:*:*:}"}

Exemplo :

$ var=client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf:morefields:another:youwantanother:haveanother:
$ echo "${var%:"${var#*:*:*:*:*:*:*:}"}"
client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf

Obrigado ilkkachu por encontrar uma correção para o : !

${parameter#word}
${parameter##word}

The word is expanded to produce a pattern just as in filename expansion (see Filename Expansion). If the pattern matches the beginning of the expanded value of parameter, then the result of the expansion is the expanded value of parameter with the shortest matching pattern (the ‘#’ case) or the longest matching pattern (the ‘##’ case) deleted. If parameter is ‘@’ or ‘’, the pattern removal operation is applied to each positional parameter in turn, and the expansion is the resultant list. If parameter is an array variable subscripted with ‘@’ or ‘’, the pattern removal operation is applied to each member of the array in turn, and the expansion is the resultant list.

Isso tentará corresponder ao início do seu parâmetro e, se isso acontecer, ele será removido.

Exemplo :

$ var=a:b:c:d:e:f:g:h:i
$ echo "${var#a}"
:b:c:d:e:f:g:h:i
$ echo "${var#a:b:}"
c:d:e:f:g:h:i
$ echo "${var#*:*:}"
c:d:e:f:g:h:i
$ echo "${var##*:}"    # Two hashes make it greedy
i
${parameter%word}
${parameter%%word}

The word is expanded to produce a pattern just as in filename expansion. If the pattern matches a trailing portion of the expanded value of parameter, then the result of the expansion is the value of parameter with the shortest matching pattern (the ‘%’ case) or the longest matching pattern (the ‘%%’ case) deleted. If parameter is ‘@’ or ‘’, the pattern removal operation is applied to each positional parameter in turn, and the expansion is the resultant list. If parameter is an array variable subscripted with ‘@’ or ‘’, the pattern removal operation is applied to each member of the array in turn, and the expansion is the resultant list.

Isso tentará corresponder ao fim do seu parâmetro e, se isso acontecer, ele será removido.

Exemplo :

$ var=a:b:c:d:e:f:g:h:i
$ echo "${var%i}"
a:b:c:d:e:f:g:h:
$ echo "${var%:h:i}"
a:b:c:d:e:f:g
$ echo "${var%:*:*}"
a:b:c:d:e:f:g
$ echo "${var%%:*}"    # Two %s make it greedy
a

Então, na resposta:

${var%:"${var#*:*:*:*:*:*:*:}"}

(observe as aspas em torno de ${var#...} para que seja tratado como uma string literal (não um padrão) a ser removida do final de $var ).

Quando aplicado a:

var=client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf:morefields:another:youwantanother:haveanother:

${var#*:*:*:*:*:*:*:} = morefields:another:youwantanother:haveanother:

Isso é expandido dentro de ${var%: ... } da seguinte forma:

${var%:morefields:another:youwantanother:haveanother:}

Então você está dizendo para mim:

client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf:morefields:another:youwantanother:haveanother:

Mas apare :morefields:another:youwantanother:haveanother: do final.

O Manual de Referência do Bash ( 3.5.3 )

    
por 25.12.2017 / 15:02
5

Com um regex:

$ var=a:b:c:d:e:f:g:h:i:j:k:l
$ [[ $var =~ ([^:]*:){6}([^:]*) ]] && echo "${BASH_REMATCH[0]}"
a:b:c:d:e:f:g

Isso deve funcionar no shell padrão:

#!/bin/sh
var=a:b:c:d:e:f:g:h:i:j:k:l
while true; do 
    case "$var" in
        *:*:*:*:*:*:*:*) var=${var%:*} ;;
        *) break ;;
    esac
done
echo "$var"

Ou se permitirmos definir IFS para a duração de read :

$ IFS=: read -a arr <<< "$var"
$ arr=("${arr[@]:0:7}")
$ echo "${arr[@]}"
a b c d e f g
$ printf "%s:%s:%s:%s:%s:%s:%s\n" "${arr[0]}" "${arr[1]}" "${arr[2]}" "${arr[3]}" "${arr[4]}" "${arr[5]}"  "${arr[6]}" 
a:b:c:d:e:f:g
    
por 25.12.2017 / 14:21
0

Em zsh :

$ ip=client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf:x:y:z
$ echo ${(j(:))${"${(@s(:))ip}"[1,7]}}
client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf
  • ${(s(:))var} dividido em :
  • "${(@)...}" : certifique-se de preservar elementos vazios (como em "$@" )
  • ${var[1,7]} elementos de 1 a 7
  • ${(j(:))var} unir elementos em :

Ou você pode fazer:

$ set -o extendedglob
$ echo ${(M)ip##([^:]#:)(#c0,6)[^:]#}
client-ip:server-ip:gw-ip:netmask:hostname:device:autoconf
  • ${var##pattern} , como em ksh, tira a parte principal mais longa que corresponde ao padrão.
  • (M) : expandido para a parte atada M em vez de removê-la
  • x# : 0 ou mais x s (como regexp * )
  • (#c0,6) de 0 a 6 do átomo anterior (como {x,y}(...) do ksh)
por 14.01.2018 / 19:57