我想用bash将字符串中的第一个字符大写。
foo="bar";
//uppercase first character
echo $foo;
应打印“Bar”;
我想用bash将字符串中的第一个字符大写。
foo="bar";
//uppercase first character
echo $foo;
应打印“Bar”;
当前回答
只大写第一个单词:
foo='one two three'
foo="${foo^}"
echo $foo
一二三
将变量中的每个单词大写:
foo="one two three"
foo=( $foo ) # without quotes
foo="${foo[@]^}"
echo $foo
一二三
(适用于bash 4+)
其他回答
foo="$(tr '[:lower:]' '[:upper:]' <<< ${foo:0:1})${foo:1}"
first-letter-to-lower () {
str=""
space=" "
for i in $@
do
if [ -z $(echo $i | grep "the\|of\|with" ) ]
then
str=$str"$(echo ${i:0:1} | tr '[A-Z]' '[a-z]')${i:1}$space"
else
str=$str${i}$space
fi
done
echo $str
}
first-letter-to-upper-xc () {
v-first-letter-to-upper | xclip -selection clipboard
}
first-letter-to-upper () {
str=""
space=" "
for i in $@
do
if [ -z $(echo $i | grep "the\|of\|with" ) ]
then
str=$str"$(echo ${i:0:1} | tr '[a-z]' '[A-Z]')${i:1}$space"
else
str=$str${i}$space
fi
done
echo $str
}
first-letter-to-lower-xc () { v首字母到下| xclip -选择剪贴板 }
Linux和OSX的另一种干净的解决方案,它也可以与bash变量一起使用
python -c "print(\"abc\".capitalize())"
返回美国广播公司
使用bash(版本4+)的一种方法:
foo=bar
echo "${foo^}"
打印:
Bar
它也可以在纯bash中使用bash-3.2完成:
# First, get the first character.
fl=${foo:0:1}
# Safety check: it must be a letter :).
if [[ ${fl} == [a-z] ]]; then
# Now, obtain its octal value using printf (builtin).
ord=$(printf '%o' "'${fl}")
# Fun fact: [a-z] maps onto 0141..0172. [A-Z] is 0101..0132.
# We can use decimal '- 40' to get the expected result!
ord=$(( ord - 40 ))
# Finally, map the new value back to a character.
fl=$(printf '%b' '\'${ord})
fi
echo "${fl}${foo:1}"