128

I have a function that creates an array and I want to return the array to the caller:

create_array() {
  local my_list=("a", "b", "c")
  echo "${my_list[@]}"
}

my_algorithm() {
  local result=$(create_array)
}

With this, I only get an expanded string. How can I "return" my_list without using anything global?

codeforester
  • 39,467
  • 16
  • 112
  • 140
helpermethod
  • 59,493
  • 71
  • 188
  • 276
  • It's not the only problem: While `result=( $(create_array) )` may add array items, it won't work with items containing spaces; that's the real challenge! – U. Windl Nov 18 '22 at 09:03

21 Answers21

113

With Bash version 4.3 and above, you can make use of a nameref so that the caller can pass in the array name and the callee can use a nameref to populate the named array, indirectly.

#!/usr/bin/env bash

create_array() {
    local -n arr=$1             # use nameref for indirection
    arr=(one "two three" four)
}

use_array() {
    local my_array
    create_array my_array       # call function to populate the array
    echo "inside use_array"
    declare -p my_array         # test the array
}

use_array                       # call the main function

Produces the output:

inside use_array
declare -a my_array=([0]="one" [1]="two three" [2]="four")

You could make the function update an existing array as well:

update_array() {
    local -n arr=$1             # use nameref for indirection
    arr+=("two three" four)     # update the array
}

use_array() {
    local my_array=(one)
    update_array my_array       # call function to update the array
}

This is a more elegant and efficient approach since we don't need command substitution $() to grab the standard output of the function being called. It also helps if the function were to return more than one output - we can simply use as many namerefs as the number of outputs.


Here is what the Bash Manual says about nameref:

A variable can be assigned the nameref attribute using the -n option to the declare or local builtin commands (see Bash Builtins) to create a nameref, or a reference to another variable. This allows variables to be manipulated indirectly. Whenever the nameref variable is referenced, assigned to, unset, or has its attributes modified (other than using or changing the nameref attribute itself), the operation is actually performed on the variable specified by the nameref variable’s value. A nameref is commonly used within shell functions to refer to a variable whose name is passed as an argument to the function. For instance, if a variable name is passed to a shell function as its first argument, running

declare -n ref=$1 inside the function creates a nameref variable ref whose value is the variable name passed as the first argument. References and assignments to ref, and changes to its attributes, are treated as references, assignments, and attribute modifications to the variable whose name was passed as $1.

