34

How to assign the result of

grep -c "some text" /tmp/somePath

into variable so I can echo it.

#!/bin/bash
some_var = grep -c "some text" /tmp/somePath
echo "var value is: ${some_var}"

I also tried:

some_var = 'grep -c \"some text\" /tmp/somePath'

But I keep getting: command not found.

banan3'14
  • 2,836
  • 2
  • 19
  • 41
JavaSheriff
  • 6,447
  • 17
  • 79
  • 143
  • Possible duplicate of [How to set a variable to the output of a command in Bash?](https://stackoverflow.com/questions/4651437/how-to-set-a-variable-to-the-output-of-a-command-in-bash) – codeforester Oct 19 '18 at 23:40

3 Answers3

71

To assign the output of a command, use var=$(cmd) (as shellcheck automatically tells you if you paste your script there).

#!/bin/bash
some_var=$(grep -c "some text" /tmp/somePath)
echo "var value is: ${some_var}"
that other guy
  • 109,738
  • 11
  • 156
  • 185
  • 1
    Thanks, for answer. But how to use input variable in executable part of code? my_var=$(grep "word" $1) - not works – Sonique Dec 03 '15 at 13:49
34


Found the issue
Its the assignment, this will work:

some_var=$(command)


While this won't work:

some_var = $(command)


Thank you for your help! I will accept first helpful answer.

JavaSheriff
  • 6,447
  • 17
  • 79
  • 143
3
some_var=$(grep -c "some text" /tmp/somePath)

From man bash:

   Command substitution allows the output of a command to replace the com‐
   mand name.  There are two forms:

          $(command)
   or
          `command`

   Bash performs the expansion by executing command and replacing the com‐
   mand substitution with the standard output of  the  command,  with  any
   trailing newlines deleted.
Lev Levitsky
  • 59,844
  • 20
  • 139
  • 166