我有以下功能:
function pause #for prompted pause until ENTER
{
prompt="$3"
echo -e -n "\E[36m$3" #color output text cyan
echo -e -n '\E[0m' #ends colored output
read -p "$*" #read keys from user until ENTER.
clear
}
pause "Press enter to continue..."
但是,我的函数拒绝将青色应用于我传入函数的字符串。
类似的问题被问到here,但似乎我正在做的一切......
答案 0 :(得分:24)
试试这个:
RESTORE='\033[0m'
RED='\033[00;31m'
GREEN='\033[00;32m'
YELLOW='\033[00;33m'
BLUE='\033[00;34m'
PURPLE='\033[00;35m'
CYAN='\033[00;36m'
LIGHTGRAY='\033[00;37m'
LRED='\033[01;31m'
LGREEN='\033[01;32m'
LYELLOW='\033[01;33m'
LBLUE='\033[01;34m'
LPURPLE='\033[01;35m'
LCYAN='\033[01;36m'
WHITE='\033[01;37m'
function test_colors(){
echo -e "${GREEN}Hello ${CYAN}THERE${RESTORE} Restored here ${LCYAN}HELLO again ${RED} Red socks aren't sexy ${BLUE} neither are blue ${RESTORE} "
}
function pause(){
echo -en "${CYAN}"
read -p "[Paused] $*" FOO_discarded
echo -en "${RESTORE}"
}
test_colors
pause "Hit any key to continue"
背景更有趣
echo -e "\033[01;41;35mTRY THIS\033[0m"
echo -e "\033[02;44;35mAND THIS\033[0m"
echo -e "\033[03;42;31mAND THIS\033[0m"
echo -e "\033[04;44;33mAND THIS\033[0m"
echo -e "\033[05;44;33mAND THIS\033[0m"
答案 1 :(得分:12)
我稍微更改了您的代码:
#!/bin/bash
function pause() {
prompt="$1"
echo -e -n "\033[1;36m$prompt"
echo -e -n '\033[0m'
read
clear
}
pause "Press enter to continue..."
我改变了什么:
答案 2 :(得分:11)
为了节省其他时间:
https://gist.github.com/elucify/c7ccfee9f13b42f11f81
不需要$(echo -ne)
遍布整个地方,因为上面的要点中定义的变量已经包含控制字符。领先/尾随\001
& \002
告诉bash控制字符不应占用空间,否则在$PS1
中使用这些字符会混淆readline
。
RESTORE=$(echo -en '\001\033[0m\002')
RED=$(echo -en '\001\033[00;31m\002')
GREEN=$(echo -en '\001\033[00;32m\002')
YELLOW=$(echo -en '\001\033[00;33m\002')
BLUE=$(echo -en '\001\033[00;34m\002')
MAGENTA=$(echo -en '\001\033[00;35m\002')
PURPLE=$(echo -en '\001\033[00;35m\002')
CYAN=$(echo -en '\001\033[00;36m\002')
LIGHTGRAY=$(echo -en '\001\033[00;37m\002')
LRED=$(echo -en '\001\033[01;31m\002')
LGREEN=$(echo -en '\001\033[01;32m\002')
LYELLOW=$(echo -en '\001\033[01;33m\002')
LBLUE=$(echo -en '\001\033[01;34m\002')
LMAGENTA=$(echo -en '\001\033[01;35m\002')
LPURPLE=$(echo -en '\001\033[01;35m\002')
LCYAN=$(echo -en '\001\033[01;36m\002')
WHITE=$(echo -en '\001\033[01;37m\002')
# Test
echo ${RED}RED${GREEN}GREEN${YELLOW}YELLOW${BLUE}BLUE${PURPLE}PURPLE${CYAN}CYAN${WHITE}WHITE${RESTORE}
答案 3 :(得分:2)
问题是这一行:
echo -e -n "\E[36m$3" #color output text cyan
应该是:
echo -e -n "\E[36m" #color output text cyan
你应该删除这一行,因为你没有使用变量:
prompt="$3"
此外,应将结束序列移至read
提示符。事实上,开始序列也可以。
结果:
function pause #for prompted pause until ENTER
{
read -p $'\E[36m'"$*"$'\E[0m' #read keys from user until ENTER.
clear
}
pause "Press enter to continue..."
颜色可以放入变量中:
cyan=$'\E[36m'
reset=$'\E[0m'
read -p "$cyan$*$reset"
$''
导致转义序列被解释为echo -e
。