Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to pass an array to a bash function

Tags:

arrays

bash

shell

How do I pass an array to a function, and why wouldn't this work? The solutions in other questions didn't work for me. For the record, I don't need to copy the array so I don't mind passing a reference. All I want to do is loop over it.

$ ar=(a b c)
$ function test() { echo ${1[@]}; }
$ echo ${ar[@]}
a b c
$ test $ar
bash: ${1[@]}: bad substitution
$ test ${ar[@]}
bash: ${1[@]}: bad substitution
like image 696
johndir Avatar asked Nov 10 '11 16:11

johndir


2 Answers

#!/bin/bash
ar=( a b c )
test() {
    local ref=$1[@]
    echo ${!ref}
}

test ar
like image 190
ata Avatar answered Oct 19 '22 23:10

ata


I realize this question is almost two years old, but it helped me towards figuring out the actual answer to the original question, which none of the above answers actually do (@ata and @l0b0's answers). The question was "How do I pass an array to a bash function?", while @ata was close to getting it right, his method does not end up with an actual array to use within the function itself. One minor addition is needed.

So, assuming we had anArray=(a b c d) somewhere before calling function do_something_with_array(), this is how we would define the function:

function do_something_with_array {
    local tmp=$1[@]
    local arrArg=(${!tmp})

    echo ${#arrArg[*]}
    echo ${arrArg[3]}
}

Now

do_something_with_array anArray

Would correctly output:

4
d

If there is a possibility some element(s) of your array may contain spaces, you should set IFS to a value other than SPACE, then back after you've copied the function's array arg(s) into local arrays. For example, using the above:

local tmp=$1[@]
prevIFS=$IFS
IFS=,
local arrArg=(${!tmp})
IFS=$prevIFS
like image 20
Gus Shortz Avatar answered Oct 19 '22 23:10

Gus Shortz