I'm trying to print -n using the echo command. But if i simply type echo -n, it only issues a newline, not show up -n, instead it issues a newline.
9 Answers
The problem is that echo interprets the -n as an argument. On the default bash implementation, that means (from help echo):
-n do not append a newline
There are various ways of getting around that:
Make it into something that isn't an option by including another character. For example, tell
echonot to print a newline with-n, then tell it to interpret backslash escapes with-eand add the newline explicitly.$ echo -ne '-n\n' -nAlternatively, just include a space
$ echo " -n" -nThat, however, adds a space which you probably don't want.
Use a non-printing character before it. Here. I am using the backspace (
\b)$ echo -e "\b-n" -nThis also adds an extra character you probably don't want.
Use trickery
$ echo n- | rev -nThe
revcommand simply prints its output reversed.Use the right tool for the job
$ printf -- '-n\n' -n
Sometimes it's a good idea to use the right tool. You could use printf instead:
% printf "-n\n"
-n
- 92,125
You can use this command, but it adds an extra space.
echo -e "\r-n"
This is a kind of a hack.
-e enables backslash command symbols.
\r is a carriage return.
Actually any \ valid character will do in any place of the string.
You can see which are valid by help echo.
echo "-n" does not work because -n is used as a parameter for echo.
P.S. The best solution IMHO is
echo -e "-n\c"
It does not add any extra characters.
echo -e "-n\n"
prints the same but with a new line char.
- 92,041
You guys are really overthinking it.
echo -e \\055n
Or with no trailing newline
echo -en \\055n
- 719
- 3
- 9
In Bash script you can run:
echo -n -
echo n
Or in interacive shell:
echo -n - ; echo n
This echoes a - character and an n character.
- 209
To extend @A.B's answer, the only portable way to use echo is to refrain from using any options like -n. Consider use printf instead where available. This reference page provides more details and explains very well when and how echo and printf should be used:
Nowadays, echo(1) is only portable if you omit flags and escape sequences. Use printf(1) instead, if you need more than plain text.
- 1,960
- 14
- 23
Three other ways:
$ echo -e '\x2dn' # ASCII hexadecimal value
-n
$ echo -e '\u002dn' # Unicode code point
-n
$ echo -e '\u2dn' # Unicode code point shortened
-n
- 41,268