Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Execute command multiple times with curly brackets arguments list

When I needed to run a command multiple times with a different argument I used this approach (without understanding it fully):

touch {a,b,c}

Which is equivalent of:

touch a
touch b
touch c

I think the same could be accomplished with the following loop:

for file in {a,b,c}; do touch $file; done

However I've stumbled across a case where this does not work:

pear channel-discover {"pear.phpunit.de","pear.symfony-project.com"}

I have a few questions:

  1. What is the name of what is happening in the first example and what exactly is happening?
  2. Is it better to use this approach for simple things rather than for-in loops?
  3. Why the pear command is not working like that? Should the command script implement some techniques to handle such arguments or is it the shell responsible for that?
like image 591
Haralan Dobrev Avatar asked Dec 20 '12 12:12

Haralan Dobrev


2 Answers

That's called Brace Expansion, which expands to a space-separated list of the given strings.

So touch {a,b,c} would be equivalent to

touch a b c

While touch {a,b,c}x would be equivalent to:

touch ax bx cx

You pear command would essentially be run as:

pear channel-discover pear.phpunit.de pear.symfony-project.com

which may not be what you expected. If you want the command to be run once for each string, use a for loop (which answers your 2nd question), or use a combination of brace expansion and xargs.

like image 184
Shawn Chin Avatar answered Nov 02 '22 17:11

Shawn Chin


The problem is that contrary to your expectation, the brace expansion of

touch {a,b,c}

is equivalent to

touch a b c   # NOT 3 separate invocations.

(Use echo {a,b,c} to verify). It appears that pear channel-discover does not accept two args. You will probably see the same error with

pear channel-discover pear.phpunit.de pear.symfony-project.com
like image 6
Jens Avatar answered Nov 02 '22 18:11

Jens