我想在提示中引用当前目录。
例如,如果我这样做:
mkdir $'new\nline'; cd $'new\nline'
我希望我的提示符显示$'new\nline'
,而不是打印文字换行符。
我看到尝试\
在以下位置打印反斜杠 () 的有趣行为bash 5.0.9
:
p='\\n' && echo -E "${p@P}" # 2 slashes; output = '\n'
p='\\\\n' && echo -E "${p@P}" # 4 slashes; output = '\n'
p='\\\\\\n' && echo -E "${p@P}" # 6 slashes; output = '\\n'
p='\\\\\\\\n' && echo -E "${p@P}" # 8 slashes; output = '\\n'
笔记:${parameter@P}
是一个字符串,它是扩展 的值的结果,parameter
就好像它是一个提示一样
为什么输出相当于(2和4)和(6和8)斜杠?
鉴于这种混乱,并且:
mkdir '\\n' && cd '\\n'
我无法弄清楚如何以编程方式转换\\n
为字符串,以便它在提示中显示为:\\\\n
或$'\\\\n'
,以及处理文字换行符情况。
如何获取提示中引用的目录名称,例如:
~
显示子目录并作为子目录的$HOME
前导~/
- 仅在需要时才转义其他路径
- 显示字符串的复制粘贴是引用当前目录的有效 shell 令牌
例如"$HOME/dir with spaces"
应显示为:
~/dir\ with\ spaces
~/$'dir with spaces'
~/'dir with spaces'
答案1
如果我\w
在提示中包含 和,则 Bash 仅在提示中cd $'/tmp/new\nline'
显示。/tmp/newline
它似乎没有打印文字换行符,但这也不是明确的输出格式。
${var@P}
旨在扩展提示式转义,例如\u
用户名、\h
主机名和\w
工作目录,我怀疑您想要这些。相反${var@Q}
,哪个引用输出可能更有用?
设置PS1='${PWD@Q}\$ '
,我得到提示:$'/tmp/new\nline'$
,或者'/tmp'$
如果路径更好。另一种选择可能是PS1='$(printf "%q" "$PWD")\$ '
,它在某些情况下给出不同的引用,例如,在“好的”路径的情况下省略引号,因此/tmp$
。
要使主目录显示为波形符,一种选择是手动进行替换:
set_ppath() {
printf -v ppath "%q" "$PWD"
ppath="${ppath/$HOME/"~"}";
}
PROMPT_COMMAND=set_ppath
PS1='$ppath\$ '
它仍然引用了所有的不过,如果其中一部分需要引用,则为路径。为了解决这个问题,我想你必须一点一点地走这条路。
不过,我不知道为什么${var@P}
要这样折叠反斜杠。
答案2
根据 ilkkachu 的回答,我想出了:
PROMPT_COMMAND=_prompt_bash_set
_prompt_bash_set() {
# Working directory
local prefix='' # Used to contain '~' if $PWD directory is under $HOME
local dir=$PWD
# Replace leading $HOME with ~ if at beginning of string
case "$PWD"/ in # Extra slash at end prevents substring match
"$HOME"/) # $PWD == $HOME itself
prefix=\~ # no trailing /
dir='' ;;
"$HOME"/?*) # $PWD is a subdir of $HOME
prefix=\~/ # Add trailing / so that possibly quoted string goes after ~/ for path validity
dir=${PWD#$HOME/} ;; # Remove $HOME and / as this is now in $prefix
esac
if [[ $PWD != $HOME ]]; then # $PWD != $HOME
# Avoid ${PWD@Q} as it produced a literal \n inside $''
printf -v dir '%q' "$dir" # Quote directory minus $HOME
# Replace a single slash with 4!?! slashes
# https://unix.stackexchange.com/q/543473/143394
dir=${dir//\\/\\\\\\\\}
# Prevent command and variable substitution:
dir=${dir//\`/\\\`} # escape ` as \`
dir=${dir//\$/\\\$} # escape $ as \$
fi
PS1='\u@\h:'$dir'\$ '
}
这将引用的目录作为文字文本$PS1
而不是通过变量包含。
这样做的好处是我可以继续目录中的彩色斜杠我的眼睛发现更容易解析。