codeforester
  • 39,467
  • 16
  • 112
  • 140
  • 3
    Upvoted. Note that there is a potential for [name collision](https://mywiki.wooledge.org/BashProgramming?highlight=%28nameref%29#Functions). Also, note that the _referenced_ array is _still_ global. – Dennis Williamson Oct 24 '18 at 00:08
  • 1
    You mean `arr` or `my_array`? Both are local to the respective functions and hence invisible outside. – codeforester Oct 24 '18 at 00:29
  • 2
    You're right about the local vars. Sorry, I missed that you were using a function for both. – Dennis Williamson Oct 24 '18 at 11:05
  • Probably, most people will try to do this in order to make variable names outside of their functions independent from those inside. Alas, that [does not work](https://unix.stackexchange.com/questions/302578/circular-name-references-in-bash-shell-function-but-not-in-ksh). – XedinUnknown Nov 26 '22 at 13:14
  • Be aware of https://stackoverflow.com/questions/33775996/circular-name-reference – Kanagavelu Sugumar Mar 08 '23 at 08:50
  • thank you, you learn something new everyday. I will be making use of this extensively. – Mark Mar 12 '23 at 15:19
44

What's wrong with globals?

Returning arrays is really not practical. There are lots of pitfalls.

That said, here's one technique that works if it's OK that the variable have the same name:

$ f () { local a; a=(abc 'def ghi' jkl); declare -p a; }
$ g () { local a; eval $(f); declare -p a; }
$ f; declare -p a; echo; g; declare -p a
declare -a a='([0]="abc" [1]="def ghi" [2]="jkl")'
-bash: declare: a: not found

declare -a a='([0]="abc" [1]="def ghi" [2]="jkl")'
-bash: declare: a: not found

The declare -p commands (except for the one in f() are used to display the state of the array for demonstration purposes. In f() it's used as the mechanism to return the array.

If you need the array to have a different name, you can do something like this:

$ g () { local b r; r=$(f); r="declare -a b=${r#*=}"; eval "$r"; declare -p a; declare -p b; }
$ f; declare -p a; echo; g; declare -p a
declare -a a='([0]="abc" [1]="def ghi" [2]="jkl")'
-bash: declare: a: not found

-bash: declare: a: not found
declare -a b='([0]="abc" [1]="def ghi" [2]="jkl")'
-bash: declare: a: not found
Dennis Williamson
  • 346,391
  • 90
  • 374
  • 439
  • 7
    +1 Good answer, but what are those pitfalls you are mentioning when returning an array? cdarke's answer seems perfectly reasonable. – helpermethod May 15 '12 at 08:03
  • 7
    @OliverWeiler: For example, the technique in cdarke's answer flattens arrays. `f () { local a=($(g)); declare -p a; }; g () { local a=(a 'b c' d); echo "${a[@]}"; }; f` outputs "declare -a a='([0]="a" [1]="b" [2]="c" [3]="d")'". You'll notice that instead of 3 elements, you now have 4. – Dennis Williamson May 15 '12 at 12:56
  • 1
    After much trial and error, I finally understand what Dennis meant in his comment by "cdarke's answer flattens arrays". The `"${array[@]}"` syntax _will_ quote array items appropriately --- but `echo` doesn't print unescaped quotes. So, any solution that uses `echo` will only work properly if no array items contain spaces. I abstracted Dennis' example and made it slightly more robust to get a [practical, reusable implementation](http://stackoverflow.com/a/15982208/445295). – Stephen M. Harris Apr 12 '13 at 23:09
  • Alternate method of using a different variable name: `f () { local __resultvar=$1; local _local_; _local_=(abc def); declare -p _local_ | sed "s/_local_/$__resultvar/"; }` – bpedman Jul 25 '13 at 22:19
  • Since bash doesn't support anything more advanced like struct-s or even object returning an array of a set of items that belong together is the only decent solution that comes to my mind (correct me if I'm wrong). Imagine you want to have a function create_person which has to return a data structure containing the person's name address. How else will you do that in bash? – rbaleksandar Jun 07 '15 at 21:05
  • Note that [Steve Zobell's answer](http://stackoverflow.com/a/16843375/915044) does this without globals or name dependencies or flattening. – TomRoche Sep 14 '16 at 02:57
  • @TomRoche: The function in that answer doesn't work if the input contains a newline in and element since it depends on newlines separating the elements. What is flattening if it's not converting an array to a string? – Dennis Williamson Sep 14 '16 at 17:55
  • I like this approach, but it does not work if the values contain newline characters. :-( – Vampire Feb 24 '17 at 00:23
  • 2
    See [this](https://stackoverflow.com/a/49971213/6862601) solution that uses namedrefs and no globals. Need Bash version 4.3 or above. – codeforester Oct 23 '18 at 23:28
  • 1
    Agree with [@codeforester's solution](https://stackoverflow.com/questions/10582763/how-to-return-an-array-in-bash-without-using-globals/49971213#49971213). If you're going to go through the effort of fancy `declare` logic, you might as well do it in a way that's less verbose/more user friendly. – yuyu5 Jul 18 '21 at 05:35
19

Bash can't pass around data structures as return values. A return value must be a numeric exit status between 0-255. However, you can certainly use command or process substitution to pass commands to an eval statement if you're so inclined.

This is rarely worth the trouble, IMHO. If you must pass data structures around in Bash, use a global variable--that's what they're for. If you don't want to do that for some reason, though, think in terms of positional parameters.

Your example could easily be rewritten to use positional parameters instead of global variables:

use_array () {
    for idx in "$@"; do
        echo "$idx"
    done
}

create_array () {
    local array=("a" "b" "c")
    use_array "${array[@]}"
}

This all creates a certain amount of unnecessary complexity, though. Bash functions generally work best when you treat them more like procedures with side effects, and call them in sequence.

# Gather values and store them in FOO.
get_values_for_array () { :; }

# Do something with the values in FOO.
process_global_array_variable () { :; }

# Call your functions.
get_values_for_array
process_global_array_variable

If all you're worried about is polluting your global namespace, you can also use the unset builtin to remove a global variable after you're done with it. Using your original example, let my_list be global (by removing the local keyword) and add unset my_list to the end of my_algorithm to clean up after yourself.

Todd A. Jacobs
  • 81,402
  • 15
  • 141
  • 199
  • 2
    Your first structure works only if the producer (`create_array`) can _call_ the consumer (`use_array`), not the other way round. – musiphil Jul 30 '15 at 18:21
15

You were not so far out with your original solution. You had a couple of problems, you used a comma as a separator, and you failed to capture the returned items into a list, try this:

my_algorithm() {
  local result=( $(create_array) )
}

create_array() {
  local my_list=("a" "b" "c")  
  echo "${my_list[@]}" 
}

Considering the comments about embedded spaces, a few tweaks using IFS can solve that:

my_algorithm() {
  oldIFS="$IFS"
  IFS=','
  local result=( $(create_array) )
  IFS="$oldIFS"
  echo "Should be 'c d': ${result[1]}"
}

create_array() {
  IFS=','
  local my_list=("a b" "c d" "e f") 
  echo "${my_list[*]}" 
}
cdarke
  • 42,728
  • 8
  • 80
  • 84
  • 4
    This does not return an array, it returns a string using space as a separator. This solution incorrectly handles spaces within array elements, so it cannot be used to handle e.g. an array of paths. – Andrey Tarantsov Feb 17 '13 at 08:00
  • 4
    @AndreyTarantsov: `create_array` will echo a list, since I used `[@]`, if I had used `[*]` then it would have been a single string (it can't return anything except a number between 0-255). Within `my_algorithm` the array is created by enclosing the function call in parentheses. So in `my_algorithm` the variable `result` is an array. I take the point about embedded spaces within values, those always cause issues. – cdarke Jul 24 '15 at 12:38
  • This works fine, I recommend to move the oldIFS to a global outside and create a global for the arrayIFS set preferably to a non-printable. E.g. `arrayIFS=$'\001'`. –  Jan 29 '16 at 09:44
12

Use the technique developed by Matt McClure: http://notes-matthewlmcclure.blogspot.com/2009/12/return-array-from-bash-function-v-2.html

Avoiding global variables means you can use the function in a pipe. Here is an example:

#!/bin/bash

makeJunk()
{
   echo 'this is junk'
   echo '#more junk and "b@d" characters!'
   echo '!#$^%^&(*)_^&% ^$#@:"<>?/.,\\"'"'"
}

processJunk()
{
    local -a arr=()    
    # read each input and add it to arr
    while read -r line
    do 
       arr+=('"'"$line"'" is junk') 
    done;

    # output the array as a string in the "declare" representation
    declare -p arr | sed -e 's/^declare -a [^=]*=//'
}

# processJunk returns the array in a flattened string ready for "declare"
# Note that because of the pipe processJunk cannot return anything using
# a global variable
returned_string="$(makeJunk | processJunk)"

# convert the returned string to an array named returned_array
# declare correctly manages spaces and bad characters
eval "declare -a returned_array=${returned_string}"

for junk in "${returned_array[@]}"
do
   echo "$junk"
done

Output is:

"this is junk" is junk
"#more junk and "b@d" characters!" is junk
"!#$^%^&(*)_^&% ^$#@:"<>?/.,\\"'" is junk
Steve Zobell
  • 896
  • 10
  • 13
  • 2
    Use `arr+=("value")` instead of indexing with `${#arr[@]}`. See [this](http://stackoverflow.com/a/1952025/26428) for the reason. Backticks are deprecated, they're hard to read and hard to nest. Use `$()` instead. Your function doesn't work if a string in `makeJunk` contains a newline. – Dennis Williamson Sep 14 '16 at 17:53
  • [My variation](https://stackoverflow.com/a/39502863/915044) (below) *does* work with multiline strings. – TomRoche Jun 18 '19 at 23:44
  • Fixed suggested improvements. Thanks – Steve Zobell May 23 '20 at 21:14
11

A pure bash, minimal and robust solution based on the 'declare -p' builtin — without insane global variables

This approach involves the following three steps:

  1. Convert the array with 'declare -p' and save the output in a variable.
    myVar="$( declare -p myArray )"
    The output of the declare -p statement can be used to recreate the array. For instance the output of declare -p myVar might look like this:
    declare -a myVar='([0]="1st field" [1]="2nd field" [2]="3rd field")'
  2. Use the echo builtin to pass the variable to a function or to pass it back from there.
    • In order to preserve whitspaces in array fields when echoing the variable, IFS is temporarly set to a control character (e.g. a vertical tab).
    • Only the right-hand-side of the declare statement in the variable is to be echoed - this can be achieved by parameter expansion of the form ${parameter#word}. As for the example above: ${myVar#*=}
  3. Finally, recreate the array where it is passed to using the eval and the 'declare -a' builtins.

Example 1 - return an array from a function

#!/bin/bash

# Example 1 - return an array from a function

function my-fun () {
 # set up a new array with 3 fields - note the whitespaces in the
 # 2nd (2 spaces) and 3rd (2 tabs) field
 local myFunArray=( "1st field" "2nd  field" "3rd       field" )

 # show its contents on stderr (must not be output to stdout!)
 echo "now in $FUNCNAME () - showing contents of myFunArray" >&2
 echo "by the help of the 'declare -p' builtin:" >&2
 declare -p myFunArray >&2

 # return the array
 local myVar="$( declare -p myFunArray )"
 local IFS=$'\v';
 echo "${myVar#*=}"

 # if the function would continue at this point, then IFS should be
 # restored to its default value: <space><tab><newline>
 IFS=' '$'\t'$'\n';
}

# main

# call the function and recreate the array that was originally
# set up in the function
eval declare -a myMainArray="$( my-fun )"

# show the array contents
echo ""
echo "now in main part of the script - showing contents of myMainArray"
echo "by the help of the 'declare -p' builtin:"
declare -p myMainArray

# end-of-file

Output of Example 1:

now in my-fun () - showing contents of myFunArray
by the help of the 'declare -p' builtin:
declare -a myFunArray='([0]="1st field" [1]="2nd  field" [2]="3rd       field")'

now in main part of the script - showing contents of myMainArray
by the help of the 'declare -p' builtin:
declare -a myMainArray='([0]="1st field" [1]="2nd  field" [2]="3rd      field")'

Example 2 - pass an array to a function

#!/bin/bash

# Example 2 - pass an array to a function

function my-fun () {
 # recreate the array that was originally set up in the main part of
 # the script
 eval declare -a myFunArray="$( echo "$1" )"

 # note that myFunArray is local - from the bash(1) man page: when used
 # in a function, declare makes each name local, as with the local
 # command, unless the ‘-g’ option is used.

 # IFS has been changed in the main part of this script - now that we
 # have recreated the array it's better to restore it to the its (local)
 # default value: <space><tab><newline>
 local IFS=' '$'\t'$'\n';

 # show contents of the array
 echo ""
 echo "now in $FUNCNAME () - showing contents of myFunArray"
 echo "by the help of the 'declare -p' builtin:"
 declare -p myFunArray
}

# main

# set up a new array with 3 fields - note the whitespaces in the
# 2nd (2 spaces) and 3rd (2 tabs) field
myMainArray=( "1st field" "2nd  field" "3rd     field" )

# show the array contents
echo "now in the main part of the script - showing contents of myMainArray"
echo "by the help of the 'declare -p' builtin:"
declare -p myMainArray

# call the function and pass the array to it
myVar="$( declare -p myMainArray )"
IFS=$'\v';
my-fun $( echo "${myVar#*=}" )

# if the script would continue at this point, then IFS should be restored
# to its default value: <space><tab><newline>
IFS=' '$'\t'$'\n';

# end-of-file

Output of Example 2:

now in the main part of the script - showing contents of myMainArray
by the help of the 'declare -p' builtin:
declare -a myMainArray='([0]="1st field" [1]="2nd  field" [2]="3rd      field")'

now in my-fun () - showing contents of myFunArray
by the help of the 'declare -p' builtin:
declare -a myFunArray='([0]="1st field" [1]="2nd  field" [2]="3rd       field")'
F.M.
  • 321
  • 3
  • 4
  • In example 2, I think we should prefer the use of positional parameters when possible. – mcoolive Aug 16 '17 at 15:18
  • I really like this approach--it's elegant, given bash limitations. However, re Example 1, does changing IFS _really_ have any effect? Everything is double-quoted, so I can't see how it can help. When I set IFS=$'\n' and emit an array of strings containing linefeeds, everything comes out fine. Am I missing an edge case here, perhaps? – bland328 May 05 '20 at 19:17
  • Please don't promote expensive shell forking. – konsolebox Jan 30 '23 at 19:54
4

Useful example: return an array from function

function Query() {
  local _tmp=`echo -n "$*" | mysql 2>> zz.err`;
  echo -e "$_tmp";
}

function StrToArray() {
  IFS=$'\t'; set $1; for item; do echo $item; done; IFS=$oIFS;
}

sql="SELECT codi, bloc, requisit FROM requisits ORDER BY codi";
qry=$(Query $sql0);
IFS=$'\n';
for row in $qry; do
  r=( $(StrToArray $row) );
  echo ${r[0]} - ${r[1]} - ${r[2]};
done
Community
  • 1
  • 1
Rafael
  • 41
  • 1
4

I recently discovered a quirk in BASH in that a function has direct access to the variables declared in the functions higher in the call stack. I've only just started to contemplate how to exploit this feature (it promises both benefits and dangers), but one obvious application is a solution to the spirit of this problem.

I would also prefer to get a return value rather than using a global variable when delegating the creation of an array. There are several reasons for my preference, among which are to avoid possibly disturbing an preexisting value and to avoid leaving a value that may be invalid when later accessed. While there are workarounds to these problems, the easiest is have the variable go out of scope when the code is finished with it.

My solution ensures that the array is available when needed and discarded when the function returns, and leaves undisturbed a global variable with the same name.

#!/bin/bash

myarr=(global array elements)

get_an_array()
{
   myarr=( $( date +"%Y %m %d" ) )
}

request_array()
{
   declare -a myarr
   get_an_array "myarr"
   echo "New contents of local variable myarr:"
   printf "%s\n" "${myarr[@]}"
}

echo "Original contents of global variable myarr:"
printf "%s\n" "${myarr[@]}"
echo

request_array 

echo
echo "Confirm the global myarr was not touched:"
printf "%s\n" "${myarr[@]}"

Here is the output of this code: program output

When function request_array calls get_an_array, get_an_array can directly set the myarr variable that is local to request_array. Since myarr is created with declare, it is local to request_array and thus goes out of scope when request_array returns.

Although this solution does not literally return a value, I suggest that taken as a whole, it satisfies the promises of a true function return value.

chuckj
  • 135
  • 1
  • 12
3

I tried various implementations, and none preserved arrays that had elements with spaces ... because they all had to use echo.

# These implementations only work if no array items contain spaces.
use_array() {  eval echo  '(' \"\${${1}\[\@\]}\" ')';  }
use_array() {  local _array="${1}[@]"; echo '(' "${!_array}" ')';  }

Solution

Then I came across Dennis Williamson's answer. I incorporated his method into the following functions so they can a) accept an arbitrary array and b) be used to pass, duplicate and append arrays.

# Print array definition to use with assignments, for loops, etc.
#   varname: the name of an array variable.
use_array() {
    local r=$( declare -p $1 )
    r=${r#declare\ -a\ *=}
    # Strip keys so printed definition will be a simple list (like when using
    # "${array[@]}").  One side effect of having keys in the definition is 
    # that when appending arrays (i.e. `a1+=$( use_array a2 )`), values at
    # matching indices merge instead of pushing all items onto array.
    echo ${r//\[[0-9]\]=}
}
# Same as use_array() but preserves keys.
use_array_assoc() {
    local r=$( declare -p $1 )
    echo ${r#declare\ -a\ *=}
}  

Then, other functions can return an array using catchable output or indirect arguments.

# catchable output
return_array_by_printing() {
    local returnme=( "one" "two" "two and a half" )
    use_array returnme
}
eval test1=$( return_array_by_printing )

# indirect argument
return_array_to_referenced_variable() {
    local returnme=( "one" "two" "two and a half" )
    eval $1=$( use_array returnme )
}
return_array_to_referenced_variable test2

# Now both test1 and test2 are arrays with three elements
Community
  • 1
  • 1
Stephen M. Harris
  • 7,163
  • 3
  • 38
  • 44
  • If you want to avoid using the external `sed`, you can probably use Bash's regex match operator `=~` and `${BASH_REMATCH}` in its place. – Dennis Williamson Apr 13 '13 at 11:29
  • @DennisWilliamson I'm not aware of any way to do a global replace using `=~` and `${BASH_REMATCH}`. But the match pattern is simple enough that regex is not even needed; I updated the function to use variable substitution instead of `sed`. – Stephen M. Harris Apr 16 '13 at 16:03
  • I could not get this code to reproduce the arrays. I copied all the code and added this at the end: echo "${test1[0]}". The answer is ("one" "two" "two and a half"). Everything is in the zeroth element and index 1 and 2 are empty. The same results for test2. – Steve Zobell Sep 09 '13 at 19:01
  • The variable substitution `${r//\[[0-9]\]=}` will not work with arrays that have more than 9 elements (it will not replace [10]=). You can enable extglob and use `${r//\[+([0-9])\]=}` instead. – kounoupis Oct 02 '20 at 15:28
  • This has strange side-effects for array elements with multiple consecutive spaces. Try: ```B=(" a " "" " " "b" " c " " d ") eval A=$(use_array B)``` – kounoupis Oct 02 '20 at 15:44
3

[Note: the following was rejected as an edit of this answer for reasons that make no sense to me (since the edit was not intended to address the author of the post!), so I'm taking the suggestion to make it a separate answer.]

A simpler implementation of Steve Zobell's adaptation of Matt McClure's technique uses the bash built-in (since version == 4) readarray as suggested by RastaMatt to create a representation of an array that can be converted into an array at runtime. (Note that both readarray and mapfile name the same code.) It still avoids globals (allowing use of the function in a pipe), and still handles nasty characters.

For some more-fully-developed (e.g., more modularization) but still-kinda-toy examples, see bash_pass_arrays_between_functions. Following are a few easily-executable examples, provided here to avoid moderators b!tching about external links.

Cut the following block and paste it into a bash terminal to create /tmp/source.sh and /tmp/junk1.sh:

FP='/tmp/source.sh'     # path to file to be created for `source`ing
cat << 'EOF' > "${FP}"  # suppress interpretation of variables in heredoc
function make_junk {
   echo 'this is junk'
   echo '#more junk and "b@d" characters!'
   echo '!#$^%^&(*)_^&% ^$#@:"<>?/.,\\"'"'"
}

### Use 'readarray' (aka 'mapfile', bash built-in) to read lines into an array.
### Handles blank lines, whitespace and even nastier characters.
function lines_to_array_representation {
    local -a arr=()
    readarray -t arr
    # output array as string using 'declare's representation (minus header)
    declare -p arr | sed -e 's/^declare -a [^=]*=//'
}
EOF

FP1='/tmp/junk1.sh'      # path to script to run
cat << 'EOF' > "${FP1}"  # suppress interpretation of variables in heredoc
#!/usr/bin/env bash

source '/tmp/source.sh'  # to reuse its functions

returned_string="$(make_junk | lines_to_array_representation)"
eval "declare -a returned_array=${returned_string}"
for elem in "${returned_array[@]}" ; do
    echo "${elem}"
done
EOF
chmod u+x "${FP1}"
# newline here ... just hit Enter ...

Run /tmp/junk1.sh: output should be

this is junk
#more junk and "b@d" characters!
!#$^%^&(*)_^&% ^$#@:"<>?/.,\\"'

Note lines_to_array_representation also handles blank lines. Try pasting the following block into your bash terminal:

FP2='/tmp/junk2.sh'      # path to script to run
cat << 'EOF' > "${FP2}"  # suppress interpretation of variables in heredoc
#!/usr/bin/env bash

source '/tmp/source.sh'  # to reuse its functions

echo '`bash --version` the normal way:'
echo '--------------------------------'
bash --version
echo # newline

echo '`bash --version` via `lines_to_array_representation`:'
echo '-----------------------------------------------------'
bash_version="$(bash --version | lines_to_array_representation)"
eval "declare -a returned_array=${bash_version}"
for elem in "${returned_array[@]}" ; do
    echo "${elem}"
done
echo # newline

echo 'But are they *really* the same? Ask `diff`:'
echo '-------------------------------------------'

echo 'You already know how to capture normal output (from `bash --version`):'
declare -r PATH_TO_NORMAL_OUTPUT="$(mktemp)"
bash --version > "${PATH_TO_NORMAL_OUTPUT}"
echo "normal output captured to file @ ${PATH_TO_NORMAL_OUTPUT}"
ls -al "${PATH_TO_NORMAL_OUTPUT}"
echo # newline

echo 'Capturing L2AR takes a bit more work, but is not onerous.'
echo "Look @ contents of the file you're about to run to see how it's done."

declare -r RAW_L2AR_OUTPUT="$(bash --version | lines_to_array_representation)"
declare -r PATH_TO_COOKED_L2AR_OUTPUT="$(mktemp)"
eval "declare -a returned_array=${RAW_L2AR_OUTPUT}"
for elem in "${returned_array[@]}" ; do
    echo "${elem}" >> "${PATH_TO_COOKED_L2AR_OUTPUT}"
done
echo "output from lines_to_array_representation captured to file @ ${PATH_TO_COOKED_L2AR_OUTPUT}"
ls -al "${PATH_TO_COOKED_L2AR_OUTPUT}"
echo # newline

echo 'So are they really the same? Per'
echo "\`diff -uwB "${PATH_TO_NORMAL_OUTPUT}" "${PATH_TO_COOKED_L2AR_OUTPUT}" | wc -l\`"
diff -uwB "${PATH_TO_NORMAL_OUTPUT}" "${PATH_TO_COOKED_L2AR_OUTPUT}" | wc -l
echo '... they are the same!'
EOF
chmod u+x "${FP2}"
# newline here ... just hit Enter ...

Run /tmp/junk2.sh @ commandline. Your output should be similar to mine:

`bash --version` the normal way:
--------------------------------
GNU bash, version 4.3.30(1)-release (x86_64-pc-linux-gnu)
Copyright (C) 2013 Free Software Foundation, Inc.
License GPLv3+: GNU GPL version 3 or later <http://gnu.org/licenses/gpl.html>

This is free software; you are free to change and redistribute it.
There is NO WARRANTY, to the extent permitted by law.

`bash --version` via `lines_to_array_representation`:
-----------------------------------------------------
GNU bash, version 4.3.30(1)-release (x86_64-pc-linux-gnu)
Copyright (C) 2013 Free Software Foundation, Inc.
License GPLv3+: GNU GPL version 3 or later <http://gnu.org/licenses/gpl.html>

This is free software; you are free to change and redistribute it.
There is NO WARRANTY, to the extent permitted by law.

But are they *really* the same? Ask `diff`:
-------------------------------------------
You already know how to capture normal output (from `bash --version`):
normal output captured to file @ /tmp/tmp.Ni1bgyPPEw
-rw------- 1 me me 308 Jun 18 16:27 /tmp/tmp.Ni1bgyPPEw

Capturing L2AR takes a bit more work, but is not onerous.
Look @ contents of the file you're about to run to see how it's done.
output from lines_to_array_representation captured to file @ /tmp/tmp.1D6O2vckGz
-rw------- 1 me me 308 Jun 18 16:27 /tmp/tmp.1D6O2vckGz

So are they really the same? Per
`diff -uwB /tmp/tmp.Ni1bgyPPEw /tmp/tmp.1D6O2vckGz | wc -l`
0
... they are the same!
TomRoche
  • 1,464
  • 1
  • 16
  • 25
3

I needed a similar functionality recently, so the following is a mix of the suggestions made by RashaMatt and Steve Zobell.

  1. echo each array/list element as separate line from within a function
  2. use mapfile to read all array/list elements echoed by a function.

As far as I can see, strings are kept intact and whitespaces are preserved.

#!bin/bash

function create-array() {
  local somearray=("aaa" "bbb ccc" "d" "e f g h")
  for elem in "${somearray[@]}"
  do
    echo "${elem}"
  done
}

mapfile -t resa <<< "$(create-array)"

# quick output check
declare -p resa

Some more variations…

#!/bin/bash

function create-array-from-ls() {
  local somearray=("$(ls -1)")
  for elem in "${somearray[@]}"
  do
    echo "${elem}"
  done
}

function create-array-from-args() {
  local somearray=("$@")
  for elem in "${somearray[@]}"
  do
    echo "${elem}"
  done
}


mapfile -t resb <<< "$(create-array-from-ls)"
mapfile -t resc <<< "$(create-array-from-args 'xxx' 'yy zz' 't s u' )"

sentenceA="create array from this sentence"
sentenceB="keep this sentence"

mapfile -t resd <<< "$(create-array-from-args ${sentenceA} )"
mapfile -t rese <<< "$(create-array-from-args "$sentenceB" )"
mapfile -t resf <<< "$(create-array-from-args "$sentenceB" "and" "this words" )"

# quick output check
declare -p resb
declare -p resc
declare -p resd
declare -p rese
declare -p resf
RamenChef
  • 5,557
  • 11
  • 31
  • 43
compota
  • 31
  • 1
3

Here is a solution with no external array references and no IFS manipulation:

# add one level of single quotes to args, eval to remove
squote () {
    local a=("$@")
    a=("${a[@]//\'/\'\\\'\'}")   # "'" => "'\''"
    a=("${a[@]/#/\'}")           # add "'" prefix to each word
    a=("${a[@]/%/\'}")           # add "'" suffix to each word
    echo "${a[@]}"
}

create_array () {
    local my_list=(a "b 'c'" "\\\"d
")
    squote "${my_list[@]}"
}

my_algorithm () {
    eval "local result=($(create_array))"
    # result=([0]="a" [1]="b 'c'" [2]=$'\\"d\n')
}
Matei David
  • 2,322
  • 3
  • 23
  • 36
3

There's no need to use eval or to change IFS to \n. There are at least 2 good ways to do this.

1) Using echo and mapfile

You can simply echo each item of the array in the function, then use mapfile to turn it into an array:

outputArray()
{
    for i
    {
        echo "$i"
    }
}

declare -a arr=( 'qq' 'www' 'ee rr' )
mapfile -t array < <(outputArray "${arr[@]}")
for i in "${array[@]}"
do
   echo "i=$i"
done

To make it work using pipes, add (( $# == 0 )) && readarray -t temp && set "${temp[@]}" && unset temp to the top of output array. It converts stdin to parameters.

2) Using declare -p and sed

This can also be done using declare -p and sed instead of mapfile.

outputArray()
{
    (( $# == 0 )) && readarray -t temp && set "${temp[@]}" && unset temp
    for i; { echo "$i"; }
}

returnArray()
{
    local -a arr=()
    (( $# == 0 )) && readarray -t arr || for i; { arr+=("$i"); }
    declare -p arr | sed -e 's/^declare -a [^=]*=//'
}

declare -a arr=( 'qq' 'www' 'ee rr' )

declare -a array=$(returnArray "${arr[@]}")
for i in "${array[@]}"
do
   echo "i=$i"
done

declare -a array=$(outputArray "${arr[@]}" | returnArray)
echo
for i in "${array[@]}"
do
    echo "i=$i"
done

declare -a array < <(outputArray "${arr[@]}" | returnArray)
echo
for i in "${array[@]}"
do
   echo "i=$i"
done
Dan Bray
  • 7,242
  • 3
  • 52
  • 70
  • **Caveat:** the `mapfile` (alias: `readarray`) function requires bash v4 i.e. not available in macOS unless your (`brew`-) install it yourself. – conny Sep 03 '21 at 06:02
  • From [ss64](https://ss64.com/bash/mapfile.html): _"mapfile can't do anything that couldn't be done using read and a loop. A read loop is far more portable but is significantly slower than mapfile."_ – conny Sep 03 '21 at 06:03
  • Bash 3 shim: https://stackoverflow.com/questions/41475261/need-alternative-to-readarray-mapfile-for-script-on-older-version-of-bash – conny Sep 03 '21 at 06:04
  • For method 1, in order to correctly handle line breaks in array elements, use `printf '%s\0' "$@"` in `outputArray` and add 'mapfile` argument `-d ''`. – user686249 Feb 13 '23 at 11:55
2

This can also be done by simply passing array variable to the function and assign array values to this var then use this var outside of function. For example.

create_array() {
  local  __resultArgArray=$1
  local my_list=("a" "b" "c")
  eval $__resultArgArray="("${my_list[@]}")"
}

my_algorithm() {
  create_array result
  echo "Total elements in the array: ${#result[@]}"
  for i in "${result[@]}"
  do
    echo $i
  done
}

my_algorithm
MNA
  • 301
  • 3
  • 4
  • FYI While this is great for compatibility with Bash < 4.3 since it doesn't support [namerefs](https://www.gnu.org/savannah-checkouts/gnu/bash/manual/bash.html#Shell-Parameters) (i.e. `declare -n __resultArgArray="$1"`), you're solution is missing support for array entries with spaces in them due do your `eval` line only having quotes around the parentheses. This can be fixed by simply changing that line from `eval $__resultArgArray="("${my_list[@]}")"` to `eval $__resultArgArray='("${my_list[@]}")'` – yuyu5 Jul 18 '21 at 05:59
2

You can also use the declare -p method more easily by taking advantage of declare -a's double-evaluation when the value is a string (no true parens outside the string):

# return_array_value returns the value of array whose name is passed in.
#   It turns the array into a declaration statement, then echos the value
#   part of that statement with parentheses intact.  You can use that
#   result in a "declare -a" statement to create your own array with the
#   same value.  Also works for associative arrays with "declare -A".
return_array_value () {
  declare Array_name=$1  # namespace locals with caps to prevent name collision
  declare Result

  Result=$(declare -p $Array_name)  # dehydrate the array into a declaration
  echo "${Result#*=}"               # trim "declare -a ...=" from the front
}

# now use it.  test for robustness by skipping an index and putting a
# space in an entry.
declare -a src=([0]=one [2]="two three")
declare -a dst="$(return_array_value src)"    # rehydrate with double-eval

declare -p dst
> declare -a dst=([0]="one" [2]="two three")  # result matches original

Verifying the result, declare -p dst yields declare -a dst=([0]="one" [2]="two three")", demonstrating that this method correctly deals with both sparse arrays as well as entries with an IFS character (space).

The first thing is to dehydrate the source array by using declare -p to generate a valid bash declaration of it. Because the declaration is a full statement, including "declare" and the variable name, we strip that part from the front with ${Result#*=}, leaving the parentheses with the indices and values inside: ([0]="one" [2]="two three").

It then rehydrates the array by feeding that value to your own declare statement, one where you choose the array name. It relies on the fact that the right side of the dst array declaration is a string with parentheses that are inside the string, rather than true parentheses in the declare itself, e.g. not declare -a dst=( "true parens outside string" ). This triggers declare to evaluate the string twice, once into a valid statement with parentheses (and quotes in the value preserved), and another for the actual assignment. I.e. it evaluates first to declare -a dst=([0]="one" [2]="two three"), then evaluates that as a statement.

Note that this double evaluation behavior is specific to the -a and -A options of declare.

Oh, and this method works with associative arrays as well, just change -a to -A.

Because this method relies on stdout, it works across subshell boundaries like pipelines, as others have noted.

I discuss this method in more detail in my blog post

Binary Phile
  • 2,538
  • 16
  • 16
1

A modern Bash implementation using @Q to safely output array elements:

#!/usr/bin/env bash

return_array_elements() {
  local -a foo_array=('1st one' '2nd two' '3rd three')
  printf '%s\n' "${foo_array[@]@Q}"
}

use_array_elements() {
  local -a bar_array="($(return_array_elements))"
  # Display declareation of bar_array 
  # which is local to this function, but whose elements
  # hahaves been returned by the return_array_elements function
  declare -p bar_array
}

use_array_elements

Output:

declare -a bar_array=([0]="1st one" [1]="2nd two" [2]="3rd three")
Léa Gris
  • 17,497
  • 4
  • 32
  • 41
0

If your source data is formatted with each list element on a separate line, then the mapfile builtin is a simple and elegant way to read a list into an array:

$ list=$(ls -1 /usr/local)           # one item per line

$ mapfile -t arrayVar <<<"$list"     # -t trims trailing newlines

$ declare -p arrayVar | sed 's#\[#\n[#g'
declare -a arrayVar='(
[0]="bin"
[1]="etc"
[2]="games"
[3]="include"
[4]="lib"
[5]="man"
[6]="sbin"
[7]="share"
[8]="src")'

Note that, as with the read builtin, you would not ordinarily* use mapfile in a pipeline (or subshell) because the assigned array variable would be unavailable to subsequent statements (* unless bash job control is disabled and shopt -s lastpipe is set).

$ help mapfile
mapfile: mapfile [-n count] [-O origin] [-s count] [-t] [-u fd] [-C callback] [-c quantum] [array]
    Read lines from the standard input into an indexed array variable.

    Read lines from the standard input into the indexed array variable ARRAY, or
    from file descriptor FD if the -u option is supplied.  The variable MAPFILE
    is the default ARRAY.

    Options:
      -n count  Copy at most COUNT lines.  If COUNT is 0, all lines are copied.
      -O origin Begin assigning to ARRAY at index ORIGIN.  The default index is 0.
      -s count  Discard the first COUNT lines read.
      -t                Remove a trailing newline from each line read.
      -u fd             Read lines from file descriptor FD instead of the standard input.
      -C callback       Evaluate CALLBACK each time QUANTUM lines are read.
      -c quantum        Specify the number of lines read between each call to CALLBACK.

    Arguments:
      ARRAY             Array variable name to use for file data.

    If -C is supplied without -c, the default quantum is 5000.  When
    CALLBACK is evaluated, it is supplied the index of the next array
    element to be assigned and the line to be assigned to that element
    as additional arguments.

    If not supplied with an explicit origin, mapfile will clear ARRAY before
    assigning to it.

    Exit Status:
    Returns success unless an invalid option is given or ARRAY is readonly or
    not an indexed array.
RashaMatt
  • 247
  • 1
  • 3
  • 11
  • This is a very nicely done answer ... to a different question. Unfortunately this question explicitly asks 'How to **return** an array' (emph added) not 'how to read a list into an array'. Perhaps there's another question which this actually answers? – TomRoche Sep 14 '16 at 01:33
0

You can try this

my_algorithm() {
  create_array list
  for element in "${list[@]}"
  do
    echo "${element}"
  done
}

create_array() {
  local my_list=("1st one" "2nd two" "3rd three")

  eval "${1}=()"
  for element in "${my_list[@]}"
  do
    eval "${1}+=(\"${element}\")"
  done
}

my_algorithm

The output is

1st one
2nd two
3rd three
Aludirk
  • 11
0

I'd suggest piping to a code block to set values of an array. The strategy is POSIX compatible, so you get both Bash and Zsh, and doesn't run the risk of side effects like the posted solutions.

i=0                   # index for our new array
declare -a arr        # our new array

# pipe from a function that produces output by line
ls -l | { while read data; do i=$i+1; arr[$i]="$data"; done }

# example of reading that new array
for row in "${arr[@]}"; do echo "$row"; done

This will work for zsh and bash, and won't be affected by spaces or special characters. In the case of the OP, the output is transformed by echo, so it is not actually outputting an array, but printing it (as others mentioned shell functions return status not values). We can change it to a pipeline ready mechanism:

create_array() {
  local my_list=("a", "b", "c")
  for row in "${my_list[@]}"; do
    echo "$row"
  done
}

my_algorithm() {
  i=0
  declare -a result
  create_array | { while read data; do i=$i+1; result[$i]="$data"; done }
}

If so inclined, one could remove the create_array pipeline process from my_algorithm and chain the two functions together

create_array | my_algorithm
vee_ess
  • 699
  • 5
  • 14
0

The correct way is to properly quote using @Q, and to undo the quoting with eval.

So, let's create a simple function to surround each of its arguments with [ and ]:

bracket-args() {
    local -a result=( "${@/#/[}" ) # Prepend '['
    result=( "${result[@]/%/]}" ) # Append ']'
    echo "${result[@]@Q}" # Properly quote
}

The only way to properly remove the quoting applied by @Q in all cases is to read it back using eval:

trickyargs=( a ' b ' '  c  c  ' \* ) # * always a goody
eval "bracketed=( $(bracket-args "${trickyargs[@]}") )"
declare -p bracketed

giving

declare -a bracketed=([0]="[a]" [1]="[ b ]" [2]="[  c  c  ]" [3]="[*]")

Convinced?

bobbogo
  • 14,989
  • 3
  • 48
  • 57
-1

While the declare -p approach is elegant indeed, you can still create a global array using declare -g within a function and have it visible outside the scope of the function:

create_array() {
  declare -ag result=("a", "b", "c")
}

my_algorithm() {
  create_array
  echo "${result[@]}"
}
Bass
  • 4,977
  • 2
  • 36
  • 82