Como passar uma matriz para uma função como um parâmetro real em vez de uma variável global

1

Existe uma maneira de passar um array para uma função como um dos seus parâmetros?

Atualmente tenho

#!/bin/bash
highest_3 () {
  number_under_test=(${array[@]})
  max_of_3=0
  for ((i = 0; i<$((${#number_under_test[@]}-2)); i++ )) { 
    test=$((number_under_test[i] +
      number_under_test[i+1] +
      number_under_test[i+2]))
    if [ $test -gt $max_of_3 ]; then
      max_of_3=$((number_under_test[i]+
        number_under_test[i+1]+
        number_under_test[i+2]))
      result=$((number_under_test[i]))$((number_under_test[i+1]))$((number_under_test[i+2]))
    fi
  } 
}
array=(1 2 3 4 5 6 7 8 7 6 5 4 3 2 1)
highest_3
echo result=$result
array=(1 2 3 4 3 2 1)
highest_3
echo result=$result

que funciona apenas configurando array e usando array , mas existe uma maneira de passar na matriz, por exemplo, (1 2 3 4 5 4 3 2 1) como um parâmetro real em vez de apenas definir uma variável (presumivelmente global)?

Atualização: gostaria de poder passar outros parâmetros além desta matriz

    
por Michael Durrant 08.02.2015 / 14:37

3 respostas

6

Você sempre pode passar a matriz para a função e reconstruí-la como uma matriz dentro da função:

#!/usr/bin/env bash

foo () {
    ## Read the 1st parameter passed into the new array $_array
    _array=( "$1" )
    ## Do something with it.
    echo "Parameters passed were 1: ${_array[@]}, 2: $2 and 3: $3"

}
## define your array
array=(a 2 3 4 5 6 7 8 7 6 5 4 3 2 1)
## define two other variables
var1="foo"
var2="bar"

## Call your function
foo "$(echo ${array[@]})" $var1 $var2

O script acima produz a seguinte saída:

$ a.sh
Parameters passed were 1: a 2 3 4 5 6 7 8 7 6 5 4 3 2 1, 2: foo and 3: bar
    
por 08.02.2015 / 16:30
3

Você pode ler os argumentos dentro da função como uma matriz. E, em seguida, invoque a função com esses argumentos. Algo assim funcionou para mim.

#!/bin/bash

highest_3 () {
number_under_test=("$@")
max_of_3=0
for ((i = 0; i<$((${#number_under_test[@]}-2)); i++ )) { 
 test=$((number_under_test[i] +
  number_under_test[i+1] +
  number_under_test[i+2]))
if [ $test -gt $max_of_3 ]; then
  max_of_3=$((number_under_test[i]+
    number_under_test[i+1]+
    number_under_test[i+2]))
  result=$((number_under_test[i]))$((number_under_test[i+1]))$((number_under_test[i+2]))
fi
} 
echo $result
}

highest_3 1 2 3 4 5 6 7 8 7 6 5 4 3 2 1

# or
array=(1 2 3 4 5 6 7 8 7 6 5 4 3 2 1)
highest_3 "${array[@]}"
    
por 08.02.2015 / 14:53
1

Você pode transmitir apenas strings como argumentos. Mas você poderia passar o nome da matriz:

highest_3 () {
  arrayname="$1"
  test -z "$arrayname" && exit 1
  # this doesn't work but that is the idea: echo "${!arrayname[1]}"
  eval echo '"${'$arrayname'[1]}"'
}
    
por 08.02.2015 / 15:19