请告诉我以下C ++代码段的等效BASH代码是什么:
std::cout << std::setfill('x') << std::setw(7) << 250;
输出结果为:
xxxx250
感谢您的帮助!
答案 0 :(得分:4)
如果您使用的是Linux,它就有一个printf
程序用于此目的。其他UNIX变体也可能有它。
用x
填充数字并不是它的用例,但你可以得到相同的结果:
pax> printf "%7d\n" 250 | tr ' ' 'x'
xxxx250
使用空格填充输出250,然后使用tr
翻译实用程序将这些空格转换为x
个字符。
如果您正在寻找仅限bash
的解决方案,则可以从:
pax> n=250 ; echo ${n}
250
pax> n=xxxxxxx${n} ; echo ${n}
xxxxxxx250
pax> n=${n: -7} ; echo ${n}
xxxx250
如果您需要通用解决方案,可以使用此函数fmt
,包含单元测试代码:
#!/bin/bash
#
# fmt <string> <direction> <fillchar> <size>
# Formats a string by padding it to a specific size.
# <string> is the string you want formatted.
# <direction> is where you want the padding (l/L is left,
# r/R and everything else is right).
# <fillchar> is the character or string to fill with.
# <size> is the desired size.
#
fmt()
{
string="$1"
direction=$2
fillchar="$3"
size=$4
if [[ "${direction}" == "l" || "${direction}" == "L" ]] ; then
while [[ ${#string} -lt ${size} ]] ; do
string="${fillchar}${string}"
done
string="${string: -${size}}"
else
while [[ ${#string} -lt ${size} ]] ; do
string="${string}${fillchar}"
done
string="${string:0:${size}}"
fi
echo "${string}"
}
# Unit test code.
echo "[$(fmt 'Hello there' r ' ' 20)]"
echo "[$(fmt 'Hello there' r ' ' 5)]"
echo "[$(fmt 'Hello there' l ' ' 20)]"
echo "[$(fmt 'Hello there' l ' ' 5)]"
echo "[$(fmt 'Hello there' r '_' 20)]"
echo "[$(fmt 'Hello there' r ' .' 20)]"
echo "[$(fmt 250 l 'x' 7)]"
输出:
[Hello there ]
[Hello]
[ Hello there]
[there]
[Hello there_________]
[Hello there . . . . ]
[xxxx250]
并且您不仅限于打印它们,您还可以保存变量以供以后使用以下行:
formattedString="$(fmt 'Hello there' r ' ' 20)"
答案 1 :(得分:0)
您可以像这样打印填充:
printf "x%.0s" {1..4}; printf "%d\n" 250
如果你想概括一下,遗憾的是你必须使用eval
:
value=250
padchar="x"
padcount=$((7 - ${#value}))
pad=$(eval echo {1..$padcount})
printf "$padchar%.0s" $pad; printf "%d\n" $value
您可以直接在ksh中的大括号序列表达式中使用变量,但不能使用Bash。
答案 2 :(得分:-1)
s=$(for i in 1 2 3 4; do printf "x"; done;printf "250")
echo $s