在写一个简单的脚本的时候,想用到切片功能,在python里实现非常简单,也非常好用 。印象中shell 也可以实现,查了下,发现自己之前就做过shell 字符串截断和切片的总结:shell字符串操作小结 。这里再细化下。

一、字符串切片

语法:${variable_name:start_position:length},指定字符串的起始位置及长度进行切片操作。

示例如下:

1$ string=abcdefghijklmnopqrstuvwxyz
2$ echo ${string:4}
3efghijklmnopqrstuvwxyz

注意:起始字符的索引从0开始计数。这点和python相同,上面的示例是从第五个字符开始,打印到字符结束 。如果后面指定长度结果如下:

1$ echo ${string:4:8}
2efghijkl

从第五个字符开始,打印8个字符。同python一样,其也支持后向切片,即索引标记为负值。这里和python不同的是,负值必须放在括号内,如下:

1echo ${string:(-1)}
2z
3echo ${string:(-2):2}
4yz

如果不加括号,也可以按下面这种写法来用:

1echo ${string:0-1}
2z
3echo ${string:0-2:2}
4yz

二、字符串截取

截取字符串的方法有如下几种:

1${#parameter}获得字符串的长度
2${parameter%word} 最小限度从后面截取word
3${parameter%%word} 最大限度从后面截取word
4${parameter#word} 最小限度从前面截取word
5${parameter##word} 最大限度从前面截取word

示例执行结果如下:

 1SUSEt:~ # var=https://blog.361way.com/donate
 2SUSEt:~ # echo ${#var}
 328
 4SUSEt:~ # echo ${var%/}
 5输出结果:https://blog.361way.com/donate
 6SUSEt:~ # echo ${var%/*}
 7输出结果:https://blog.361way.com
 8SUSEt:~ # echo ${var%don}
 9输出结果:https://blog.361way.com/donate
10SUSEt:~ # echo ${var%don*}
11输出结果:https://blog.361way.com/
12SUSEt:~ # echo ${var%%on}
13输出结果:https://blog.361way.com/donate
14SUSEt:~ # echo ${var%%361way*}
15输出结果:http://www.
16SUSEt:~ # echo ${var##*/}
17输出结果:donate
18SUSEt:~ # echo ${var##/*}
19输出结果:https://blog.361way.com/donate
20SUSEt:~ # echo ${var#*/}
21/www.361way.com/donate

看见感觉有点晕了吧,记住这里*星号是必须的,不能省略。不然取到的是完整值 。

三、默认值获取

这里还有一个不太经常用到的高级用法,用于获取默认值。

1${parameter:-word}
2${parameter:=word}
3${parameter:?word}
4${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.

第一个用法,是给变量设置默认值,如果该参数不存在,后面的值就是默认值,如下示例:

1SUSEt:~ # u=${1:-root}
2SUSEt:~ # echo $u
3root

$1如果不存在,$u的值是root,如果存在,$u的值是$1。

第二个也是设置默认值 ,具体如下:

1SUSEt:~ # echo $USER
2root
3SUSEt:~ # echo ${USER:=foo}
4root
5SUSEt:~ # unset USER
6SUSEt:~ # echo ${USER:=foo}
7foo
8SUSEt:~ # echo $USER
9foo

第三个值主要是在不存在时报一个相应的message信息,如下:

1SUSEt:~ # message=${varName?Error varName is not defined}
2-bash: varName: Error varName is not defined

参考文档:

Shell-Parameter-Expansion

bash-hackers

bash-shell-parameter-substitution(关于第三项默认值讲解的不错)