Command Substitution

You use pipe in cases where the command expects parameters from the standard input. See Input, outputs and arguments - superuser

# Question

How could I pipe the result from a which command to cd? This is what I am trying to do:

which oracle | cd cd < which oracle

which doesn;t work.

# Answer

With cd command that is not the case. The directory is the command argument.

In such case, you can use command substitution. Use backticks or $(...) to evaluate the command, store it into variable:

path=`which oracle` echo $path # just for debug cd $path

although it can be done in a much simpler way:

cd `which oracle`

or

cd $(which oracle)

which is equivalent to backtick notation, but is recommended (backticks can be confused with apostrophes) .. but it looks like you want:

cd $(dirname $(which oracle))

(which shows you that you can use nesting easily) $(...) (as well as backticks) work also in double-quoted strings, which helps when the result may eventually contain spaces.

cd "$(dirname "$(which oracle)")"

# See also

Here we take a discussion a rewrite it as documentation. The original discussion was here - on stackoverflow