Bash – read with history

bashcommand historyreadline

How can I make the builtin read command support history, by pressing the up/down key to cycle through them?

I've tried catching when you press the up key, however it doesn't seem to work with read:

read -p '> ' -n 3 foo
echo
echo -n "$foo" | hexdump

Pressing the arrow keys seems to work and I can detect it using this, however if I press aa, it will fail as it will only read the first character of the identifier of the up-arrow, while the third is needed to distinguish the different arrow keys.

Best Answer

You can use rlwrap for this, if you don't mind installing software.

You'll probably want to keep a separate history file that only maintains history for the particular prompt in your script (ie. avoid mixing with the user's shell command history).

Here's an example that might work for you:

#!/bin/sh
# Save in rlwrap_example.sh

HISTORY=$HOME/.myscript_history
USERINPUT=$(rlwrap -H $HISTORY sh -c 'read REPLY && echo $REPLY')
echo "User said $USERINPUT"

$ ./rlwrap_example.sh
hello
User said hello

In the above script, the user can use all GNU readline functionality, with history served from — and stored in — ~/.myscript_history. Tweak as needed.

Alternatively, you can use bash's read -e, which enables readline for read invocations, but you will probably find its history functionality too limited (ie. almost nonexistent).

Related Question