在写一个简单的脚本的时候,想用到切片功能,在python里实现非常简单,也非常好用 。印象中shell 也可以实现,查了下,发现自己之前就做过shell 字符串截断和切片的总结:shell字符串操作小结 。这里再细化下。
一、字符串切片
语法如下:
${variable_name:start_position:length}
指定字符串的起始位置及长度进行切片操作。
示例如下:
$ string=abcdefghijklmnopqrstuvwxyz
$ echo ${string:4}
efghijklmnopqrstuvwxyz
注意:起始字符的索引从0开始计数。这点和python相同,上面的示例是从第五个字符开始,打印到字符结束 。如果后面指定长度结果如下:
$ echo ${string:4:8}
efghijkl
从第五个字符开始,打印8个字符。
同python一样,其也支持后向切片,即索引标记为负值。这里和python不同的是,负值必须放在括号内,如下:
echo ${string:(-1)}
z
echo ${string:(-2):2}
yz
如果不加括号,也可以按下面这种写法来用:
echo ${string:0-1}
z
echo ${string:0-2:2}
yz
二、字符串截取
截取字符串的方法有如下几种:
${#parameter}获得字符串的长度
${parameter%word} 最小限度从后面截取word
${parameter%%word} 最大限度从后面截取word
${parameter#word} 最小限度从前面截取word
${parameter##word} 最大限度从前面截取word
示例执行结果如下:
SUSEt:~# var=http://www.361way.com/donate
SUSEt:~# echo ${#var}
28
SUSEt:~# echo ${var%/}
输出结果:http://www.361way.com/donate
SUSEt:~# echo ${var%/*}
输出结果:http://www.361way.com
SUSEt:~# echo ${var%don}
输出结果:http://www.361way.com/donate
SUSEt:~# echo ${var%don*}
输出结果:http://www.361way.com/
SUSEt:~# echo ${var%%on}
输出结果:http://www.361way.com/donate
SUSEt:~# echo ${var%%361way*}
输出结果:http://www.
SUSEt:~# echo ${var##*/}
输出结果:donate
SUSEt:~# echo ${var##/*}
输出结果:http://www.361way.com/donate
SUSEt:~# echo ${var#*/}
/www.361way.com/donate
看见感觉有点晕了吧,记住这里*星号是必须的,不能省略。不然取到的是完整值 。
三、默认值获取
这里还有一个不太经常用到的高级用法,用于获取默认值。
${parameter:-word}
${parameter:=word}
${parameter:?word}
${parameter:+word}
先来看看英文意思:
${parameter:-word}
If parameter is unset or null, the expansion of word is substituted. Otherwise, the value of parameter is substituted.
${parameter:=word}
If parameter is unset or null, the expansion of word is assigned to parameter. The value of parameter is then substituted. Positional parameters and special parameters may not be assigned to in this way.
${parameter:?word}
If parameter is null or unset, the expansion of word (or a message to that effect if word is not present) is written to the standard error and the shell, if it is not interactive, exits. Otherwise, the value of parameter is substituted.
${parameter:+word}
If parameter is null or unset, nothing is substituted, otherwise the expansion of word is substituted.
第一个用法,是给变量设置默认值,如果该参数不存在,后面的值就是默认值,如下示例:
SUSEt:~# u=${1:-root}
SUSEt:~# echo $u
root
$1如果不存在,$u的值是root,如果存在,$u的值是$1。
第二个也是设置默认值 ,具体如下:
SUSEt:~# echo $USER
root
SUSEt:~# echo ${USER:=foo}
root
SUSEt:~# unset USER
SUSEt:~# echo ${USER:=foo}
foo
SUSEt:~# echo $USER
foo
第三个值主要是在不存在时报一个相应的message信息,如下:
SUSEt:~# message=${varName?Error varName is not defined}
-bash: varName:Error varName is not defined
参考文档:
Shell-Parameter-Expansion
bash-hackers
bash-shell-parameter-substitution(关于第三项默认值讲解的不错)
网友评论